From c7eaa26f736e922090e69a00222cb2e6453036ed Mon Sep 17 00:00:00 2001 From: Mario Danic Date: Fri, 12 Jan 2018 08:57:51 +0100 Subject: [PATCH 001/251] Fix bug with proxies Signed-off-by: Mario Danic --- core/Controller/ClientFlowLoginController.php | 13 ++++++++++++- 1 file changed, 12 insertions(+), 1 deletion(-) diff --git a/core/Controller/ClientFlowLoginController.php b/core/Controller/ClientFlowLoginController.php index 7d6e79d39bc0a..0e7fbf892b60b 100644 --- a/core/Controller/ClientFlowLoginController.php +++ b/core/Controller/ClientFlowLoginController.php @@ -315,7 +315,18 @@ public function generateAppPassword($stateToken, $serverPostfix = substr($this->request->getRequestUri(), 0, strpos($this->request->getRequestUri(), '/login/flow')); } - $serverPath = $this->request->getServerProtocol() . "://" . $this->request->getServerHost() . $serverPostfix; + $protocol = $this->request->getServerProtocol(); + + if ($protocol !== "https") { + $xForwardedProto = $this->request->getHeader('X-Forwarded-Proto'); + $xForwardedSSL = $this->request->getHeader('X-Forwarded-Ssl'); + if ($xForwardedProto === 'https' || $xForwardedSSL === 'on') { + $protocol = 'https'; + } + } + + + $serverPath = $protocol . "://" . $this->request->getServerHost() . $serverPostfix; $redirectUri = 'nc://login/server:' . $serverPath . '&user:' . urlencode($loginName) . '&password:' . urlencode($token); } From f2706cb57210fc75329dc1cd3541042562e9c94b Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Fri, 12 Jan 2018 09:39:21 +0100 Subject: [PATCH 002/251] Add unit test Signed-off-by: Joas Schilling --- .../ClientFlowLoginControllerTest.php | 123 ++++++++++++++++++ 1 file changed, 123 insertions(+) diff --git a/tests/Core/Controller/ClientFlowLoginControllerTest.php b/tests/Core/Controller/ClientFlowLoginControllerTest.php index 216738632233e..0e04853822333 100644 --- a/tests/Core/Controller/ClientFlowLoginControllerTest.php +++ b/tests/Core/Controller/ClientFlowLoginControllerTest.php @@ -587,4 +587,127 @@ public function testGeneratePasswordWithoutPassword() { $expected = new Http\RedirectResponse('nc://login/server:http://example.com&user:MyLoginName&password:MyGeneratedToken'); $this->assertEquals($expected, $this->clientFlowLoginController->generateAppPassword('MyStateToken')); } + + public function dataGeneratePasswordWithHttpsProxy() { + return [ + [ + [ + ['X-Forwarded-Proto', 'http'], + ['X-Forwarded-Ssl', 'off'], + ], + 'http', + 'http', + ], + [ + [ + ['X-Forwarded-Proto', 'http'], + ['X-Forwarded-Ssl', 'off'], + ], + 'https', + 'https', + ], + [ + [ + ['X-Forwarded-Proto', 'https'], + ['X-Forwarded-Ssl', 'off'], + ], + 'http', + 'https', + ], + [ + [ + ['X-Forwarded-Proto', 'https'], + ['X-Forwarded-Ssl', 'on'], + ], + 'http', + 'https', + ], + [ + [ + ['X-Forwarded-Proto', 'http'], + ['X-Forwarded-Ssl', 'on'], + ], + 'http', + 'https', + ], + ]; + } + + /** + * @dataProvider dataGeneratePasswordWithHttpsProxy + * @param array $headers + * @param string $protocol + * @param string $expected + */ + public function testGeneratePasswordWithHttpsProxy(array $headers, $protocol, $expected) { + $this->session + ->expects($this->once()) + ->method('get') + ->with('client.flow.state.token') + ->willReturn('MyStateToken'); + $this->session + ->expects($this->once()) + ->method('remove') + ->with('client.flow.state.token'); + $this->session + ->expects($this->once()) + ->method('getId') + ->willReturn('SessionId'); + $myToken = $this->createMock(IToken::class); + $myToken + ->expects($this->once()) + ->method('getLoginName') + ->willReturn('MyLoginName'); + $this->tokenProvider + ->expects($this->once()) + ->method('getToken') + ->with('SessionId') + ->willReturn($myToken); + $this->tokenProvider + ->expects($this->once()) + ->method('getPassword') + ->with($myToken, 'SessionId') + ->willReturn('MyPassword'); + $this->random + ->expects($this->once()) + ->method('generate') + ->with(72) + ->willReturn('MyGeneratedToken'); + $user = $this->createMock(IUser::class); + $user + ->expects($this->once()) + ->method('getUID') + ->willReturn('MyUid'); + $this->userSession + ->expects($this->once()) + ->method('getUser') + ->willReturn($user); + $this->tokenProvider + ->expects($this->once()) + ->method('generateToken') + ->with( + 'MyGeneratedToken', + 'MyUid', + 'MyLoginName', + 'MyPassword', + 'unknown', + IToken::PERMANENT_TOKEN, + IToken::DO_NOT_REMEMBER + ); + $this->request + ->expects($this->once()) + ->method('getServerProtocol') + ->willReturn($protocol); + $this->request + ->expects($this->once()) + ->method('getServerHost') + ->willReturn('example.com'); + $this->request + ->expects($this->atLeastOnce()) + ->method('getHeader') + ->willReturnMap($headers); + + $expected = new Http\RedirectResponse('nc://login/server:' . $expected . '://example.com&user:MyLoginName&password:MyGeneratedToken'); + $this->assertEquals($expected, $this->clientFlowLoginController->generateAppPassword('MyStateToken')); + } } From 43a53c0c8e93fed16b7adf5a0244a2f7b8fdbc58 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Tue, 16 Jan 2018 01:11:05 +0000 Subject: [PATCH 003/251] [tx-robot] updated from transifex --- apps/dav/l10n/fi.js | 14 +++++++++++++- apps/dav/l10n/fi.json | 14 +++++++++++++- apps/files/l10n/fi.js | 8 ++++++++ apps/files/l10n/fi.json | 8 ++++++++ apps/files/l10n/nb.js | 1 + apps/files/l10n/nb.json | 1 + apps/files_external/l10n/es_MX.js | 1 + apps/files_external/l10n/es_MX.json | 1 + apps/files_external/l10n/fi.js | 1 + apps/files_external/l10n/fi.json | 1 + apps/files_external/l10n/fr.js | 1 + apps/files_external/l10n/fr.json | 1 + apps/files_external/l10n/ru.js | 17 +++++++++-------- apps/files_external/l10n/ru.json | 17 +++++++++-------- apps/files_sharing/l10n/nl.js | 2 +- apps/files_sharing/l10n/nl.json | 2 +- apps/oauth2/l10n/ar.js | 11 +++++++++++ apps/oauth2/l10n/ar.json | 9 +++++++++ apps/theming/l10n/fi.js | 3 +++ apps/theming/l10n/fi.json | 3 +++ core/l10n/bg.js | 2 +- core/l10n/bg.json | 2 +- core/l10n/ca.js | 2 +- core/l10n/ca.json | 2 +- core/l10n/cs.js | 2 +- core/l10n/cs.json | 2 +- core/l10n/da.js | 2 +- core/l10n/da.json | 2 +- core/l10n/de.js | 6 +++--- core/l10n/de.json | 6 +++--- core/l10n/de_DE.js | 6 +++--- core/l10n/de_DE.json | 6 +++--- core/l10n/el.js | 2 +- core/l10n/el.json | 2 +- core/l10n/en_GB.js | 6 +++--- core/l10n/en_GB.json | 6 +++--- core/l10n/es.js | 6 +++--- core/l10n/es.json | 6 +++--- core/l10n/es_419.js | 6 +++--- core/l10n/es_419.json | 6 +++--- core/l10n/es_AR.js | 2 +- core/l10n/es_AR.json | 2 +- core/l10n/es_CL.js | 6 +++--- core/l10n/es_CL.json | 6 +++--- core/l10n/es_CO.js | 6 +++--- core/l10n/es_CO.json | 6 +++--- core/l10n/es_CR.js | 6 +++--- core/l10n/es_CR.json | 6 +++--- core/l10n/es_DO.js | 6 +++--- core/l10n/es_DO.json | 6 +++--- core/l10n/es_EC.js | 6 +++--- core/l10n/es_EC.json | 6 +++--- core/l10n/es_GT.js | 6 +++--- core/l10n/es_GT.json | 6 +++--- core/l10n/es_HN.js | 6 +++--- core/l10n/es_HN.json | 6 +++--- core/l10n/es_MX.js | 6 +++--- core/l10n/es_MX.json | 6 +++--- core/l10n/es_NI.js | 6 +++--- core/l10n/es_NI.json | 6 +++--- core/l10n/es_PA.js | 6 +++--- core/l10n/es_PA.json | 6 +++--- core/l10n/es_PE.js | 6 +++--- core/l10n/es_PE.json | 6 +++--- core/l10n/es_PR.js | 6 +++--- core/l10n/es_PR.json | 6 +++--- core/l10n/es_PY.js | 6 +++--- core/l10n/es_PY.json | 6 +++--- core/l10n/es_SV.js | 6 +++--- core/l10n/es_SV.json | 6 +++--- core/l10n/es_UY.js | 6 +++--- core/l10n/es_UY.json | 6 +++--- core/l10n/et_EE.js | 2 +- core/l10n/et_EE.json | 2 +- core/l10n/eu.js | 2 +- core/l10n/eu.json | 2 +- core/l10n/fa.js | 2 +- core/l10n/fa.json | 2 +- core/l10n/fi.js | 6 ++++-- core/l10n/fi.json | 6 ++++-- core/l10n/fr.js | 6 +++--- core/l10n/fr.json | 6 +++--- core/l10n/hu.js | 6 +++--- core/l10n/hu.json | 6 +++--- core/l10n/id.js | 2 +- core/l10n/id.json | 2 +- core/l10n/is.js | 2 +- core/l10n/is.json | 2 +- core/l10n/it.js | 6 +++--- core/l10n/it.json | 6 +++--- core/l10n/ja.js | 2 +- core/l10n/ja.json | 2 +- core/l10n/ka_GE.js | 6 +++--- core/l10n/ka_GE.json | 6 +++--- core/l10n/ko.js | 6 +++--- core/l10n/ko.json | 6 +++--- core/l10n/lt_LT.js | 2 +- core/l10n/lt_LT.json | 2 +- core/l10n/lv.js | 2 +- core/l10n/lv.json | 2 +- core/l10n/nb.js | 8 ++++++-- core/l10n/nb.json | 8 ++++++-- core/l10n/nl.js | 6 +++--- core/l10n/nl.json | 6 +++--- core/l10n/pl.js | 2 +- core/l10n/pl.json | 2 +- core/l10n/pt_BR.js | 6 +++--- core/l10n/pt_BR.json | 6 +++--- core/l10n/pt_PT.js | 2 +- core/l10n/pt_PT.json | 2 +- core/l10n/ro.js | 2 +- core/l10n/ro.json | 2 +- core/l10n/ru.js | 6 +++--- core/l10n/ru.json | 6 +++--- core/l10n/sk.js | 2 +- core/l10n/sk.json | 2 +- core/l10n/sl.js | 2 +- core/l10n/sl.json | 2 +- core/l10n/sq.js | 2 +- core/l10n/sq.json | 2 +- core/l10n/sr.js | 6 +++--- core/l10n/sr.json | 6 +++--- core/l10n/sv.js | 2 +- core/l10n/sv.json | 2 +- core/l10n/tr.js | 6 +++--- core/l10n/tr.json | 6 +++--- core/l10n/uk.js | 2 +- core/l10n/uk.json | 2 +- core/l10n/vi.js | 2 +- core/l10n/vi.json | 2 +- core/l10n/zh_CN.js | 2 +- core/l10n/zh_CN.json | 2 +- core/l10n/zh_TW.js | 2 +- core/l10n/zh_TW.json | 2 +- settings/l10n/ar.js | 4 ++++ settings/l10n/ar.json | 4 ++++ settings/l10n/fi.js | 6 ++++++ settings/l10n/fi.json | 6 ++++++ settings/l10n/nb.js | 3 +++ settings/l10n/nb.json | 3 +++ settings/l10n/nl.js | 6 +++--- settings/l10n/nl.json | 6 +++--- 142 files changed, 378 insertions(+), 264 deletions(-) create mode 100644 apps/oauth2/l10n/ar.js create mode 100644 apps/oauth2/l10n/ar.json diff --git a/apps/dav/l10n/fi.js b/apps/dav/l10n/fi.js index 51e42b5d72e8a..25bc5fe024787 100644 --- a/apps/dav/l10n/fi.js +++ b/apps/dav/l10n/fi.js @@ -10,6 +10,8 @@ OC.L10N.register( "You deleted calendar {calendar}" : "Poistit kalenterin {calendar}", "{actor} updated calendar {calendar}" : "{actor} päivitti kalenterin {calendar}", "You updated calendar {calendar}" : "Päivitit kalenterin {calendar}", + "You shared calendar {calendar} as public link" : "Jaoit kalenterin {calendar} julkisena linkkinä", + "You removed public link for calendar {calendar}" : "Poistit julkisen linkin kalenterilta {calendar}", "{actor} shared calendar {calendar} with you" : "{actor} jakoi kalenterin {calendar} kanssasi", "You shared calendar {calendar} with {user}" : "Jaoit kalenterin {calendar} käyttäjälle {user}", "{actor} shared calendar {calendar} with {user}" : "{actor} jakoi kalenterin {calendar} käyttäjälle {user}", @@ -41,12 +43,22 @@ OC.L10N.register( "A calendar event was modified" : "Kalenterin tapahtumaa on muokattu", "A calendar todo was modified" : "Kalenterin tehtävää on muokattu", "Contact birthdays" : "Yhteystietojen syntymäpäivät", + "Invitation canceled" : "Kutsu peruttu", + "Hello %s," : "Hei %s", + "Invitation updated" : "Kutsu päivitetty", + "When:" : "Milloin:", + "Where:" : "Missä:", + "Description:" : "Kuvaus:", + "Link:" : "Linkki:", "Contacts" : "Yhteystiedot", "Technical details" : "Tekniset yksityiskohdat", "Remote Address: %s" : "Etäosoite: %s", "Request ID: %s" : "Pyynnön tunniste: %s", "CalDAV server" : "CalDAV-palvelin", "Send invitations to attendees" : "Lähetä kutsut osallistujille", - "Please make sure to properly set up the email settings above." : "Varmista, että määrität sähköpostiasetukset oikein yläpuolelle. " + "Please make sure to properly set up the email settings above." : "Varmista, että määrität sähköpostiasetukset oikein yläpuolelle. ", + "Automatically generate a birthday calendar" : "Luo syntymäpäiväkalenteri automaattisesti", + "Birthday calendars will be generated by a background job." : "Syntymäpäiväkalenterit luodaan taustatyön toimesta.", + "Hence they will not be available immediately after enabling but will show up after some time." : "Sen vuoksi ne eivät ole välittömästi saatavilla käyttöönoton jälkeen, vaan ne tulevat näkyviin pienellä viiveellä." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/dav/l10n/fi.json b/apps/dav/l10n/fi.json index 6b3726a242e50..b8ec19ac3fea0 100644 --- a/apps/dav/l10n/fi.json +++ b/apps/dav/l10n/fi.json @@ -8,6 +8,8 @@ "You deleted calendar {calendar}" : "Poistit kalenterin {calendar}", "{actor} updated calendar {calendar}" : "{actor} päivitti kalenterin {calendar}", "You updated calendar {calendar}" : "Päivitit kalenterin {calendar}", + "You shared calendar {calendar} as public link" : "Jaoit kalenterin {calendar} julkisena linkkinä", + "You removed public link for calendar {calendar}" : "Poistit julkisen linkin kalenterilta {calendar}", "{actor} shared calendar {calendar} with you" : "{actor} jakoi kalenterin {calendar} kanssasi", "You shared calendar {calendar} with {user}" : "Jaoit kalenterin {calendar} käyttäjälle {user}", "{actor} shared calendar {calendar} with {user}" : "{actor} jakoi kalenterin {calendar} käyttäjälle {user}", @@ -39,12 +41,22 @@ "A calendar event was modified" : "Kalenterin tapahtumaa on muokattu", "A calendar todo was modified" : "Kalenterin tehtävää on muokattu", "Contact birthdays" : "Yhteystietojen syntymäpäivät", + "Invitation canceled" : "Kutsu peruttu", + "Hello %s," : "Hei %s", + "Invitation updated" : "Kutsu päivitetty", + "When:" : "Milloin:", + "Where:" : "Missä:", + "Description:" : "Kuvaus:", + "Link:" : "Linkki:", "Contacts" : "Yhteystiedot", "Technical details" : "Tekniset yksityiskohdat", "Remote Address: %s" : "Etäosoite: %s", "Request ID: %s" : "Pyynnön tunniste: %s", "CalDAV server" : "CalDAV-palvelin", "Send invitations to attendees" : "Lähetä kutsut osallistujille", - "Please make sure to properly set up the email settings above." : "Varmista, että määrität sähköpostiasetukset oikein yläpuolelle. " + "Please make sure to properly set up the email settings above." : "Varmista, että määrität sähköpostiasetukset oikein yläpuolelle. ", + "Automatically generate a birthday calendar" : "Luo syntymäpäiväkalenteri automaattisesti", + "Birthday calendars will be generated by a background job." : "Syntymäpäiväkalenterit luodaan taustatyön toimesta.", + "Hence they will not be available immediately after enabling but will show up after some time." : "Sen vuoksi ne eivät ole välittömästi saatavilla käyttöönoton jälkeen, vaan ne tulevat näkyviin pienellä viiveellä." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/fi.js b/apps/files/l10n/fi.js index 19d1d84f8253e..58d1b93dbb289 100644 --- a/apps/files/l10n/fi.js +++ b/apps/files/l10n/fi.js @@ -16,8 +16,10 @@ OC.L10N.register( "Not enough free space, you are uploading {size1} but only {size2} is left" : "Ei riittävästi vapaata tilaa. Lähetyksesi koko on {size1}, mutta vain {size2} on jäljellä", "Target folder \"{dir}\" does not exist any more" : "Kohdekansio \"{dir}\" ei ole enää olemassa", "Not enough free space" : "Ei tarpeeksi vapaata tilaa", + "Uploading …" : "Lähetetään…", "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize}/{totalSize} ({bitrate})", + "Target folder does not exist any more" : "Kohdekansiota ei ole enää olemassa", "Actions" : "Toiminnot", "Download" : "Lataa", "Rename" : "Nimeä uudelleen", @@ -57,8 +59,11 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "Käyttöoikeutesi eivät riitä tiedostojen lähettämiseen tai kansioiden luomiseen tähän sijaintiin", "_Uploading %n file_::_Uploading %n files_" : ["Lähetetään %n tiedosto","Lähetetään %n tiedostoa"], "New" : "Uusi", + "{used} of {quota} used" : "{used}/{quota} käytetty", + "{used} used" : "{used} käytetty", "\"{name}\" is an invalid file name." : "\"{name}\" on virheellinen tiedostonimi.", "File name cannot be empty." : "Tiedoston nimi ei voi olla tyhjä.", + "\"/\" is not allowed inside a file name." : "\"/\" ei ole sallittu merkki tiedostonimessä.", "\"{name}\" is not an allowed filetype" : "\"{name}\" ei ole sallittu tiedostomuoto", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Käyttäjän {owner} tallennustila on täynnä, tiedostoja ei voi enää päivittää tai synkronoida!", "Your storage is full, files can not be updated or synced anymore!" : "Tallennustila on loppu, tiedostoja ei voi enää päivittää tai synkronoida!", @@ -74,6 +79,8 @@ OC.L10N.register( "Favorite" : "Suosikki", "New folder" : "Uusi kansio", "Upload file" : "Lähetä tiedosto", + "Remove from favorites" : "Poista suosikeista", + "Add to favorites" : "Lisää suosikkeihin", "An error occurred while trying to update the tags" : "Tunnisteiden päivitystä yrittäessä tapahtui virhe", "Added to favorites" : "Lisätty suosikkeihin", "Removed from favorites" : "Poistettu suosikeista", @@ -119,6 +126,7 @@ OC.L10N.register( "Settings" : "Asetukset", "Show hidden files" : "Näytä piilotetut tiedostot", "WebDAV" : "WebDAV", + "Use this address to access your Files via WebDAV" : "Käytä tätä osoitetta käyttääksesi tiedostojasi WebDAV:in kautta", "Cancel upload" : "Perus lähetys", "No files in here" : "Täällä ei ole tiedostoja", "Upload some content or sync with your devices!" : "Lähetä tiedostoja tai synkronoi sisältö laitteidesi kanssa!", diff --git a/apps/files/l10n/fi.json b/apps/files/l10n/fi.json index 807628a15ae9f..fada7c7ffc9ac 100644 --- a/apps/files/l10n/fi.json +++ b/apps/files/l10n/fi.json @@ -14,8 +14,10 @@ "Not enough free space, you are uploading {size1} but only {size2} is left" : "Ei riittävästi vapaata tilaa. Lähetyksesi koko on {size1}, mutta vain {size2} on jäljellä", "Target folder \"{dir}\" does not exist any more" : "Kohdekansio \"{dir}\" ei ole enää olemassa", "Not enough free space" : "Ei tarpeeksi vapaata tilaa", + "Uploading …" : "Lähetetään…", "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize}/{totalSize} ({bitrate})", + "Target folder does not exist any more" : "Kohdekansiota ei ole enää olemassa", "Actions" : "Toiminnot", "Download" : "Lataa", "Rename" : "Nimeä uudelleen", @@ -55,8 +57,11 @@ "You don’t have permission to upload or create files here" : "Käyttöoikeutesi eivät riitä tiedostojen lähettämiseen tai kansioiden luomiseen tähän sijaintiin", "_Uploading %n file_::_Uploading %n files_" : ["Lähetetään %n tiedosto","Lähetetään %n tiedostoa"], "New" : "Uusi", + "{used} of {quota} used" : "{used}/{quota} käytetty", + "{used} used" : "{used} käytetty", "\"{name}\" is an invalid file name." : "\"{name}\" on virheellinen tiedostonimi.", "File name cannot be empty." : "Tiedoston nimi ei voi olla tyhjä.", + "\"/\" is not allowed inside a file name." : "\"/\" ei ole sallittu merkki tiedostonimessä.", "\"{name}\" is not an allowed filetype" : "\"{name}\" ei ole sallittu tiedostomuoto", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Käyttäjän {owner} tallennustila on täynnä, tiedostoja ei voi enää päivittää tai synkronoida!", "Your storage is full, files can not be updated or synced anymore!" : "Tallennustila on loppu, tiedostoja ei voi enää päivittää tai synkronoida!", @@ -72,6 +77,8 @@ "Favorite" : "Suosikki", "New folder" : "Uusi kansio", "Upload file" : "Lähetä tiedosto", + "Remove from favorites" : "Poista suosikeista", + "Add to favorites" : "Lisää suosikkeihin", "An error occurred while trying to update the tags" : "Tunnisteiden päivitystä yrittäessä tapahtui virhe", "Added to favorites" : "Lisätty suosikkeihin", "Removed from favorites" : "Poistettu suosikeista", @@ -117,6 +124,7 @@ "Settings" : "Asetukset", "Show hidden files" : "Näytä piilotetut tiedostot", "WebDAV" : "WebDAV", + "Use this address to access your Files via WebDAV" : "Käytä tätä osoitetta käyttääksesi tiedostojasi WebDAV:in kautta", "Cancel upload" : "Perus lähetys", "No files in here" : "Täällä ei ole tiedostoja", "Upload some content or sync with your devices!" : "Lähetä tiedostoja tai synkronoi sisältö laitteidesi kanssa!", diff --git a/apps/files/l10n/nb.js b/apps/files/l10n/nb.js index 45b9027f78215..6e494a2ada860 100644 --- a/apps/files/l10n/nb.js +++ b/apps/files/l10n/nb.js @@ -66,6 +66,7 @@ OC.L10N.register( "{used} used" : "{used} brukt", "\"{name}\" is an invalid file name." : "\"{name}\" er et uglydig filnavn.", "File name cannot be empty." : "Filnavn kan ikke være tomt.", + "\"/\" is not allowed inside a file name." : "\"/\" tillates ikke i et filnavn.", "\"{name}\" is not an allowed filetype" : "\"{name}\" er ikke en tillatt filtype", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Lagringsplass for {owner} er full, filer kan ikke oppdateres eller synkroniseres lenger!", "Your storage is full, files can not be updated or synced anymore!" : "Lagringsplass er oppbrukt, filer kan ikke lenger oppdateres eller synkroniseres!", diff --git a/apps/files/l10n/nb.json b/apps/files/l10n/nb.json index 0328ceb283af5..387dc77b0d7f9 100644 --- a/apps/files/l10n/nb.json +++ b/apps/files/l10n/nb.json @@ -64,6 +64,7 @@ "{used} used" : "{used} brukt", "\"{name}\" is an invalid file name." : "\"{name}\" er et uglydig filnavn.", "File name cannot be empty." : "Filnavn kan ikke være tomt.", + "\"/\" is not allowed inside a file name." : "\"/\" tillates ikke i et filnavn.", "\"{name}\" is not an allowed filetype" : "\"{name}\" er ikke en tillatt filtype", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Lagringsplass for {owner} er full, filer kan ikke oppdateres eller synkroniseres lenger!", "Your storage is full, files can not be updated or synced anymore!" : "Lagringsplass er oppbrukt, filer kan ikke lenger oppdateres eller synkroniseres!", diff --git a/apps/files_external/l10n/es_MX.js b/apps/files_external/l10n/es_MX.js index 720a7c663d25d..f2b7352116444 100644 --- a/apps/files_external/l10n/es_MX.js +++ b/apps/files_external/l10n/es_MX.js @@ -75,6 +75,7 @@ OC.L10N.register( "Region" : "Región", "Enable SSL" : "Habilitar SSL", "Enable Path Style" : "Habilitar Estilo de Ruta", + "Legacy (v2) authentication" : "Autenticación legada (v2)", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Subcarpeta remota", diff --git a/apps/files_external/l10n/es_MX.json b/apps/files_external/l10n/es_MX.json index 59b9db811b32f..35048a800634d 100644 --- a/apps/files_external/l10n/es_MX.json +++ b/apps/files_external/l10n/es_MX.json @@ -73,6 +73,7 @@ "Region" : "Región", "Enable SSL" : "Habilitar SSL", "Enable Path Style" : "Habilitar Estilo de Ruta", + "Legacy (v2) authentication" : "Autenticación legada (v2)", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Subcarpeta remota", diff --git a/apps/files_external/l10n/fi.js b/apps/files_external/l10n/fi.js index 3015ada9ac179..81d087769d34c 100644 --- a/apps/files_external/l10n/fi.js +++ b/apps/files_external/l10n/fi.js @@ -75,6 +75,7 @@ OC.L10N.register( "Region" : "Alue", "Enable SSL" : "Käytä SSL:ää", "Enable Path Style" : "Aktivoi polun tyyli", + "Legacy (v2) authentication" : "Vanha (v2) tunnistautuminen", "WebDAV" : "WebDAV", "URL" : "Verkko-osoite", "Remote subfolder" : "Etäalikansio", diff --git a/apps/files_external/l10n/fi.json b/apps/files_external/l10n/fi.json index a4372667eb14f..0ef68577d34b3 100644 --- a/apps/files_external/l10n/fi.json +++ b/apps/files_external/l10n/fi.json @@ -73,6 +73,7 @@ "Region" : "Alue", "Enable SSL" : "Käytä SSL:ää", "Enable Path Style" : "Aktivoi polun tyyli", + "Legacy (v2) authentication" : "Vanha (v2) tunnistautuminen", "WebDAV" : "WebDAV", "URL" : "Verkko-osoite", "Remote subfolder" : "Etäalikansio", diff --git a/apps/files_external/l10n/fr.js b/apps/files_external/l10n/fr.js index dee98fd65c690..596ad1f267b21 100644 --- a/apps/files_external/l10n/fr.js +++ b/apps/files_external/l10n/fr.js @@ -75,6 +75,7 @@ OC.L10N.register( "Region" : "Région", "Enable SSL" : "Activer SSL", "Enable Path Style" : "Accès par path", + "Legacy (v2) authentication" : "Authentification héritée (v2)", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Sous-dossier distant", diff --git a/apps/files_external/l10n/fr.json b/apps/files_external/l10n/fr.json index d1834c87a2315..c5005b229b725 100644 --- a/apps/files_external/l10n/fr.json +++ b/apps/files_external/l10n/fr.json @@ -73,6 +73,7 @@ "Region" : "Région", "Enable SSL" : "Activer SSL", "Enable Path Style" : "Accès par path", + "Legacy (v2) authentication" : "Authentification héritée (v2)", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Sous-dossier distant", diff --git a/apps/files_external/l10n/ru.js b/apps/files_external/l10n/ru.js index 75e2e24358902..5f53880717266 100644 --- a/apps/files_external/l10n/ru.js +++ b/apps/files_external/l10n/ru.js @@ -9,11 +9,11 @@ OC.L10N.register( "Please provide a valid app key and secret." : "Пожалуйста укажите корректные ключ и секрет приложения.", "Error configuring OAuth2" : "Ошибка настройки OAuth2", "Generate keys" : "Создать ключи", - "Error generating key pair" : "Ошибка создания ключевой пары", + "Error generating key pair" : "Ошибка создания пары ключей", "All users. Type to select user or group." : "Все пользователи. Для выбора введите имя пользователя или группы.", "(group)" : "(группа)", "Compatibility with Mac NFD encoding (slow)" : "Совместимость с кодировкой Mac NFD (медленно)", - "Admin defined" : "Определено админом", + "Admin defined" : "Определено администратором", "Are you sure you want to delete this external storage" : "Действительно удалить это внешнее хранилище?", "Delete storage?" : "Удалить хранилище?", "Saved" : "Сохранено", @@ -21,14 +21,14 @@ OC.L10N.register( "Save" : "Сохранить", "Empty response from the server" : "Пустой ответ от сервера", "Couldn't access. Please log out and in again to activate this mount point" : "Не удалось получить доступ. Для активации этой точки подключения выйдите и снова войдите в систему", - "Couldn't get the information from the remote server: {code} {type}" : "Не удалось получить информацию с удалённого сервера: {code} {type}", + "Couldn't get the information from the remote server: {code} {type}" : "Не удалось получить информацию от удалённого сервера: {code} {type}", "Couldn't get the list of external mount points: {type}" : "Не удалось получить список внешних точек монтирования: {type}", "There was an error with message: " : "Обнаружена ошибка с сообщением:", - "External mount error" : "Ошибка внешнего монтирования", + "External mount error" : "Ошибка внешнего подключения", "external-storage" : "внешнее-хранилище", "Couldn't fetch list of Windows network drive mount points: Empty response from server" : "Не удалось получить список точек подключения сетевых дисков Windows: пустой ответ от сервера", "Some of the configured external mount points are not connected. Please click on the red row(s) for more information" : "Некоторые из настроенных внешних точек монтирования не подключены. Для получения дополнительной информации нажмите на красную строку(и)", - "Please enter the credentials for the {mount} mount" : "Укажите учётные данные для {mount}", + "Please enter the credentials for the {mount} mount" : "Укажите учётные данные для точки подключения «{mount}»", "Username" : "Имя пользователя", "Password" : "Пароль", "Credentials saved" : "Учётные данные сохранены", @@ -36,7 +36,7 @@ OC.L10N.register( "Credentials required" : "Требуются учётные данные", "Storage with ID \"%d\" not found" : "Хранилище с идентификатором «%d» не найдено", "Invalid backend or authentication mechanism class" : "Некорректный механизм авторизации или бэкенд", - "Invalid mount point" : "Неправильная точка входа", + "Invalid mount point" : "Неправильная точка подключения", "Objectstore forbidden" : "Хранение объектов запрещено", "Invalid storage backend \"%s\"" : "Неверный бэкенд хранилища «%s»", "Not permitted to use backend \"%s\"" : "Не допускается использование бэкенда «%s»", @@ -75,6 +75,7 @@ OC.L10N.register( "Region" : "Область", "Enable SSL" : "Включить SSL", "Enable Path Style" : "Включить стиль пути", + "Legacy (v2) authentication" : "Устаревшая (v2) проверка подлинности", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Удаленный подкаталог", @@ -99,13 +100,13 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка cURL в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка FTP в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "«%s» не установлен, монтирование %s невозможно. Обратитесь к вашему системному администратору.", - "No external storage configured" : "Нет настроенных внешних хранилищ", + "No external storage configured" : "Внешние хранилища не настроены", "You can add external storages in the personal settings" : "Вы можете добавить внешние хранилища в личных настройках", "Name" : "Имя", "Storage type" : "Тип хранилища", "Scope" : "Область", "Enable encryption" : "Включить шифрование", - "Enable previews" : "Включить предпросмотр", + "Enable previews" : "Включить предварительный просмотр", "Enable sharing" : "Включить общий доступ", "Check for changes" : "Проверять изменения", "Never" : "Никогда", diff --git a/apps/files_external/l10n/ru.json b/apps/files_external/l10n/ru.json index 27da77399f84d..233bc63a08146 100644 --- a/apps/files_external/l10n/ru.json +++ b/apps/files_external/l10n/ru.json @@ -7,11 +7,11 @@ "Please provide a valid app key and secret." : "Пожалуйста укажите корректные ключ и секрет приложения.", "Error configuring OAuth2" : "Ошибка настройки OAuth2", "Generate keys" : "Создать ключи", - "Error generating key pair" : "Ошибка создания ключевой пары", + "Error generating key pair" : "Ошибка создания пары ключей", "All users. Type to select user or group." : "Все пользователи. Для выбора введите имя пользователя или группы.", "(group)" : "(группа)", "Compatibility with Mac NFD encoding (slow)" : "Совместимость с кодировкой Mac NFD (медленно)", - "Admin defined" : "Определено админом", + "Admin defined" : "Определено администратором", "Are you sure you want to delete this external storage" : "Действительно удалить это внешнее хранилище?", "Delete storage?" : "Удалить хранилище?", "Saved" : "Сохранено", @@ -19,14 +19,14 @@ "Save" : "Сохранить", "Empty response from the server" : "Пустой ответ от сервера", "Couldn't access. Please log out and in again to activate this mount point" : "Не удалось получить доступ. Для активации этой точки подключения выйдите и снова войдите в систему", - "Couldn't get the information from the remote server: {code} {type}" : "Не удалось получить информацию с удалённого сервера: {code} {type}", + "Couldn't get the information from the remote server: {code} {type}" : "Не удалось получить информацию от удалённого сервера: {code} {type}", "Couldn't get the list of external mount points: {type}" : "Не удалось получить список внешних точек монтирования: {type}", "There was an error with message: " : "Обнаружена ошибка с сообщением:", - "External mount error" : "Ошибка внешнего монтирования", + "External mount error" : "Ошибка внешнего подключения", "external-storage" : "внешнее-хранилище", "Couldn't fetch list of Windows network drive mount points: Empty response from server" : "Не удалось получить список точек подключения сетевых дисков Windows: пустой ответ от сервера", "Some of the configured external mount points are not connected. Please click on the red row(s) for more information" : "Некоторые из настроенных внешних точек монтирования не подключены. Для получения дополнительной информации нажмите на красную строку(и)", - "Please enter the credentials for the {mount} mount" : "Укажите учётные данные для {mount}", + "Please enter the credentials for the {mount} mount" : "Укажите учётные данные для точки подключения «{mount}»", "Username" : "Имя пользователя", "Password" : "Пароль", "Credentials saved" : "Учётные данные сохранены", @@ -34,7 +34,7 @@ "Credentials required" : "Требуются учётные данные", "Storage with ID \"%d\" not found" : "Хранилище с идентификатором «%d» не найдено", "Invalid backend or authentication mechanism class" : "Некорректный механизм авторизации или бэкенд", - "Invalid mount point" : "Неправильная точка входа", + "Invalid mount point" : "Неправильная точка подключения", "Objectstore forbidden" : "Хранение объектов запрещено", "Invalid storage backend \"%s\"" : "Неверный бэкенд хранилища «%s»", "Not permitted to use backend \"%s\"" : "Не допускается использование бэкенда «%s»", @@ -73,6 +73,7 @@ "Region" : "Область", "Enable SSL" : "Включить SSL", "Enable Path Style" : "Включить стиль пути", + "Legacy (v2) authentication" : "Устаревшая (v2) проверка подлинности", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Удаленный подкаталог", @@ -97,13 +98,13 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка cURL в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка FTP в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "«%s» не установлен, монтирование %s невозможно. Обратитесь к вашему системному администратору.", - "No external storage configured" : "Нет настроенных внешних хранилищ", + "No external storage configured" : "Внешние хранилища не настроены", "You can add external storages in the personal settings" : "Вы можете добавить внешние хранилища в личных настройках", "Name" : "Имя", "Storage type" : "Тип хранилища", "Scope" : "Область", "Enable encryption" : "Включить шифрование", - "Enable previews" : "Включить предпросмотр", + "Enable previews" : "Включить предварительный просмотр", "Enable sharing" : "Включить общий доступ", "Check for changes" : "Проверять изменения", "Never" : "Никогда", diff --git a/apps/files_sharing/l10n/nl.js b/apps/files_sharing/l10n/nl.js index d5cb54120f4cd..a9073754b87cc 100644 --- a/apps/files_sharing/l10n/nl.js +++ b/apps/files_sharing/l10n/nl.js @@ -107,7 +107,7 @@ OC.L10N.register( "Add to your Nextcloud" : "Toevoegen aan je Nextcloud", "Download %s" : "Download %s", "Upload files to %s" : "Upload bestanden naar %s", - "Select or drop files" : "Selecteer of leg bestanden neer", + "Select or drop files" : "Selecteer bestanden of sleep ze naar dit venster", "Uploading files…" : "Uploaden bestanden...", "Uploaded files:" : "Geüploade bestanden", "%s is publicly shared" : "%s is openbaar gedeeld" diff --git a/apps/files_sharing/l10n/nl.json b/apps/files_sharing/l10n/nl.json index d55d2baed4f1c..24c7180400fe3 100644 --- a/apps/files_sharing/l10n/nl.json +++ b/apps/files_sharing/l10n/nl.json @@ -105,7 +105,7 @@ "Add to your Nextcloud" : "Toevoegen aan je Nextcloud", "Download %s" : "Download %s", "Upload files to %s" : "Upload bestanden naar %s", - "Select or drop files" : "Selecteer of leg bestanden neer", + "Select or drop files" : "Selecteer bestanden of sleep ze naar dit venster", "Uploading files…" : "Uploaden bestanden...", "Uploaded files:" : "Geüploade bestanden", "%s is publicly shared" : "%s is openbaar gedeeld" diff --git a/apps/oauth2/l10n/ar.js b/apps/oauth2/l10n/ar.js new file mode 100644 index 0000000000000..9771d51454024 --- /dev/null +++ b/apps/oauth2/l10n/ar.js @@ -0,0 +1,11 @@ +OC.L10N.register( + "oauth2", + { + "Name" : "الإسم", + "Redirection URI" : "رابط إعادة التوجيه", + "Client Identifier" : "مُعرِّف العميل", + "Secret" : "السر", + "Add client" : "إضافة عميل", + "Add" : "إضافة" +}, +"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/oauth2/l10n/ar.json b/apps/oauth2/l10n/ar.json new file mode 100644 index 0000000000000..bfa7e0487eabc --- /dev/null +++ b/apps/oauth2/l10n/ar.json @@ -0,0 +1,9 @@ +{ "translations": { + "Name" : "الإسم", + "Redirection URI" : "رابط إعادة التوجيه", + "Client Identifier" : "مُعرِّف العميل", + "Secret" : "السر", + "Add client" : "إضافة عميل", + "Add" : "إضافة" +},"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" +} \ No newline at end of file diff --git a/apps/theming/l10n/fi.js b/apps/theming/l10n/fi.js index 882231db1f897..f1b8654bef0c2 100644 --- a/apps/theming/l10n/fi.js +++ b/apps/theming/l10n/fi.js @@ -9,6 +9,9 @@ OC.L10N.register( "The given web address is too long" : "Verkko-osoite on liian pitkä", "The given slogan is too long" : "Slogani on liian pitkä", "The given color is invalid" : "Väri on virheellinen", + "There is no error, the file uploaded with success" : "Ei virhettä, tiedosto lähetettiin onnistuneesti", + "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "Lähetetty tiedosto ylittää php.ini-tiedoston upload_max_filesize-tietueen arvon", + "The uploaded file was only partially uploaded" : "Lähetetty tiedosto lähetettiin vain osittain", "No file was uploaded" : "Tiedostoa ei lähetetty", "Missing a temporary folder" : "Väliaikaiskansio puuttuu", "Failed to write file to disk." : "Levylle kirjoittaminen epäonnistui.", diff --git a/apps/theming/l10n/fi.json b/apps/theming/l10n/fi.json index 3ac21388f16cc..2a521e246d250 100644 --- a/apps/theming/l10n/fi.json +++ b/apps/theming/l10n/fi.json @@ -7,6 +7,9 @@ "The given web address is too long" : "Verkko-osoite on liian pitkä", "The given slogan is too long" : "Slogani on liian pitkä", "The given color is invalid" : "Väri on virheellinen", + "There is no error, the file uploaded with success" : "Ei virhettä, tiedosto lähetettiin onnistuneesti", + "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "Lähetetty tiedosto ylittää php.ini-tiedoston upload_max_filesize-tietueen arvon", + "The uploaded file was only partially uploaded" : "Lähetetty tiedosto lähetettiin vain osittain", "No file was uploaded" : "Tiedostoa ei lähetetty", "Missing a temporary folder" : "Väliaikaiskansio puuttuu", "Failed to write file to disk." : "Levylle kirjoittaminen epäonnistui.", diff --git a/core/l10n/bg.js b/core/l10n/bg.js index 1f943b4b99820..78d5cc84e4f82 100644 --- a/core/l10n/bg.js +++ b/core/l10n/bg.js @@ -202,8 +202,8 @@ OC.L10N.register( "An internal error occurred." : "Възникна вътрешна грешка.", "Please try again or contact your administrator." : "Опитайте отново или се свържете с администраотра.", "Username or email" : "Потребител или имейл", - "Wrong password." : "Грешна парола", "Log in" : "Вписване", + "Wrong password." : "Грешна парола", "Stay logged in" : "Остани вписан", "Alternative Logins" : "Алтернативни методи на вписване", "New password" : "Нова парола", diff --git a/core/l10n/bg.json b/core/l10n/bg.json index 770387d3ed73c..81414f57ed2f4 100644 --- a/core/l10n/bg.json +++ b/core/l10n/bg.json @@ -200,8 +200,8 @@ "An internal error occurred." : "Възникна вътрешна грешка.", "Please try again or contact your administrator." : "Опитайте отново или се свържете с администраотра.", "Username or email" : "Потребител или имейл", - "Wrong password." : "Грешна парола", "Log in" : "Вписване", + "Wrong password." : "Грешна парола", "Stay logged in" : "Остани вписан", "Alternative Logins" : "Алтернативни методи на вписване", "New password" : "Нова парола", diff --git a/core/l10n/ca.js b/core/l10n/ca.js index 74af9e9d01df7..8024cc213d125 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -252,8 +252,8 @@ OC.L10N.register( "An internal error occurred." : "S'ha produït un error intern.", "Please try again or contact your administrator." : "Intenti-ho de nou o posi's en contacte amb el seu administrador.", "Username or email" : "Nom d'usuari o correu electrònic", - "Wrong password." : "Contrasenya incorrecta.", "Log in" : "Inici de sessió", + "Wrong password." : "Contrasenya incorrecta.", "Stay logged in" : "Mantén la sessió connectada", "Alternative Logins" : "Acreditacions alternatives", "Account access" : "Compte d'accés", diff --git a/core/l10n/ca.json b/core/l10n/ca.json index 4bd49d335b9d2..1173d9ac41b6c 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -250,8 +250,8 @@ "An internal error occurred." : "S'ha produït un error intern.", "Please try again or contact your administrator." : "Intenti-ho de nou o posi's en contacte amb el seu administrador.", "Username or email" : "Nom d'usuari o correu electrònic", - "Wrong password." : "Contrasenya incorrecta.", "Log in" : "Inici de sessió", + "Wrong password." : "Contrasenya incorrecta.", "Stay logged in" : "Mantén la sessió connectada", "Alternative Logins" : "Acreditacions alternatives", "Account access" : "Compte d'accés", diff --git a/core/l10n/cs.js b/core/l10n/cs.js index 24d809dc011ea..043a4e425e6aa 100644 --- a/core/l10n/cs.js +++ b/core/l10n/cs.js @@ -254,8 +254,8 @@ OC.L10N.register( "An internal error occurred." : "Nastala vnitřní chyba.", "Please try again or contact your administrator." : "Prosím zkuste to znovu nebo kontaktujte vašeho správce.", "Username or email" : "Uživatelské jméno/email", - "Wrong password." : "Chybné heslo.", "Log in" : "Přihlásit", + "Wrong password." : "Chybné heslo.", "Stay logged in" : "Neodhlašovat", "Alternative Logins" : "Alternativní přihlášení", "Account access" : "Přístup k účtu", diff --git a/core/l10n/cs.json b/core/l10n/cs.json index 8337c4f460cd8..7adf6c4a5acf8 100644 --- a/core/l10n/cs.json +++ b/core/l10n/cs.json @@ -252,8 +252,8 @@ "An internal error occurred." : "Nastala vnitřní chyba.", "Please try again or contact your administrator." : "Prosím zkuste to znovu nebo kontaktujte vašeho správce.", "Username or email" : "Uživatelské jméno/email", - "Wrong password." : "Chybné heslo.", "Log in" : "Přihlásit", + "Wrong password." : "Chybné heslo.", "Stay logged in" : "Neodhlašovat", "Alternative Logins" : "Alternativní přihlášení", "Account access" : "Přístup k účtu", diff --git a/core/l10n/da.js b/core/l10n/da.js index 26a0345368645..455d991fd1532 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -256,8 +256,8 @@ OC.L10N.register( "An internal error occurred." : "Der opstod en intern fejl.", "Please try again or contact your administrator." : "Kontakt venligst din administrator.", "Username or email" : "Brugernavn eller e-mail", - "Wrong password." : "Forkert kodeord.", "Log in" : "Log ind", + "Wrong password." : "Forkert kodeord.", "Stay logged in" : "Forbliv logget ind", "Forgot password?" : "Glemt adgangskode?", "Back to log in" : "Tilbage til log in", diff --git a/core/l10n/da.json b/core/l10n/da.json index 8b614ec4d08ef..c0bd92220dcd6 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -254,8 +254,8 @@ "An internal error occurred." : "Der opstod en intern fejl.", "Please try again or contact your administrator." : "Kontakt venligst din administrator.", "Username or email" : "Brugernavn eller e-mail", - "Wrong password." : "Forkert kodeord.", "Log in" : "Log ind", + "Wrong password." : "Forkert kodeord.", "Stay logged in" : "Forbliv logget ind", "Forgot password?" : "Glemt adgangskode?", "Back to log in" : "Tilbage til log in", diff --git a/core/l10n/de.js b/core/l10n/de.js index 1f6af1511522c..ad2ea23021080 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien… / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte versuche es noch einmal oder kontaktiere den Administrator.", "Username or email" : "Benutzername oder E-Mail", - "Wrong password." : "Falsches Passwort.", "Log in" : "Anmelden", + "Wrong password." : "Falsches Passwort.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", - "You are about to grant \"%s\" access to your %s account." : "Du bist dabei \"%s\" Zugriff auf Dein %s-Konto zu gewähren." + "You are about to grant \"%s\" access to your %s account." : "Du bist dabei \"%s\" Zugriff auf Dein %s-Konto zu gewähren.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/de.json b/core/l10n/de.json index e5399830ed864..4f644a088dd93 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien… / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte versuche es noch einmal oder kontaktiere den Administrator.", "Username or email" : "Benutzername oder E-Mail", - "Wrong password." : "Falsches Passwort.", "Log in" : "Anmelden", + "Wrong password." : "Falsches Passwort.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", - "You are about to grant \"%s\" access to your %s account." : "Du bist dabei \"%s\" Zugriff auf Dein %s-Konto zu gewähren." + "You are about to grant \"%s\" access to your %s account." : "Du bist dabei \"%s\" Zugriff auf Dein %s-Konto zu gewähren.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index 25cd0ae7255ac..ca4a47fea233a 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien … / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte versuchen Sie es noch einmal oder kontaktieren Sie Ihren Administrator.", "Username or email" : "Benutzername oder E-Mail", - "Wrong password." : "Falsches Passwort.", "Log in" : "Anmelden", + "Wrong password." : "Falsches Passwort.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", - "You are about to grant \"%s\" access to your %s account." : "Sie sind dabei \"%s\" Zugriff auf Ihr %s-Konto zu gewähren." + "You are about to grant \"%s\" access to your %s account." : "Sie sind dabei \"%s\" Zugriff auf Ihr %s-Konto zu gewähren.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index 0edddf4e86093..fee04ccc583a5 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien … / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte versuchen Sie es noch einmal oder kontaktieren Sie Ihren Administrator.", "Username or email" : "Benutzername oder E-Mail", - "Wrong password." : "Falsches Passwort.", "Log in" : "Anmelden", + "Wrong password." : "Falsches Passwort.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", - "You are about to grant \"%s\" access to your %s account." : "Sie sind dabei \"%s\" Zugriff auf Ihr %s-Konto zu gewähren." + "You are about to grant \"%s\" access to your %s account." : "Sie sind dabei \"%s\" Zugriff auf Ihr %s-Konto zu gewähren.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/el.js b/core/l10n/el.js index 481ef795f9086..55c9db6b2697a 100644 --- a/core/l10n/el.js +++ b/core/l10n/el.js @@ -252,8 +252,8 @@ OC.L10N.register( "An internal error occurred." : "Παρουσιάστηκε ένα εσωτερικό σφάλμα.", "Please try again or contact your administrator." : "Παρακαλούμε δοκιμάστε ξανά ή επικοινωνήστε με τον διαχειριστή.", "Username or email" : "Όνομα χρήστη ή email", - "Wrong password." : "Λάθος συνθηματικό.", "Log in" : "Είσοδος", + "Wrong password." : "Λάθος συνθηματικό.", "Stay logged in" : "Μείνετε συνδεδεμένος", "Alternative Logins" : "Εναλλακτικές είσοδοι", "Account access" : "Πρόσβαση λογαριασμού", diff --git a/core/l10n/el.json b/core/l10n/el.json index ef62febbff9a6..466dede6bf1af 100644 --- a/core/l10n/el.json +++ b/core/l10n/el.json @@ -250,8 +250,8 @@ "An internal error occurred." : "Παρουσιάστηκε ένα εσωτερικό σφάλμα.", "Please try again or contact your administrator." : "Παρακαλούμε δοκιμάστε ξανά ή επικοινωνήστε με τον διαχειριστή.", "Username or email" : "Όνομα χρήστη ή email", - "Wrong password." : "Λάθος συνθηματικό.", "Log in" : "Είσοδος", + "Wrong password." : "Λάθος συνθηματικό.", "Stay logged in" : "Μείνετε συνδεδεμένος", "Alternative Logins" : "Εναλλακτικές είσοδοι", "Account access" : "Πρόσβαση λογαριασμού", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index b512850d4d7cd..82e2f5b9dd838 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface.", "Error occurred while checking server setup" : "Error occurred whilst checking server setup", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "An internal error occurred.", "Please try again or contact your administrator." : "Please try again or contact your administrator.", "Username or email" : "Username or email", - "Wrong password." : "Wrong password.", "Log in" : "Log in", + "Wrong password." : "Wrong password.", "Stay logged in" : "Stay logged in", "Forgot password?" : "Forgot password?", "Back to log in" : "Back to log in", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account." + "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index d0958ad5fb098..4e5a43402cd33 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface.", "Error occurred while checking server setup" : "Error occurred whilst checking server setup", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly.", @@ -273,8 +272,8 @@ "An internal error occurred." : "An internal error occurred.", "Please try again or contact your administrator." : "Please try again or contact your administrator.", "Username or email" : "Username or email", - "Wrong password." : "Wrong password.", "Log in" : "Log in", + "Wrong password." : "Wrong password.", "Stay logged in" : "Stay logged in", "Forgot password?" : "Forgot password?", "Back to log in" : "Back to log in", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account." + "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es.js b/core/l10n/es.js index 79020a0f4c495..e2331f8cb074b 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han pasado la comprobación de integridad. Se puede encontrar más información sobre cómo resolver este problema en la documentación. (Lista de archivos inválidos... / Reescanear)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "La OPcache de PHP no está bien configurada. Para mejorar el rendimiento se recomienda usar las siguientes configuraciones en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función PHP \"set_time_limit\" no está disponible. Esto podría resultar en scripts detenidos a mitad de ejecución, rompiendo tu instalación. Activar esta función está fuertemente recomendado.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene soporte de freetype. Esto tendrá como resultado que las imágenes de perfil y la interfaz de configuración estarán rotas.", "Error occurred while checking server setup" : "Ha ocurrido un error al revisar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible, o que lo muevas fuera de la raíz de documentos del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "La cabecera HTTP \"{header}\" no está configurada como \"{expected}\". Esto es un riesgo potencial de seguridad o privacidad, y se recomienda ajustar esta configuración de forma adecuada.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Ha habido un error interno.", "Please try again or contact your administrator." : "Por favor reintente nuevamente o contáctese con su administrador.", "Username or email" : "Nombre de usuario o email", - "Wrong password." : "Contraseña incorrecta.", "Log in" : "Iniciar sesión", + "Wrong password." : "Contraseña incorrecta.", "Stay logged in" : "Permanecer autenticado", "Forgot password?" : "¿Contraseña olvidada?", "Back to log in" : "Volver al registro", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La caché OPCache de PHP no ha sido configurada correctamente. Para un mejor funcionamiento recomendamos usar la siguiente configuración en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_limit_time\" no esta disponible. Esto podría resultar en el script siendo terminado a la mitad de la ejecución, rompiendo la instalación. Le sugerimos considerablemente que active esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Estás a punto de conceder a \"%s\" acceso a tu cuenta %s" + "You are about to grant \"%s\" access to your %s account." : "Estás a punto de conceder a \"%s\" acceso a tu cuenta %s", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene soporte de freetype. Esto tendrá como resultado que las imágenes de perfil y la interfaz de configuración estarán rotas." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es.json b/core/l10n/es.json index 2d5747ca8ba09..77d72a25b538f 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han pasado la comprobación de integridad. Se puede encontrar más información sobre cómo resolver este problema en la documentación. (Lista de archivos inválidos... / Reescanear)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "La OPcache de PHP no está bien configurada. Para mejorar el rendimiento se recomienda usar las siguientes configuraciones en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función PHP \"set_time_limit\" no está disponible. Esto podría resultar en scripts detenidos a mitad de ejecución, rompiendo tu instalación. Activar esta función está fuertemente recomendado.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene soporte de freetype. Esto tendrá como resultado que las imágenes de perfil y la interfaz de configuración estarán rotas.", "Error occurred while checking server setup" : "Ha ocurrido un error al revisar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible, o que lo muevas fuera de la raíz de documentos del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "La cabecera HTTP \"{header}\" no está configurada como \"{expected}\". Esto es un riesgo potencial de seguridad o privacidad, y se recomienda ajustar esta configuración de forma adecuada.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Ha habido un error interno.", "Please try again or contact your administrator." : "Por favor reintente nuevamente o contáctese con su administrador.", "Username or email" : "Nombre de usuario o email", - "Wrong password." : "Contraseña incorrecta.", "Log in" : "Iniciar sesión", + "Wrong password." : "Contraseña incorrecta.", "Stay logged in" : "Permanecer autenticado", "Forgot password?" : "¿Contraseña olvidada?", "Back to log in" : "Volver al registro", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La caché OPCache de PHP no ha sido configurada correctamente. Para un mejor funcionamiento recomendamos usar la siguiente configuración en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_limit_time\" no esta disponible. Esto podría resultar en el script siendo terminado a la mitad de la ejecución, rompiendo la instalación. Le sugerimos considerablemente que active esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Estás a punto de conceder a \"%s\" acceso a tu cuenta %s" + "You are about to grant \"%s\" access to your %s account." : "Estás a punto de conceder a \"%s\" acceso a tu cuenta %s", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene soporte de freetype. Esto tendrá como resultado que las imágenes de perfil y la interfaz de configuración estarán rotas." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_419.js b/core/l10n/es_419.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_419.js +++ b/core/l10n/es_419.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_419.json b/core/l10n/es_419.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_419.json +++ b/core/l10n/es_419.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_AR.js b/core/l10n/es_AR.js index 9ae6b424b4bc4..7f1fd78612c8a 100644 --- a/core/l10n/es_AR.js +++ b/core/l10n/es_AR.js @@ -247,8 +247,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", "Username or email" : "Nombre de usuario o contraseña", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Alternative Logins" : "Accesos Alternativos", "Account access" : "Acceso a la cuenta", diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json index 17465160c7d9b..61ade5ed941ba 100644 --- a/core/l10n/es_AR.json +++ b/core/l10n/es_AR.json @@ -245,8 +245,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", "Username or email" : "Nombre de usuario o contraseña", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Alternative Logins" : "Accesos Alternativos", "Account access" : "Acceso a la cuenta", diff --git a/core/l10n/es_CL.js b/core/l10n/es_CL.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_CL.js +++ b/core/l10n/es_CL.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_CL.json b/core/l10n/es_CL.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_CL.json +++ b/core/l10n/es_CL.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_CO.js b/core/l10n/es_CO.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_CO.js +++ b/core/l10n/es_CO.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_CO.json b/core/l10n/es_CO.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_CO.json +++ b/core/l10n/es_CO.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_CR.js b/core/l10n/es_CR.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_CR.js +++ b/core/l10n/es_CR.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_CR.json b/core/l10n/es_CR.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_CR.json +++ b/core/l10n/es_CR.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_DO.js b/core/l10n/es_DO.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_DO.js +++ b/core/l10n/es_DO.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_DO.json b/core/l10n/es_DO.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_DO.json +++ b/core/l10n/es_DO.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_EC.js b/core/l10n/es_EC.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_EC.js +++ b/core/l10n/es_EC.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_EC.json b/core/l10n/es_EC.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_EC.json +++ b/core/l10n/es_EC.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_GT.js b/core/l10n/es_GT.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_GT.js +++ b/core/l10n/es_GT.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_GT.json b/core/l10n/es_GT.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_GT.json +++ b/core/l10n/es_GT.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_HN.js b/core/l10n/es_HN.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_HN.js +++ b/core/l10n/es_HN.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_HN.json b/core/l10n/es_HN.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_HN.json +++ b/core/l10n/es_HN.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_MX.js b/core/l10n/es_MX.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_MX.js +++ b/core/l10n/es_MX.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_MX.json b/core/l10n/es_MX.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_MX.json +++ b/core/l10n/es_MX.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_NI.js b/core/l10n/es_NI.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_NI.js +++ b/core/l10n/es_NI.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_NI.json b/core/l10n/es_NI.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_NI.json +++ b/core/l10n/es_NI.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PA.js b/core/l10n/es_PA.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_PA.js +++ b/core/l10n/es_PA.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PA.json b/core/l10n/es_PA.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_PA.json +++ b/core/l10n/es_PA.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PE.js b/core/l10n/es_PE.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_PE.js +++ b/core/l10n/es_PE.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PE.json b/core/l10n/es_PE.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_PE.json +++ b/core/l10n/es_PE.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PR.js b/core/l10n/es_PR.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_PR.js +++ b/core/l10n/es_PR.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PR.json b/core/l10n/es_PR.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_PR.json +++ b/core/l10n/es_PR.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PY.js b/core/l10n/es_PY.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_PY.js +++ b/core/l10n/es_PY.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PY.json b/core/l10n/es_PY.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_PY.json +++ b/core/l10n/es_PY.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_SV.js b/core/l10n/es_SV.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_SV.js +++ b/core/l10n/es_SV.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_SV.json b/core/l10n/es_SV.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_SV.json +++ b/core/l10n/es_SV.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_UY.js b/core/l10n/es_UY.js index de439840a5f33..93e2871d2c2ec 100644 --- a/core/l10n/es_UY.js +++ b/core/l10n/es_UY.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_UY.json b/core/l10n/es_UY.json index 52191aadf207b..d6acd263efa5d 100644 --- a/core/l10n/es_UY.json +++ b/core/l10n/es_UY.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones.", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -273,8 +272,8 @@ "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Username or email" : "Usuario o correo electrónico", - "Wrong password." : "Contraseña inválida. ", "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s." + "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/et_EE.js b/core/l10n/et_EE.js index 2e6ba01779944..fc2ee6e084d72 100644 --- a/core/l10n/et_EE.js +++ b/core/l10n/et_EE.js @@ -251,8 +251,8 @@ OC.L10N.register( "An internal error occurred." : "Tekkis sisemine tõrge.", "Please try again or contact your administrator." : "Palun proovi uuesti või võta ühendust oma administraatoriga.", "Username or email" : "Kasutajanimi või e-posti aadress", - "Wrong password." : "Vale parool.", "Log in" : "Logi sisse", + "Wrong password." : "Vale parool.", "Stay logged in" : "Püsi sisselogituna", "Forgot password?" : "Unustasid parooli?", "Back to log in" : "Tagasi sisselogimise lehele", diff --git a/core/l10n/et_EE.json b/core/l10n/et_EE.json index af02eac5398ed..e2e6a6f33875c 100644 --- a/core/l10n/et_EE.json +++ b/core/l10n/et_EE.json @@ -249,8 +249,8 @@ "An internal error occurred." : "Tekkis sisemine tõrge.", "Please try again or contact your administrator." : "Palun proovi uuesti või võta ühendust oma administraatoriga.", "Username or email" : "Kasutajanimi või e-posti aadress", - "Wrong password." : "Vale parool.", "Log in" : "Logi sisse", + "Wrong password." : "Vale parool.", "Stay logged in" : "Püsi sisselogituna", "Forgot password?" : "Unustasid parooli?", "Back to log in" : "Tagasi sisselogimise lehele", diff --git a/core/l10n/eu.js b/core/l10n/eu.js index 60fd8703c23d0..d4dfee052ae4a 100644 --- a/core/l10n/eu.js +++ b/core/l10n/eu.js @@ -253,8 +253,8 @@ OC.L10N.register( "An internal error occurred." : "Barne errorea gertatu da.", "Please try again or contact your administrator." : "Saiatu berriro edo jarri harremanetan administratzailearekin.", "Username or email" : "Erabiltzaile izena edo e-posta", - "Wrong password." : "Pasahitz okerra.", "Log in" : "Hasi saioa", + "Wrong password." : "Pasahitz okerra.", "Stay logged in" : "Ez amaitu saioa", "Alternative Logins" : "Beste erabiltzaile izenak", "Account access" : "Kontuaren sarbidea", diff --git a/core/l10n/eu.json b/core/l10n/eu.json index df8fc755338d9..b679c5b338606 100644 --- a/core/l10n/eu.json +++ b/core/l10n/eu.json @@ -251,8 +251,8 @@ "An internal error occurred." : "Barne errorea gertatu da.", "Please try again or contact your administrator." : "Saiatu berriro edo jarri harremanetan administratzailearekin.", "Username or email" : "Erabiltzaile izena edo e-posta", - "Wrong password." : "Pasahitz okerra.", "Log in" : "Hasi saioa", + "Wrong password." : "Pasahitz okerra.", "Stay logged in" : "Ez amaitu saioa", "Alternative Logins" : "Beste erabiltzaile izenak", "Account access" : "Kontuaren sarbidea", diff --git a/core/l10n/fa.js b/core/l10n/fa.js index f1cec4152a426..7c3155de252ce 100644 --- a/core/l10n/fa.js +++ b/core/l10n/fa.js @@ -250,8 +250,8 @@ OC.L10N.register( "An internal error occurred." : "یک اشتباه داخلی رخ داد.", "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", "Username or email" : "نام کاربری یا ایمیل", - "Wrong password." : "گذرواژه اشتباه.", "Log in" : "ورود", + "Wrong password." : "گذرواژه اشتباه.", "Stay logged in" : "در سیستم بمانید", "Alternative Logins" : "ورود متناوب", "Account access" : "دسترسی به حساب", diff --git a/core/l10n/fa.json b/core/l10n/fa.json index b0649479a51fb..7e14c2a1a2f3f 100644 --- a/core/l10n/fa.json +++ b/core/l10n/fa.json @@ -248,8 +248,8 @@ "An internal error occurred." : "یک اشتباه داخلی رخ داد.", "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", "Username or email" : "نام کاربری یا ایمیل", - "Wrong password." : "گذرواژه اشتباه.", "Log in" : "ورود", + "Wrong password." : "گذرواژه اشتباه.", "Stay logged in" : "در سیستم بمانید", "Alternative Logins" : "ورود متناوب", "Account access" : "دسترسی به حساب", diff --git a/core/l10n/fi.js b/core/l10n/fi.js index ca9e7d6bd766e..3e25a12d36bdf 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -109,6 +109,7 @@ OC.L10N.register( "So-so password" : "Kohtalainen salasana", "Good password" : "Hyvä salasana", "Strong password" : "Vahva salasana", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "HTTP-palvelintasi ei ole määritetty oikein tiedostojen synkronointia varten, koska WebDAV-liitäntä vaikuttaa olevan rikki.", "Error occurred while checking server setup" : "Virhe palvelimen määrityksiä tarkistaessa", "Shared" : "Jaettu", "Shared with" : "Jaettu", @@ -255,8 +256,8 @@ OC.L10N.register( "An internal error occurred." : "Tapahtui sisäinen virhe.", "Please try again or contact your administrator." : "Yritä uudestaan tai ota yhteys ylläpitäjään.", "Username or email" : "Käyttäjätunnus tai sähköpostiosoite", - "Wrong password." : "Väärä salasana.", "Log in" : "Kirjaudu sisään", + "Wrong password." : "Väärä salasana.", "Stay logged in" : "Pysy sisäänkirjautuneena", "Forgot password?" : "Unohditko salasanasi?", "Back to log in" : "Palaa kirjautumiseen", @@ -348,6 +349,7 @@ OC.L10N.register( "For help, see the documentation." : "Apua saat dokumentaatiosta.", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktio \"set_time_limit\" ei ole saatavilla. Tämä saattaa johtaa siihen, että skriptien suoritus jää puolitiehen, ja seurauksena on Nextcloud-asennuksen rikkoutuminen. Suosittelemme ottamaan kyseisen funktion käyttöön.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", - "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi." + "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP:ssäsi ei ole freetype-tukea. Tämä johtaa rikkinäisiin profiilikuviin ja rikkinäiseen asetuskäyttöliittymään." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/fi.json b/core/l10n/fi.json index 198a30182bb7c..7da9715ab0bdf 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -107,6 +107,7 @@ "So-so password" : "Kohtalainen salasana", "Good password" : "Hyvä salasana", "Strong password" : "Vahva salasana", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "HTTP-palvelintasi ei ole määritetty oikein tiedostojen synkronointia varten, koska WebDAV-liitäntä vaikuttaa olevan rikki.", "Error occurred while checking server setup" : "Virhe palvelimen määrityksiä tarkistaessa", "Shared" : "Jaettu", "Shared with" : "Jaettu", @@ -253,8 +254,8 @@ "An internal error occurred." : "Tapahtui sisäinen virhe.", "Please try again or contact your administrator." : "Yritä uudestaan tai ota yhteys ylläpitäjään.", "Username or email" : "Käyttäjätunnus tai sähköpostiosoite", - "Wrong password." : "Väärä salasana.", "Log in" : "Kirjaudu sisään", + "Wrong password." : "Väärä salasana.", "Stay logged in" : "Pysy sisäänkirjautuneena", "Forgot password?" : "Unohditko salasanasi?", "Back to log in" : "Palaa kirjautumiseen", @@ -346,6 +347,7 @@ "For help, see the documentation." : "Apua saat dokumentaatiosta.", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktio \"set_time_limit\" ei ole saatavilla. Tämä saattaa johtaa siihen, että skriptien suoritus jää puolitiehen, ja seurauksena on Nextcloud-asennuksen rikkoutuminen. Suosittelemme ottamaan kyseisen funktion käyttöön.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", - "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi." + "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP:ssäsi ei ole freetype-tukea. Tämä johtaa rikkinäisiin profiilikuviin ja rikkinäiseen asetuskäyttöliittymään." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/fr.js b/core/l10n/fr.js index 847c1a284bf9f..c840f17ffd875 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Vous trouverez plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Rescanner…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution en bloquant votre installation. Nous vous recommandons vivement d'activer cette fonction.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre PHP ne prend pas en charge freetype. Cela va casser les images de profil et l'interface des paramètres.", "Error occurred while checking server setup" : "Une erreur s'est produite lors de la vérification de la configuration du serveur", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\". Ceci constitue un risque potentiel relatif à la sécurité et à la vie privée étant donné qu'il est recommandé d'ajuster ce paramètre.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Une erreur interne est survenue.", "Please try again or contact your administrator." : "Veuillez réessayer ou contactez votre administrateur.", "Username or email" : "Nom d'utilisateur ou adresse de courriel", - "Wrong password." : "Mot de passe incorrect.", "Log in" : "Se connecter", + "Wrong password." : "Mot de passe incorrect.", "Stay logged in" : "Rester connecté", "Forgot password?" : "Mot de passe oublié ?", "Back to log in" : "Retour à la page de connexion", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", - "You are about to grant \"%s\" access to your %s account." : "Vous êtes sur le point d'accorder à \"%s\" l'accès à votre compte \"%s\"." + "You are about to grant \"%s\" access to your %s account." : "Vous êtes sur le point d'accorder à \"%s\" l'accès à votre compte \"%s\".", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre PHP ne prend pas en charge freetype. Cela va casser les images de profil et l'interface des paramètres." }, "nplurals=2; plural=(n > 1);"); diff --git a/core/l10n/fr.json b/core/l10n/fr.json index 7e36564ace535..00b91b4d82063 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Vous trouverez plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Rescanner…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution en bloquant votre installation. Nous vous recommandons vivement d'activer cette fonction.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre PHP ne prend pas en charge freetype. Cela va casser les images de profil et l'interface des paramètres.", "Error occurred while checking server setup" : "Une erreur s'est produite lors de la vérification de la configuration du serveur", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\". Ceci constitue un risque potentiel relatif à la sécurité et à la vie privée étant donné qu'il est recommandé d'ajuster ce paramètre.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Une erreur interne est survenue.", "Please try again or contact your administrator." : "Veuillez réessayer ou contactez votre administrateur.", "Username or email" : "Nom d'utilisateur ou adresse de courriel", - "Wrong password." : "Mot de passe incorrect.", "Log in" : "Se connecter", + "Wrong password." : "Mot de passe incorrect.", "Stay logged in" : "Rester connecté", "Forgot password?" : "Mot de passe oublié ?", "Back to log in" : "Retour à la page de connexion", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", - "You are about to grant \"%s\" access to your %s account." : "Vous êtes sur le point d'accorder à \"%s\" l'accès à votre compte \"%s\"." + "You are about to grant \"%s\" access to your %s account." : "Vous êtes sur le point d'accorder à \"%s\" l'accès à votre compte \"%s\".", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre PHP ne prend pas en charge freetype. Cela va casser les images de profil et l'interface des paramètres." },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/core/l10n/hu.js b/core/l10n/hu.js index 9a7f8204d6fb8..73670cb25259e 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Pár fájl nem ment át az integritás ellenőrzésen. További információk a helyzet megoldására a dokumentációban található. (Érvénytelen fájlok listája… / Újraellenőrzés…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítményért használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat futás kötzben, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "A PHP-ból hiányzik a freetype támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja.", "Error occurred while checking server setup" : "Hiba történt a szerver beállítások ellenőrzése közben", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "A \"{header}\" HTTP fejléc nincs beállítva, hogy megegyezzen az elvárttal \"{expected}\". Ez egy potenciális biztonsági és adatvédelmi kockázat. Kérjük, hogy változtassa meg a beállításokat.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Belső hiba történt.", "Please try again or contact your administrator." : "Kérjük, próbálja meg újra, vagy vegye fel a kapcsolatot a rendszergazdával.", "Username or email" : "Felhasználói név vagy e-mail cím", - "Wrong password." : "Hibás jelszó.", "Log in" : "Bejelentkezés", + "Wrong password." : "Hibás jelszó.", "Stay logged in" : "Maradjon bejelentkezve", "Forgot password?" : "Elfelejtett jelszó?", "Back to log in" : "Vissza a bejelentkezéshez", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítmény érdekében használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\" hozzáférést készülsz adni a(z) %s fiókodnak." + "You are about to grant \"%s\" access to your %s account." : "\"%s\" hozzáférést készülsz adni a(z) %s fiókodnak.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "A PHP-ból hiányzik a freetype támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/hu.json b/core/l10n/hu.json index f110f0a23216c..b4782dfea3f7b 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Pár fájl nem ment át az integritás ellenőrzésen. További információk a helyzet megoldására a dokumentációban található. (Érvénytelen fájlok listája… / Újraellenőrzés…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítményért használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat futás kötzben, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "A PHP-ból hiányzik a freetype támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja.", "Error occurred while checking server setup" : "Hiba történt a szerver beállítások ellenőrzése közben", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "A \"{header}\" HTTP fejléc nincs beállítva, hogy megegyezzen az elvárttal \"{expected}\". Ez egy potenciális biztonsági és adatvédelmi kockázat. Kérjük, hogy változtassa meg a beállításokat.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Belső hiba történt.", "Please try again or contact your administrator." : "Kérjük, próbálja meg újra, vagy vegye fel a kapcsolatot a rendszergazdával.", "Username or email" : "Felhasználói név vagy e-mail cím", - "Wrong password." : "Hibás jelszó.", "Log in" : "Bejelentkezés", + "Wrong password." : "Hibás jelszó.", "Stay logged in" : "Maradjon bejelentkezve", "Forgot password?" : "Elfelejtett jelszó?", "Back to log in" : "Vissza a bejelentkezéshez", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítmény érdekében használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\" hozzáférést készülsz adni a(z) %s fiókodnak." + "You are about to grant \"%s\" access to your %s account." : "\"%s\" hozzáférést készülsz adni a(z) %s fiókodnak.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "A PHP-ból hiányzik a freetype támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/id.js b/core/l10n/id.js index e1e0cf05f0e33..e5e9f59ca6248 100644 --- a/core/l10n/id.js +++ b/core/l10n/id.js @@ -206,8 +206,8 @@ OC.L10N.register( "An internal error occurred." : "Terjadi kesalahan internal.", "Please try again or contact your administrator." : "Mohon coba lagi atau hubungi administrator Anda.", "Username or email" : "Nama pengguna atau email", - "Wrong password." : "Sandi salah.", "Log in" : "Masuk", + "Wrong password." : "Sandi salah.", "Stay logged in" : "Tetap masuk", "Alternative Logins" : "Cara Alternatif untuk Masuk", "New password" : "Sandi baru", diff --git a/core/l10n/id.json b/core/l10n/id.json index 18b0cb942762c..bc2e45f392290 100644 --- a/core/l10n/id.json +++ b/core/l10n/id.json @@ -204,8 +204,8 @@ "An internal error occurred." : "Terjadi kesalahan internal.", "Please try again or contact your administrator." : "Mohon coba lagi atau hubungi administrator Anda.", "Username or email" : "Nama pengguna atau email", - "Wrong password." : "Sandi salah.", "Log in" : "Masuk", + "Wrong password." : "Sandi salah.", "Stay logged in" : "Tetap masuk", "Alternative Logins" : "Cara Alternatif untuk Masuk", "New password" : "Sandi baru", diff --git a/core/l10n/is.js b/core/l10n/is.js index f332d1133d2f8..333dbff6eb560 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -257,8 +257,8 @@ OC.L10N.register( "An internal error occurred." : "Innri villa kom upp.", "Please try again or contact your administrator." : "Reyndu aftur eða hafðu samband við kerfisstjóra.", "Username or email" : "Notandanafn eða tölvupóstur", - "Wrong password." : "Rangt lykilorð.", "Log in" : "Skrá inn", + "Wrong password." : "Rangt lykilorð.", "Stay logged in" : "Haldast skráður inn", "Forgot password?" : "Gleymdirðu lykilorði?", "Alternative Logins" : "Aðrar innskráningar", diff --git a/core/l10n/is.json b/core/l10n/is.json index 166c32f9ca557..2c9595439b91b 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -255,8 +255,8 @@ "An internal error occurred." : "Innri villa kom upp.", "Please try again or contact your administrator." : "Reyndu aftur eða hafðu samband við kerfisstjóra.", "Username or email" : "Notandanafn eða tölvupóstur", - "Wrong password." : "Rangt lykilorð.", "Log in" : "Skrá inn", + "Wrong password." : "Rangt lykilorð.", "Stay logged in" : "Haldast skráður inn", "Forgot password?" : "Gleymdirðu lykilorði?", "Alternative Logins" : "Aðrar innskráningar", diff --git a/core/l10n/it.js b/core/l10n/it.js index a0c8947c9b2e6..d6613225981af 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alcuni file non hanno superato il controllo di integrità. Ulteriori informazioni su come risolvere questo problema sono disponibili nella documentazione. (Elenco dei file non validi… / Nuova scansione…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni seguenti in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "La tua versione di PHP non ha il supporto freetype. Ciò causera problemi con le immagini dei profili e con l'interfaccia delle impostazioni.", "Error occurred while checking server setup" : "Si è verificato un errore durante il controllo della configurazione del server", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet. Il file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'intestazione HTTP \"{header}\" non è configurata come \"{expected}\". \nQuesto è un potenziale rischio di sicurezza o di riservatezza, e noi consigliamo di modificare questa impostazione.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Si è verificato un errore interno.", "Please try again or contact your administrator." : "Prova ancora o contatta il tuo amministratore.", "Username or email" : "Nome utente o email", - "Wrong password." : "Password errata.", "Log in" : "Accedi", + "Wrong password." : "Password errata.", "Stay logged in" : "Rimani collegato", "Forgot password?" : "Hai dimenticato la password?", "Back to log in" : "Torna alla schermata di accesso", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", - "You are about to grant \"%s\" access to your %s account." : "Stai per accordare a \"%s\" l'accesso al tuo account %s." + "You are about to grant \"%s\" access to your %s account." : "Stai per accordare a \"%s\" l'accesso al tuo account %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "La tua versione di PHP non ha il supporto freetype. Ciò causera problemi con le immagini dei profili e con l'interfaccia delle impostazioni." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/it.json b/core/l10n/it.json index 3855078301536..887aec4ad4f6a 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alcuni file non hanno superato il controllo di integrità. Ulteriori informazioni su come risolvere questo problema sono disponibili nella documentazione. (Elenco dei file non validi… / Nuova scansione…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni seguenti in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "La tua versione di PHP non ha il supporto freetype. Ciò causera problemi con le immagini dei profili e con l'interfaccia delle impostazioni.", "Error occurred while checking server setup" : "Si è verificato un errore durante il controllo della configurazione del server", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet. Il file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'intestazione HTTP \"{header}\" non è configurata come \"{expected}\". \nQuesto è un potenziale rischio di sicurezza o di riservatezza, e noi consigliamo di modificare questa impostazione.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Si è verificato un errore interno.", "Please try again or contact your administrator." : "Prova ancora o contatta il tuo amministratore.", "Username or email" : "Nome utente o email", - "Wrong password." : "Password errata.", "Log in" : "Accedi", + "Wrong password." : "Password errata.", "Stay logged in" : "Rimani collegato", "Forgot password?" : "Hai dimenticato la password?", "Back to log in" : "Torna alla schermata di accesso", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", - "You are about to grant \"%s\" access to your %s account." : "Stai per accordare a \"%s\" l'accesso al tuo account %s." + "You are about to grant \"%s\" access to your %s account." : "Stai per accordare a \"%s\" l'accesso al tuo account %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "La tua versione di PHP non ha il supporto freetype. Ciò causera problemi con le immagini dei profili e con l'interfaccia delle impostazioni." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/ja.js b/core/l10n/ja.js index 2bfad5c411969..74bc2a53808e9 100644 --- a/core/l10n/ja.js +++ b/core/l10n/ja.js @@ -251,8 +251,8 @@ OC.L10N.register( "An internal error occurred." : "内部エラーが発生しました。", "Please try again or contact your administrator." : "もう一度試してみるか、管理者に問い合わせてください。", "Username or email" : "ユーザ名かメールアドレス", - "Wrong password." : "パスワードが間違っています。", "Log in" : "ログイン", + "Wrong password." : "パスワードが間違っています。", "Stay logged in" : "ログインしたままにする", "Forgot password?" : "パスワードをお忘れですか?", "Alternative Logins" : "代替ログイン", diff --git a/core/l10n/ja.json b/core/l10n/ja.json index 57bd08a40dc65..057fbbdc14353 100644 --- a/core/l10n/ja.json +++ b/core/l10n/ja.json @@ -249,8 +249,8 @@ "An internal error occurred." : "内部エラーが発生しました。", "Please try again or contact your administrator." : "もう一度試してみるか、管理者に問い合わせてください。", "Username or email" : "ユーザ名かメールアドレス", - "Wrong password." : "パスワードが間違っています。", "Log in" : "ログイン", + "Wrong password." : "パスワードが間違っています。", "Stay logged in" : "ログインしたままにする", "Forgot password?" : "パスワードをお忘れですか?", "Alternative Logins" : "代替ログイン", diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index 855acae3ead4c..2736c219b71ea 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "გარკვეულმა ფაილება ვერ გაიარეს ერთიანობის შემოწმება. ინფორმაცია თუ როგორ აღმოფხრათ ეს პრობლემა შეგიძლიათ მოიძიოთ დოკუმენტაციაში. (არასწორი ფაილების სია... / ხელახალი სკანირება...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის რეკომენდირებულია php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. რეკომენდირებულია ამ ფუნქციის ჩართვა.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "თქვენს PHP-ს არ აქვს freetype-ის მხარდაჭერა. ეს გამოწვევს დარღვეულ პროფილის სურათებს და მომხმარებლის ინტერფეისს.", "Error occurred while checking server setup" : "შეცდომა სერვერის მოწყობის შემოწმებისას", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP დასათაურება \"{header}\" არაა კონფიგურირებული უტოლდებოდეს \"{expected}\"-ს. ეს პოტენციური უსაფრთხოების და კონფიდენციალურობის რისკია, რეკომენდირებულია ამ პარამეტრის გამოსწორება.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "გამოჩნდა შიდა შეცდომა.", "Please try again or contact your administrator." : "გთხოვთ სცადოთ ახლიდან ან დაუკავშირდეთ თქვენს ადმინისტრატორს.", "Username or email" : "მომხმარებლის სახელი ან ელ-ფოსტა", - "Wrong password." : "არასწორი პაროლი.", "Log in" : "შესვლა", + "Wrong password." : "არასწორი პაროლი.", "Stay logged in" : "ავტორიზებულად დარჩენა", "Forgot password?" : "დაგავიწყდათ პაროლი?", "Back to log in" : "უკან ავტორიზაციისკენ", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის ჩვენ რეკომენდაციას გიწევთ php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. გირჩევთ ეს ფუნქცია ჩართოთ.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", - "You are about to grant \"%s\" access to your %s account." : "თქვენ აპირებთ წვდომის უფლებები მიანიჭოთ %s-ს თქვენს %s ანგარიშზე." + "You are about to grant \"%s\" access to your %s account." : "თქვენ აპირებთ წვდომის უფლებები მიანიჭოთ %s-ს თქვენს %s ანგარიშზე.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "თქვენს PHP-ს არ აქვს freetype-ის მხარდაჭერა. ეს გამოწვევს დარღვეულ პროფილის სურათებს და მომხმარებლის ინტერფეისს." }, "nplurals=1; plural=0;"); diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index aaac4d481dd7f..3fcea871113d9 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "გარკვეულმა ფაილება ვერ გაიარეს ერთიანობის შემოწმება. ინფორმაცია თუ როგორ აღმოფხრათ ეს პრობლემა შეგიძლიათ მოიძიოთ დოკუმენტაციაში. (არასწორი ფაილების სია... / ხელახალი სკანირება...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის რეკომენდირებულია php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. რეკომენდირებულია ამ ფუნქციის ჩართვა.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "თქვენს PHP-ს არ აქვს freetype-ის მხარდაჭერა. ეს გამოწვევს დარღვეულ პროფილის სურათებს და მომხმარებლის ინტერფეისს.", "Error occurred while checking server setup" : "შეცდომა სერვერის მოწყობის შემოწმებისას", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP დასათაურება \"{header}\" არაა კონფიგურირებული უტოლდებოდეს \"{expected}\"-ს. ეს პოტენციური უსაფრთხოების და კონფიდენციალურობის რისკია, რეკომენდირებულია ამ პარამეტრის გამოსწორება.", @@ -273,8 +272,8 @@ "An internal error occurred." : "გამოჩნდა შიდა შეცდომა.", "Please try again or contact your administrator." : "გთხოვთ სცადოთ ახლიდან ან დაუკავშირდეთ თქვენს ადმინისტრატორს.", "Username or email" : "მომხმარებლის სახელი ან ელ-ფოსტა", - "Wrong password." : "არასწორი პაროლი.", "Log in" : "შესვლა", + "Wrong password." : "არასწორი პაროლი.", "Stay logged in" : "ავტორიზებულად დარჩენა", "Forgot password?" : "დაგავიწყდათ პაროლი?", "Back to log in" : "უკან ავტორიზაციისკენ", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის ჩვენ რეკომენდაციას გიწევთ php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. გირჩევთ ეს ფუნქცია ჩართოთ.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", - "You are about to grant \"%s\" access to your %s account." : "თქვენ აპირებთ წვდომის უფლებები მიანიჭოთ %s-ს თქვენს %s ანგარიშზე." + "You are about to grant \"%s\" access to your %s account." : "თქვენ აპირებთ წვდომის უფლებები მიანიჭოთ %s-ს თქვენს %s ანგარიშზე.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "თქვენს PHP-ს არ აქვს freetype-ის მხარდაჭერა. ეს გამოწვევს დარღვეულ პროფილის სურათებს და მომხმარებლის ინტერფეისს." },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/core/l10n/ko.js b/core/l10n/ko.js index 27e50ab8baa90..ad15a25ec8e32 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "일부 파일이 무결성 검사를 통과하지 못습니다. 이 문제를 해결하는 방법은 문서를 참고하십시오.(잘못된 파일 목록… / 다시 검색…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP Opcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP 함수 \"set_time_limit\"을 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP에 freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다.", "Error occurred while checking server setup" : "서버 설정을 확인하는 중 오류 발생", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP 헤더가 \"{expected}\"(으)로 설정되어 있지 않습니다. 잠재적인 정보 유출 및 보안 위협이 될 수 있으므로 설정을 변경하는 것을 추천합니다.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "내부 오류가 발생했습니다.", "Please try again or contact your administrator." : "다시 시도하거나 관리자에게 연락하십시오.", "Username or email" : "사용자 이름 또는 이메일", - "Wrong password." : "암호가 잘못되었습니다.", "Log in" : "로그인", + "Wrong password." : "암호가 잘못되었습니다.", "Stay logged in" : "로그인 유지", "Forgot password?" : "암호를 잊으셨습니까?", "Back to log in" : "로그인으로 돌아가기", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 함수 \"set_time_limit\"을(를) 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\"에 접근하기 위해서 %s 계정을 사용하려고 합니다." + "You are about to grant \"%s\" access to your %s account." : "\"%s\"에 접근하기 위해서 %s 계정을 사용하려고 합니다.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP에 freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다." }, "nplurals=1; plural=0;"); diff --git a/core/l10n/ko.json b/core/l10n/ko.json index 9c89ab8852ce1..a09328cf6000c 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "일부 파일이 무결성 검사를 통과하지 못습니다. 이 문제를 해결하는 방법은 문서를 참고하십시오.(잘못된 파일 목록… / 다시 검색…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP Opcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP 함수 \"set_time_limit\"을 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP에 freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다.", "Error occurred while checking server setup" : "서버 설정을 확인하는 중 오류 발생", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP 헤더가 \"{expected}\"(으)로 설정되어 있지 않습니다. 잠재적인 정보 유출 및 보안 위협이 될 수 있으므로 설정을 변경하는 것을 추천합니다.", @@ -273,8 +272,8 @@ "An internal error occurred." : "내부 오류가 발생했습니다.", "Please try again or contact your administrator." : "다시 시도하거나 관리자에게 연락하십시오.", "Username or email" : "사용자 이름 또는 이메일", - "Wrong password." : "암호가 잘못되었습니다.", "Log in" : "로그인", + "Wrong password." : "암호가 잘못되었습니다.", "Stay logged in" : "로그인 유지", "Forgot password?" : "암호를 잊으셨습니까?", "Back to log in" : "로그인으로 돌아가기", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 함수 \"set_time_limit\"을(를) 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\"에 접근하기 위해서 %s 계정을 사용하려고 합니다." + "You are about to grant \"%s\" access to your %s account." : "\"%s\"에 접근하기 위해서 %s 계정을 사용하려고 합니다.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP에 freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다." },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index 1215ac92d6640..de8ed3bc46776 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -257,8 +257,8 @@ OC.L10N.register( "An internal error occurred." : "Įvyko vidinė klaida.", "Please try again or contact your administrator." : "Pabandykite dar kartą arba susisiekite su sistemos administratoriumi.", "Username or email" : "Naudotojo vardas ar el. paštas", - "Wrong password." : "Neteisingas slaptažodis.", "Log in" : "Prisijungti", + "Wrong password." : "Neteisingas slaptažodis.", "Stay logged in" : "Likti prisijungus", "Forgot password?" : "Pamiršote slaptažodį?", "Back to log in" : "Grįžti prie prisijungimo", diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 5a32e29d098d7..d807e7aa1434d 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -255,8 +255,8 @@ "An internal error occurred." : "Įvyko vidinė klaida.", "Please try again or contact your administrator." : "Pabandykite dar kartą arba susisiekite su sistemos administratoriumi.", "Username or email" : "Naudotojo vardas ar el. paštas", - "Wrong password." : "Neteisingas slaptažodis.", "Log in" : "Prisijungti", + "Wrong password." : "Neteisingas slaptažodis.", "Stay logged in" : "Likti prisijungus", "Forgot password?" : "Pamiršote slaptažodį?", "Back to log in" : "Grįžti prie prisijungimo", diff --git a/core/l10n/lv.js b/core/l10n/lv.js index fa93dae9bb327..764b03f8f5d05 100644 --- a/core/l10n/lv.js +++ b/core/l10n/lv.js @@ -238,8 +238,8 @@ OC.L10N.register( "An internal error occurred." : "Radās iekšēja kļūda.", "Please try again or contact your administrator." : "Lūdzu, mēģiniet vēlreiz vai sazinieties ar administratoru.", "Username or email" : "Lietotājvārds vai e-pasts", - "Wrong password." : "Nepareiza parole.", "Log in" : "Ierakstīties", + "Wrong password." : "Nepareiza parole.", "Stay logged in" : "Palikt ierakstītam", "Alternative Logins" : "Alternatīvās pieteikšanās", "App token" : "Programmas pilnvara", diff --git a/core/l10n/lv.json b/core/l10n/lv.json index 6722be01bae3d..baa005a39c4ff 100644 --- a/core/l10n/lv.json +++ b/core/l10n/lv.json @@ -236,8 +236,8 @@ "An internal error occurred." : "Radās iekšēja kļūda.", "Please try again or contact your administrator." : "Lūdzu, mēģiniet vēlreiz vai sazinieties ar administratoru.", "Username or email" : "Lietotājvārds vai e-pasts", - "Wrong password." : "Nepareiza parole.", "Log in" : "Ierakstīties", + "Wrong password." : "Nepareiza parole.", "Stay logged in" : "Palikt ierakstītam", "Alternative Logins" : "Alternatīvās pieteikšanās", "App token" : "Programmas pilnvara", diff --git a/core/l10n/nb.js b/core/l10n/nb.js index 941b3c4d1dbc9..b9a6029a04f16 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -110,9 +110,12 @@ OC.L10N.register( "So-so password" : "Bob-bob-passord", "Good password" : "Bra passord", "Strong password" : "Sterkt passord", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Oppgrader PHP-versjonen for å utnytte ytelsen og sikkerhetsoppdateringene som tilbys av PHP Groupmemcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien om begge modulene.", "Error occurred while checking server setup" : "Feil oppstod ved sjekking av tjener-oppsett", + "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : "Du besøker denne nettsiden via HTTP. Det anbefales sterkt at du setter opp tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstipsene.", "Shared" : "Delt", "Shared with" : "Delt med", @@ -260,8 +263,8 @@ OC.L10N.register( "An internal error occurred." : "En intern feil oppstod", "Please try again or contact your administrator." : "Prøv igjen eller kontakt en administrator.", "Username or email" : "Brukernavn eller e-post", - "Wrong password." : "Feil passord.", "Log in" : "Logg inn", + "Wrong password." : "Feil passord.", "Stay logged in" : "Forbli innlogget", "Forgot password?" : "Glemt passord?", "Back to log in" : "Tilbake til innlogging", @@ -362,6 +365,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", - "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto." + "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nb.json b/core/l10n/nb.json index 2893868ae0b61..e68df762d04a3 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -108,9 +108,12 @@ "So-so password" : "Bob-bob-passord", "Good password" : "Bra passord", "Strong password" : "Sterkt passord", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Oppgrader PHP-versjonen for å utnytte ytelsen og sikkerhetsoppdateringene som tilbys av PHP Groupmemcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien om begge modulene.", "Error occurred while checking server setup" : "Feil oppstod ved sjekking av tjener-oppsett", + "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : "Du besøker denne nettsiden via HTTP. Det anbefales sterkt at du setter opp tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstipsene.", "Shared" : "Delt", "Shared with" : "Delt med", @@ -258,8 +261,8 @@ "An internal error occurred." : "En intern feil oppstod", "Please try again or contact your administrator." : "Prøv igjen eller kontakt en administrator.", "Username or email" : "Brukernavn eller e-post", - "Wrong password." : "Feil passord.", "Log in" : "Logg inn", + "Wrong password." : "Feil passord.", "Stay logged in" : "Forbli innlogget", "Forgot password?" : "Glemt passord?", "Back to log in" : "Tilbake til innlogging", @@ -360,6 +363,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", - "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto." + "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/nl.js b/core/l10n/nl.js index f3aa55dbeb507..ca04471895fa6 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden kwamen niet door de betrouwbaarheidscontrole. Meer informatie over het oplossen van dit probleem kan worden gevonden in onze documentatie. (Lijst met ongeldige bestanden… / Opnieuw…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "De PHP OPcache is niet correct geconfigureerd. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren sterk om deze functie in te schakelen.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP heeft geen freetype ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface.", "Error occurred while checking server setup" : "Een fout trad op bij checken serverconfiguratie", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "De \"{header}\" HTTP header is niet ingesteld als \"{expected}\". Dit is een potentieel security of privacy risico en we adviseren om deze instelling te wijzigen.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Er heeft zich een interne fout voorgedaan.", "Please try again or contact your administrator." : "Probeer het opnieuw of neem contact op met je beheerder.", "Username or email" : "Gebruikersnaam of email", - "Wrong password." : "Onjuist wachtwoord.", "Log in" : "Inloggen", + "Wrong password." : "Onjuist wachtwoord.", "Stay logged in" : "Ingelogd blijven", "Forgot password?" : "Wachtwoord vergeten?", "Back to log in" : "Terug naar inloggen", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet juist geconfigureed. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren met klem om deze functie in te schakelen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", - "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te verlenen to je %s account." + "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te verlenen to je %s account.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP heeft geen freetype ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 82a17c5b09fb0..301d7e0d6c370 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden kwamen niet door de betrouwbaarheidscontrole. Meer informatie over het oplossen van dit probleem kan worden gevonden in onze documentatie. (Lijst met ongeldige bestanden… / Opnieuw…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "De PHP OPcache is niet correct geconfigureerd. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren sterk om deze functie in te schakelen.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP heeft geen freetype ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface.", "Error occurred while checking server setup" : "Een fout trad op bij checken serverconfiguratie", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "De \"{header}\" HTTP header is niet ingesteld als \"{expected}\". Dit is een potentieel security of privacy risico en we adviseren om deze instelling te wijzigen.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Er heeft zich een interne fout voorgedaan.", "Please try again or contact your administrator." : "Probeer het opnieuw of neem contact op met je beheerder.", "Username or email" : "Gebruikersnaam of email", - "Wrong password." : "Onjuist wachtwoord.", "Log in" : "Inloggen", + "Wrong password." : "Onjuist wachtwoord.", "Stay logged in" : "Ingelogd blijven", "Forgot password?" : "Wachtwoord vergeten?", "Back to log in" : "Terug naar inloggen", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet juist geconfigureed. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren met klem om deze functie in te schakelen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", - "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te verlenen to je %s account." + "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te verlenen to je %s account.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP heeft geen freetype ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/pl.js b/core/l10n/pl.js index fe3136d99dc0a..c867c91fa3224 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -273,8 +273,8 @@ OC.L10N.register( "An internal error occurred." : "Wystąpił wewnętrzny błąd.", "Please try again or contact your administrator." : "Spróbuj ponownie lub skontaktuj się z administratorem.", "Username or email" : "Nazwa użytkownika lub adres e-mail", - "Wrong password." : "Złe hasło", "Log in" : "Zaloguj", + "Wrong password." : "Złe hasło", "Stay logged in" : "Pozostań zalogowany", "Forgot password?" : "Zapomniano hasła?", "Back to log in" : "Powrót do logowania", diff --git a/core/l10n/pl.json b/core/l10n/pl.json index f13d11a17d86e..b54e30d01eeb3 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -271,8 +271,8 @@ "An internal error occurred." : "Wystąpił wewnętrzny błąd.", "Please try again or contact your administrator." : "Spróbuj ponownie lub skontaktuj się z administratorem.", "Username or email" : "Nazwa użytkownika lub adres e-mail", - "Wrong password." : "Złe hasło", "Log in" : "Zaloguj", + "Wrong password." : "Złe hasło", "Stay logged in" : "Pozostań zalogowany", "Forgot password?" : "Zapomniano hasła?", "Back to log in" : "Powrót do logowania", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index b5587c378f167..18eb2f0943bb0 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alguns arquivos não passaram na verificação de integridade. Mais informações sobre como resolver esse problema podem ser encontradas na documentação. (Lista de arquivos inválidos… / Verificar novamente…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "O PHP OPcache não está configurado corretamente.Para um melhor desempenho é recomendado usar as seguintes configurações no php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em travamento de scripts, quebrando sua instalação. A ativação desta função é altamente recomendada.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Seu PHP não possui suporte a freetype. Isso resultará em imagens de perfil e na interface de configurações quebradas.", "Error occurred while checking server setup" : "Erro ao verificar a configuração do servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente podem ser acessados pela Internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web para que o diretório de dados não seja mais acessível ou mova o diretório de dados fora da raiz de documentos do servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{header}\" não está definido para \"{expected}\". Este é um potencial risco de segurança ou privacidade e é recomendado ajustar esta configuração de acordo.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Por favor tente novamente ou contacte o administrador.", "Username or email" : "Nome de usuário ou e-mail", - "Wrong password." : "Senha errada", "Log in" : "Entrar", + "Wrong password." : "Senha errada", "Stay logged in" : "Permaneça logado", "Forgot password?" : "Esqueceu a senha?", "Back to log in" : "Voltar ao login", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "O PHP OPcache não está configurado adequadamente. Para melhor performance recomendamos que use as seguintes configurações em php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em scripts pendurados durante a execução e prejudicando sua instalação. Sugerimos fortemente habilitar esta função.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente estão acessíveis via internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web de maneira que o diretório de dados não seja mais acessível ou mova-o para fora do diretório raiz do servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" para sua conta %s." + "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" para sua conta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Seu PHP não possui suporte a freetype. Isso resultará em imagens de perfil e na interface de configurações quebradas." }, "nplurals=2; plural=(n > 1);"); diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index e522b869bc61b..24feb12738b82 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alguns arquivos não passaram na verificação de integridade. Mais informações sobre como resolver esse problema podem ser encontradas na documentação. (Lista de arquivos inválidos… / Verificar novamente…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "O PHP OPcache não está configurado corretamente.Para um melhor desempenho é recomendado usar as seguintes configurações no php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em travamento de scripts, quebrando sua instalação. A ativação desta função é altamente recomendada.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Seu PHP não possui suporte a freetype. Isso resultará em imagens de perfil e na interface de configurações quebradas.", "Error occurred while checking server setup" : "Erro ao verificar a configuração do servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente podem ser acessados pela Internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web para que o diretório de dados não seja mais acessível ou mova o diretório de dados fora da raiz de documentos do servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{header}\" não está definido para \"{expected}\". Este é um potencial risco de segurança ou privacidade e é recomendado ajustar esta configuração de acordo.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Por favor tente novamente ou contacte o administrador.", "Username or email" : "Nome de usuário ou e-mail", - "Wrong password." : "Senha errada", "Log in" : "Entrar", + "Wrong password." : "Senha errada", "Stay logged in" : "Permaneça logado", "Forgot password?" : "Esqueceu a senha?", "Back to log in" : "Voltar ao login", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "O PHP OPcache não está configurado adequadamente. Para melhor performance recomendamos que use as seguintes configurações em php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em scripts pendurados durante a execução e prejudicando sua instalação. Sugerimos fortemente habilitar esta função.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente estão acessíveis via internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web de maneira que o diretório de dados não seja mais acessível ou mova-o para fora do diretório raiz do servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" para sua conta %s." + "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" para sua conta %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Seu PHP não possui suporte a freetype. Isso resultará em imagens de perfil e na interface de configurações quebradas." },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index cd7c3c27b1a1f..6d874789abd07 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -249,8 +249,8 @@ OC.L10N.register( "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", "Username or email" : "Nome de utilizador ou e-mail", - "Wrong password." : "Senha errada.", "Log in" : "Iniciar Sessão", + "Wrong password." : "Senha errada.", "Stay logged in" : "Manter sessão iniciada", "Forgot password?" : "Senha esquecida?", "Alternative Logins" : "Contas de Acesso Alternativas", diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index 2a0e0f7d1f310..952f669ca7f67 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -247,8 +247,8 @@ "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", "Username or email" : "Nome de utilizador ou e-mail", - "Wrong password." : "Senha errada.", "Log in" : "Iniciar Sessão", + "Wrong password." : "Senha errada.", "Stay logged in" : "Manter sessão iniciada", "Forgot password?" : "Senha esquecida?", "Alternative Logins" : "Contas de Acesso Alternativas", diff --git a/core/l10n/ro.js b/core/l10n/ro.js index cc514f55ed70e..37e7c42b8e36f 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -251,8 +251,8 @@ OC.L10N.register( "An internal error occurred." : "A apărut o eroare internă.", "Please try again or contact your administrator." : "Încearcă din nou sau contactează-ți administratorul.", "Username or email" : "Nume de utilizator sau adresă email", - "Wrong password." : "Parolă greșită.", "Log in" : "Autentificare", + "Wrong password." : "Parolă greșită.", "Stay logged in" : "Rămâi autentificat", "Alternative Logins" : "Conectări alternative", "Account access" : "Acces cont", diff --git a/core/l10n/ro.json b/core/l10n/ro.json index d71e30a1be553..2a99b79ba4398 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -249,8 +249,8 @@ "An internal error occurred." : "A apărut o eroare internă.", "Please try again or contact your administrator." : "Încearcă din nou sau contactează-ți administratorul.", "Username or email" : "Nume de utilizator sau adresă email", - "Wrong password." : "Parolă greșită.", "Log in" : "Autentificare", + "Wrong password." : "Parolă greșită.", "Stay logged in" : "Rămâi autentificat", "Alternative Logins" : "Conectări alternative", "Account access" : "Acces cont", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 16c5bcc7f45ea..e7c4bc4ea65d8 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о способах решения этой проблемы содержится в документации. (Список проблемных файлов… / Выполнить повторное сканирование…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется задать в файле php.ini следующие параметры настроек:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы это может привести к повреждению установки сервера Nextcloud. Настоятельно рекомендуется включить эту функцию. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддерживает библиотеку freetype, что приводит к неверному отображению изображений профиля и интерфейса настроек.", "Error occurred while checking server setup" : "Произошла ошибка при проверке настроек сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Каталог данных и файлы, возможно, доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был доступен из внешней сети, либо переместить каталог данных за пределы корневого каталога веб-сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Заголовок HTTP «{header}» не настроен на значение «{expected}». Это потенциальная проблема безопасности для устранения которой рекомендуется задать этот параметр.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Произошла внутренняя ошибка.", "Please try again or contact your administrator." : "Пожалуйста попробуйте ещё раз или свяжитесь с вашим администратором", "Username or email" : "Имя пользователя или Email", - "Wrong password." : "Неправильный пароль.", "Log in" : "Войти", + "Wrong password." : "Неправильный пароль.", "Stay logged in" : "Оставаться в системе", "Forgot password?" : "Забыли пароль?", "Back to log in" : "Авторизоваться повторно", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется использовать следующие настройки в php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы, это может привести к повреждению установки. Настойчиво рекомендуется включить эту функция. ", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб-сервера.Save", - "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить пользователю %s доступ к вашему аккаунту %s." + "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить пользователю %s доступ к вашему аккаунту %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддерживает библиотеку freetype, что приводит к неверному отображению изображений профиля и интерфейса настроек." }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/core/l10n/ru.json b/core/l10n/ru.json index 10e534249738e..0e6c8086dcf89 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о способах решения этой проблемы содержится в документации. (Список проблемных файлов… / Выполнить повторное сканирование…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется задать в файле php.ini следующие параметры настроек:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы это может привести к повреждению установки сервера Nextcloud. Настоятельно рекомендуется включить эту функцию. ", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддерживает библиотеку freetype, что приводит к неверному отображению изображений профиля и интерфейса настроек.", "Error occurred while checking server setup" : "Произошла ошибка при проверке настроек сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Каталог данных и файлы, возможно, доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был доступен из внешней сети, либо переместить каталог данных за пределы корневого каталога веб-сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Заголовок HTTP «{header}» не настроен на значение «{expected}». Это потенциальная проблема безопасности для устранения которой рекомендуется задать этот параметр.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Произошла внутренняя ошибка.", "Please try again or contact your administrator." : "Пожалуйста попробуйте ещё раз или свяжитесь с вашим администратором", "Username or email" : "Имя пользователя или Email", - "Wrong password." : "Неправильный пароль.", "Log in" : "Войти", + "Wrong password." : "Неправильный пароль.", "Stay logged in" : "Оставаться в системе", "Forgot password?" : "Забыли пароль?", "Back to log in" : "Авторизоваться повторно", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется использовать следующие настройки в php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы, это может привести к повреждению установки. Настойчиво рекомендуется включить эту функция. ", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб-сервера.Save", - "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить пользователю %s доступ к вашему аккаунту %s." + "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить пользователю %s доступ к вашему аккаунту %s.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддерживает библиотеку freetype, что приводит к неверному отображению изображений профиля и интерфейса настроек." },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/core/l10n/sk.js b/core/l10n/sk.js index 9ccc0489846cf..f152095eae63b 100644 --- a/core/l10n/sk.js +++ b/core/l10n/sk.js @@ -258,8 +258,8 @@ OC.L10N.register( "An internal error occurred." : "Došlo k vnútornej chybe.", "Please try again or contact your administrator." : "Skúste to znovu, alebo sa obráťte na vášho administrátora.", "Username or email" : "používateľské meno alebo e-mail", - "Wrong password." : "Nesprávne heslo.", "Log in" : "Prihlásiť sa", + "Wrong password." : "Nesprávne heslo.", "Stay logged in" : "Zostať prihlásený", "Forgot password?" : "Zabudli ste heslo?", "Alternative Logins" : "Alternatívne prihlásenie", diff --git a/core/l10n/sk.json b/core/l10n/sk.json index 6ed9f04b8fd9e..eb530cb4830ab 100644 --- a/core/l10n/sk.json +++ b/core/l10n/sk.json @@ -256,8 +256,8 @@ "An internal error occurred." : "Došlo k vnútornej chybe.", "Please try again or contact your administrator." : "Skúste to znovu, alebo sa obráťte na vášho administrátora.", "Username or email" : "používateľské meno alebo e-mail", - "Wrong password." : "Nesprávne heslo.", "Log in" : "Prihlásiť sa", + "Wrong password." : "Nesprávne heslo.", "Stay logged in" : "Zostať prihlásený", "Forgot password?" : "Zabudli ste heslo?", "Alternative Logins" : "Alternatívne prihlásenie", diff --git a/core/l10n/sl.js b/core/l10n/sl.js index 62fe0855ce09f..2d656926184be 100644 --- a/core/l10n/sl.js +++ b/core/l10n/sl.js @@ -232,8 +232,8 @@ OC.L10N.register( "An internal error occurred." : "Prišlo je do notranje napake.", "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", "Username or email" : "Uporabniško ime ali elektronski naslov", - "Wrong password." : "Napačno geslo!", "Log in" : "Prijava", + "Wrong password." : "Napačno geslo!", "Stay logged in" : "Ohrani prijavo", "Forgot password?" : "Pozabili geslo?", "Back to log in" : "Nazaj na prijavo", diff --git a/core/l10n/sl.json b/core/l10n/sl.json index 1c4ff23233386..70d29984ab698 100644 --- a/core/l10n/sl.json +++ b/core/l10n/sl.json @@ -230,8 +230,8 @@ "An internal error occurred." : "Prišlo je do notranje napake.", "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", "Username or email" : "Uporabniško ime ali elektronski naslov", - "Wrong password." : "Napačno geslo!", "Log in" : "Prijava", + "Wrong password." : "Napačno geslo!", "Stay logged in" : "Ohrani prijavo", "Forgot password?" : "Pozabili geslo?", "Back to log in" : "Nazaj na prijavo", diff --git a/core/l10n/sq.js b/core/l10n/sq.js index 2d887f0315e72..c853f1b9ff3a5 100644 --- a/core/l10n/sq.js +++ b/core/l10n/sq.js @@ -247,8 +247,8 @@ OC.L10N.register( "An internal error occurred." : "Ndodhi një gabim i brendshëm.", "Please try again or contact your administrator." : "Ju lutemi, riprovoni ose lidhuni me përgjegjësin tuaj.", "Username or email" : "Emër përdoruesi ose email", - "Wrong password." : "Fjalëkalim i gabuar.", "Log in" : "Hyni", + "Wrong password." : "Fjalëkalim i gabuar.", "Stay logged in" : "Qëndro i futur", "Alternative Logins" : "Hyrje Alternative", "App token" : "Çelës identifikues i API-t", diff --git a/core/l10n/sq.json b/core/l10n/sq.json index 88b2a7db68b60..60eecdb293112 100644 --- a/core/l10n/sq.json +++ b/core/l10n/sq.json @@ -245,8 +245,8 @@ "An internal error occurred." : "Ndodhi një gabim i brendshëm.", "Please try again or contact your administrator." : "Ju lutemi, riprovoni ose lidhuni me përgjegjësin tuaj.", "Username or email" : "Emër përdoruesi ose email", - "Wrong password." : "Fjalëkalim i gabuar.", "Log in" : "Hyni", + "Wrong password." : "Fjalëkalim i gabuar.", "Stay logged in" : "Qëndro i futur", "Alternative Logins" : "Hyrje Alternative", "App token" : "Çelës identifikues i API-t", diff --git a/core/l10n/sr.js b/core/l10n/sr.js index c41535d276cce..03f25d6f98b82 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Неки фајлови нису прошли проверу интегритета. Даљње информације о томе како да решите овај проблем се могу наћи у документацији. (Списак неисправних фајлова/Скенирај поново…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформансе предлаже се да користите следећа подешавања у php.ini фајлу:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручује се да омогућите ову функцију.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ваша PHP инсталација нема подршку за freetype. Ово ће довести до неисправних профилних слика и неисправног интерфејса за подешавања.", "Error occurred while checking server setup" : "Дошло је до грешке при провери поставки сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ваша фасцикла са подацима и фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP заглавље „{header}“ није подешено као „{expected}“. Ово потенцијално угрожава безбедност и приватност и препоручује се да подесите ову поставку.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "Догодила се унутрашња грешка. ", "Please try again or contact your administrator." : "Покушајте поново или контактирајте вашег администратора.", "Username or email" : "Корисничко име или адреса е-поште", - "Wrong password." : "Погрешна лозинка.", "Log in" : "Пријава", + "Wrong password." : "Погрешна лозинка.", "Stay logged in" : "Останите пријављени", "Forgot password?" : "Заборавили сте лозинку?", "Back to log in" : "Назад на пријаву", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформанце предлажемо да користите следећа подешавања у php.ini датотеци:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручујемо да омогућите ову функцију.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваша фасцикла са подацима и Ваши фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", - "You are about to grant \"%s\" access to your %s account." : "Управо ћете одобрити \"%s\" приступ Вашем %s налогу." + "You are about to grant \"%s\" access to your %s account." : "Управо ћете одобрити \"%s\" приступ Вашем %s налогу.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ваша PHP инсталација нема подршку за freetype. Ово ће довести до неисправних профилних слика и неисправног интерфејса за подешавања." }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/core/l10n/sr.json b/core/l10n/sr.json index b6626d7cc7d21..a6b1ff6c98fd3 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Неки фајлови нису прошли проверу интегритета. Даљње информације о томе како да решите овај проблем се могу наћи у документацији. (Списак неисправних фајлова/Скенирај поново…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформансе предлаже се да користите следећа подешавања у php.ini фајлу:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручује се да омогућите ову функцију.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ваша PHP инсталација нема подршку за freetype. Ово ће довести до неисправних профилних слика и неисправног интерфејса за подешавања.", "Error occurred while checking server setup" : "Дошло је до грешке при провери поставки сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ваша фасцикла са подацима и фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP заглавље „{header}“ није подешено као „{expected}“. Ово потенцијално угрожава безбедност и приватност и препоручује се да подесите ову поставку.", @@ -273,8 +272,8 @@ "An internal error occurred." : "Догодила се унутрашња грешка. ", "Please try again or contact your administrator." : "Покушајте поново или контактирајте вашег администратора.", "Username or email" : "Корисничко име или адреса е-поште", - "Wrong password." : "Погрешна лозинка.", "Log in" : "Пријава", + "Wrong password." : "Погрешна лозинка.", "Stay logged in" : "Останите пријављени", "Forgot password?" : "Заборавили сте лозинку?", "Back to log in" : "Назад на пријаву", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформанце предлажемо да користите следећа подешавања у php.ini датотеци:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручујемо да омогућите ову функцију.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваша фасцикла са подацима и Ваши фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", - "You are about to grant \"%s\" access to your %s account." : "Управо ћете одобрити \"%s\" приступ Вашем %s налогу." + "You are about to grant \"%s\" access to your %s account." : "Управо ћете одобрити \"%s\" приступ Вашем %s налогу.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ваша PHP инсталација нема подршку за freetype. Ово ће довести до неисправних профилних слика и неисправног интерфејса за подешавања." },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/core/l10n/sv.js b/core/l10n/sv.js index f77358105e435..b8a46d40d9134 100644 --- a/core/l10n/sv.js +++ b/core/l10n/sv.js @@ -257,8 +257,8 @@ OC.L10N.register( "An internal error occurred." : "Ett internt fel uppstod.", "Please try again or contact your administrator." : "Vänligen försök igen eller kontakta din administratör.", "Username or email" : "Användarnamn eller e-post", - "Wrong password." : "Fel lösenord.", "Log in" : "Logga in", + "Wrong password." : "Fel lösenord.", "Stay logged in" : "Fortsätt vara inloggad.", "Forgot password?" : "Glömt lösenordet?", "Back to log in" : "Tillbaks till inloggning", diff --git a/core/l10n/sv.json b/core/l10n/sv.json index f149368faf0ec..c9dddaa033f3b 100644 --- a/core/l10n/sv.json +++ b/core/l10n/sv.json @@ -255,8 +255,8 @@ "An internal error occurred." : "Ett internt fel uppstod.", "Please try again or contact your administrator." : "Vänligen försök igen eller kontakta din administratör.", "Username or email" : "Användarnamn eller e-post", - "Wrong password." : "Fel lösenord.", "Log in" : "Logga in", + "Wrong password." : "Fel lösenord.", "Stay logged in" : "Fortsätt vara inloggad.", "Forgot password?" : "Glömt lösenordet?", "Back to log in" : "Tillbaks till inloggning", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index ffd299549a4f7..a09b9f2a553d3 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -122,7 +122,6 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Bazı dosyalar bütünlük denetiminden geçemedi. Bu sorunun çözümü ile ilgili bilgi almak için belgelere bakabilirsiniz. (Geçersiz dosyaların listesi… / Yeniden Tara…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için php.ini dosyasında şu ayarların kullanılması önerilir:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevin etkinleştirilmesi önemle önerilir.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP kurulumunuzda FreeType desteği yok. Bu durum profil görsellerinin ve ayarlar bölümünün bozuk görüntülenmesine neden olur.", "Error occurred while checking server setup" : "Sunucu ayarları denetlenirken sorun çıktı", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP üst bilgisi \"{expected}\" şeklinde ayarlanmamış. Bu durum olası bir güvenlik ya da gizlilik riski oluşturduğundan bu ayarın belirtildiği gibi yapılması önerilir.", @@ -275,8 +274,8 @@ OC.L10N.register( "An internal error occurred." : "İçeride bir sorun çıktı.", "Please try again or contact your administrator." : "Lütfen yeniden deneyin ya da yöneticinizle görüşün.", "Username or email" : "Kullanıcı adı ya da e-posta", - "Wrong password." : "Parola yanlış.", "Log in" : "Oturum Aç", + "Wrong password." : "Parola yanlış.", "Stay logged in" : "Bağlı kal", "Forgot password?" : "Parolamı unuttum", "Back to log in" : "Oturum açmaya geri dön", @@ -377,6 +376,7 @@ OC.L10N.register( "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için  php.ini dosyasında şu ayarların kullanılması önerilir ↗:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevi etkinleştirmeniz önemle önerilir.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\" erişim iznini %s hesabınıza vermek üzeresiniz." + "You are about to grant \"%s\" access to your %s account." : "\"%s\" erişim iznini %s hesabınıza vermek üzeresiniz.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP kurulumunuzda FreeType desteği yok. Bu durum profil görsellerinin ve ayarlar bölümünün bozuk görüntülenmesine neden olur." }, "nplurals=2; plural=(n > 1);"); diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 5e3d9b773d9ab..923d782732bbd 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -120,7 +120,6 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Bazı dosyalar bütünlük denetiminden geçemedi. Bu sorunun çözümü ile ilgili bilgi almak için belgelere bakabilirsiniz. (Geçersiz dosyaların listesi… / Yeniden Tara…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için php.ini dosyasında şu ayarların kullanılması önerilir:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevin etkinleştirilmesi önemle önerilir.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP kurulumunuzda FreeType desteği yok. Bu durum profil görsellerinin ve ayarlar bölümünün bozuk görüntülenmesine neden olur.", "Error occurred while checking server setup" : "Sunucu ayarları denetlenirken sorun çıktı", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP üst bilgisi \"{expected}\" şeklinde ayarlanmamış. Bu durum olası bir güvenlik ya da gizlilik riski oluşturduğundan bu ayarın belirtildiği gibi yapılması önerilir.", @@ -273,8 +272,8 @@ "An internal error occurred." : "İçeride bir sorun çıktı.", "Please try again or contact your administrator." : "Lütfen yeniden deneyin ya da yöneticinizle görüşün.", "Username or email" : "Kullanıcı adı ya da e-posta", - "Wrong password." : "Parola yanlış.", "Log in" : "Oturum Aç", + "Wrong password." : "Parola yanlış.", "Stay logged in" : "Bağlı kal", "Forgot password?" : "Parolamı unuttum", "Back to log in" : "Oturum açmaya geri dön", @@ -375,6 +374,7 @@ "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için  php.ini dosyasında şu ayarların kullanılması önerilir ↗:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevi etkinleştirmeniz önemle önerilir.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\" erişim iznini %s hesabınıza vermek üzeresiniz." + "You are about to grant \"%s\" access to your %s account." : "\"%s\" erişim iznini %s hesabınıza vermek üzeresiniz.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP kurulumunuzda FreeType desteği yok. Bu durum profil görsellerinin ve ayarlar bölümünün bozuk görüntülenmesine neden olur." },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/core/l10n/uk.js b/core/l10n/uk.js index 39ae3c8100acc..0d3ce7f393373 100644 --- a/core/l10n/uk.js +++ b/core/l10n/uk.js @@ -229,8 +229,8 @@ OC.L10N.register( "An internal error occurred." : "Виникла внутрішня помилка.", "Please try again or contact your administrator." : "Будь ласка, спробуйте ще раз або зверніться до адміністратора.", "Username or email" : "Ім’я користувача або електронна пошта", - "Wrong password." : "Невірний пароль.", "Log in" : "Увійти", + "Wrong password." : "Невірний пароль.", "Stay logged in" : "Залишатись в системі", "Forgot password?" : "Забули пароль?", "Alternative Logins" : "Альтернативні імена користувача", diff --git a/core/l10n/uk.json b/core/l10n/uk.json index b6d53e05a51ee..6de2357f962e6 100644 --- a/core/l10n/uk.json +++ b/core/l10n/uk.json @@ -227,8 +227,8 @@ "An internal error occurred." : "Виникла внутрішня помилка.", "Please try again or contact your administrator." : "Будь ласка, спробуйте ще раз або зверніться до адміністратора.", "Username or email" : "Ім’я користувача або електронна пошта", - "Wrong password." : "Невірний пароль.", "Log in" : "Увійти", + "Wrong password." : "Невірний пароль.", "Stay logged in" : "Залишатись в системі", "Forgot password?" : "Забули пароль?", "Alternative Logins" : "Альтернативні імена користувача", diff --git a/core/l10n/vi.js b/core/l10n/vi.js index 006709518bd77..a8bc78ed6ac0a 100644 --- a/core/l10n/vi.js +++ b/core/l10n/vi.js @@ -253,8 +253,8 @@ OC.L10N.register( "An internal error occurred." : "Đã xảy ra một lỗi nội bộ.", "Please try again or contact your administrator." : "Vui lòng thử lại hoặc liên hệ quản trị của bạn.", "Username or email" : "Tên truy cập hoặc email", - "Wrong password." : "Sai mật khẩu.", "Log in" : "Đăng nhập", + "Wrong password." : "Sai mật khẩu.", "Stay logged in" : "Lưu trạng thái đăng nhập", "Alternative Logins" : "Đăng nhập khác", "Account access" : "Truy cập tài khoản", diff --git a/core/l10n/vi.json b/core/l10n/vi.json index f632c63021b7c..b6a0c47864445 100644 --- a/core/l10n/vi.json +++ b/core/l10n/vi.json @@ -251,8 +251,8 @@ "An internal error occurred." : "Đã xảy ra một lỗi nội bộ.", "Please try again or contact your administrator." : "Vui lòng thử lại hoặc liên hệ quản trị của bạn.", "Username or email" : "Tên truy cập hoặc email", - "Wrong password." : "Sai mật khẩu.", "Log in" : "Đăng nhập", + "Wrong password." : "Sai mật khẩu.", "Stay logged in" : "Lưu trạng thái đăng nhập", "Alternative Logins" : "Đăng nhập khác", "Account access" : "Truy cập tài khoản", diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index 8c83f358ced5a..c480ef9efe344 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -260,8 +260,8 @@ OC.L10N.register( "An internal error occurred." : "发生了内部错误.", "Please try again or contact your administrator." : "请重试或联系您的管理员.", "Username or email" : "用户名或邮箱", - "Wrong password." : "密码错误", "Log in" : "登录", + "Wrong password." : "密码错误", "Stay logged in" : "保持登录", "Forgot password?" : "忘记密码?", "Back to log in" : "返回登录", diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index 93893093a8262..85e660734425f 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -258,8 +258,8 @@ "An internal error occurred." : "发生了内部错误.", "Please try again or contact your administrator." : "请重试或联系您的管理员.", "Username or email" : "用户名或邮箱", - "Wrong password." : "密码错误", "Log in" : "登录", + "Wrong password." : "密码错误", "Stay logged in" : "保持登录", "Forgot password?" : "忘记密码?", "Back to log in" : "返回登录", diff --git a/core/l10n/zh_TW.js b/core/l10n/zh_TW.js index 525ff1cfa8c2d..3f583d49999a5 100644 --- a/core/l10n/zh_TW.js +++ b/core/l10n/zh_TW.js @@ -269,8 +269,8 @@ OC.L10N.register( "An internal error occurred." : "發生內部錯誤", "Please try again or contact your administrator." : "請重試或聯絡系統管理員", "Username or email" : "用戶名或 email", - "Wrong password." : "密碼錯誤", "Log in" : "登入", + "Wrong password." : "密碼錯誤", "Stay logged in" : "保持登入狀態", "Forgot password?" : "忘記密碼?", "Back to log in" : "回到登入頁面", diff --git a/core/l10n/zh_TW.json b/core/l10n/zh_TW.json index d491578bf2261..7e7f475e72eb8 100644 --- a/core/l10n/zh_TW.json +++ b/core/l10n/zh_TW.json @@ -267,8 +267,8 @@ "An internal error occurred." : "發生內部錯誤", "Please try again or contact your administrator." : "請重試或聯絡系統管理員", "Username or email" : "用戶名或 email", - "Wrong password." : "密碼錯誤", "Log in" : "登入", + "Wrong password." : "密碼錯誤", "Stay logged in" : "保持登入狀態", "Forgot password?" : "忘記密碼?", "Back to log in" : "回到登入頁面", diff --git a/settings/l10n/ar.js b/settings/l10n/ar.js index 8347fdf20c154..dcf0bd1f275dc 100644 --- a/settings/l10n/ar.js +++ b/settings/l10n/ar.js @@ -1,6 +1,8 @@ OC.L10N.register( "settings", { + "Your apps" : "تطبيقاتك", + "Updates" : "التحديثات", "Wrong password" : "كلمة مرور خاطئة", "Saved" : "حفظ", "No user supplied" : "لم يتم توفير مستخدم ", @@ -11,6 +13,7 @@ OC.L10N.register( "Your full name has been changed." : "اسمك الكامل تم تغييره.", "Email saved" : "تم حفظ البريد الإلكتروني", "Couldn't update app." : "تعذر تحديث التطبيق.", + "Add trusted domain" : "أضافة نطاق موثوق فيه", "Email sent" : "تم ارسال البريد الالكتروني", "All" : "الكل", "Error while disabling app" : "خطا عند تعطيل البرنامج", @@ -18,6 +21,7 @@ OC.L10N.register( "Enable" : "تفعيل", "Error while enabling app" : "خطا عند تفعيل البرنامج ", "Updated" : "تم التحديث بنجاح", + "Copy" : "نسخ", "Delete" : "إلغاء", "Select a profile picture" : "اختر صورة الملف الشخصي ", "Very weak password" : "كلمة السر ضعيفة جدا", diff --git a/settings/l10n/ar.json b/settings/l10n/ar.json index e7eaa0f7d0405..ed2c0065b9bcd 100644 --- a/settings/l10n/ar.json +++ b/settings/l10n/ar.json @@ -1,4 +1,6 @@ { "translations": { + "Your apps" : "تطبيقاتك", + "Updates" : "التحديثات", "Wrong password" : "كلمة مرور خاطئة", "Saved" : "حفظ", "No user supplied" : "لم يتم توفير مستخدم ", @@ -9,6 +11,7 @@ "Your full name has been changed." : "اسمك الكامل تم تغييره.", "Email saved" : "تم حفظ البريد الإلكتروني", "Couldn't update app." : "تعذر تحديث التطبيق.", + "Add trusted domain" : "أضافة نطاق موثوق فيه", "Email sent" : "تم ارسال البريد الالكتروني", "All" : "الكل", "Error while disabling app" : "خطا عند تعطيل البرنامج", @@ -16,6 +19,7 @@ "Enable" : "تفعيل", "Error while enabling app" : "خطا عند تفعيل البرنامج ", "Updated" : "تم التحديث بنجاح", + "Copy" : "نسخ", "Delete" : "إلغاء", "Select a profile picture" : "اختر صورة الملف الشخصي ", "Very weak password" : "كلمة السر ضعيفة جدا", diff --git a/settings/l10n/fi.js b/settings/l10n/fi.js index 7cb132bdaae6f..9b7d0e16e7a77 100644 --- a/settings/l10n/fi.js +++ b/settings/l10n/fi.js @@ -71,6 +71,7 @@ OC.L10N.register( "Your %s account was created" : "%s-tilisi luotiin", "Welcome aboard" : "Tervetuloa mukaan", "Welcome aboard %s" : "Tervetuloa mukaan %s", + "Welcome to your %s account, you can add, protect, and share your data." : "Tervetuloa %s-tilillesi. Voit lisätä, suojata ja jakaa tietojasi.", "Your username is: %s" : "Käyttäjätunnuksesi on: %s", "Set your password" : "Aseta salasanasi", "Go to %s" : "Siirry %s-palveluun", @@ -101,8 +102,12 @@ OC.L10N.register( "Error while enabling app" : "Virhe ottaessa sovellusta käyttöön", "Error: This app can not be enabled because it makes the server unstable" : "Virhe: tätä sovellusta ei voi ottaa käyttöön, koska se tekee palvelimesta epävakaan", "Error while disabling broken app" : "Virhe rikkinäistä sovellusta käytöstä poistaessa", + "App up to date" : "Sovellus ajan tasalla", + "Upgrading …" : "Päivitetään…", + "Could not upgrade app" : "Sovellusta ei voitu päivittää", "Updated" : "Päivitetty", "Removing …" : "Poistetaan…", + "Could not remove app" : "Sovellusta ei voitu poistaa", "Remove" : "Poista", "Approved" : "Hyväksytty", "Experimental" : "Kokeellinen", @@ -418,6 +423,7 @@ OC.L10N.register( "Verifying" : "Vahvistetaan", "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Tietoturvan ja suorituskyvyn vuoksi on tärkeää, että asennuksesi on määritetty oikein. Sen vuoksi teemme joitain automaattisia tarkistuksia. Lisätietoja on saatavilla dokumentaation \"Tips & Tricks\"-osiosta.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-moduuli 'fileinfo' puuttuu. Suosittelemme kyseisen moduulin ottamista käyttöön, jotta MIME-tyyppien havaitseminen toimii parhaalla mahdollisella tavalla.", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Verkko-, työpöytä- ja mobiiliasiakkaat sekä sovelluskohtaiset salasanat, joilla on pääsyoikeus tiliisi.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Voit luoda yksilöityjä salasanoja sovelluksille, jotta sinun ei tarvitse antaa henkilökohtaista salasanaasi niille. Voit myös poistaa niitä tarvittaessa.", "Follow us on Google+!" : "Seuraa meitä Google+:ssa!", "Follow us on Twitter!" : "Seuraa meitä Twitterissä!", diff --git a/settings/l10n/fi.json b/settings/l10n/fi.json index 1b432699f0bdb..bbf2d8e1b73ae 100644 --- a/settings/l10n/fi.json +++ b/settings/l10n/fi.json @@ -69,6 +69,7 @@ "Your %s account was created" : "%s-tilisi luotiin", "Welcome aboard" : "Tervetuloa mukaan", "Welcome aboard %s" : "Tervetuloa mukaan %s", + "Welcome to your %s account, you can add, protect, and share your data." : "Tervetuloa %s-tilillesi. Voit lisätä, suojata ja jakaa tietojasi.", "Your username is: %s" : "Käyttäjätunnuksesi on: %s", "Set your password" : "Aseta salasanasi", "Go to %s" : "Siirry %s-palveluun", @@ -99,8 +100,12 @@ "Error while enabling app" : "Virhe ottaessa sovellusta käyttöön", "Error: This app can not be enabled because it makes the server unstable" : "Virhe: tätä sovellusta ei voi ottaa käyttöön, koska se tekee palvelimesta epävakaan", "Error while disabling broken app" : "Virhe rikkinäistä sovellusta käytöstä poistaessa", + "App up to date" : "Sovellus ajan tasalla", + "Upgrading …" : "Päivitetään…", + "Could not upgrade app" : "Sovellusta ei voitu päivittää", "Updated" : "Päivitetty", "Removing …" : "Poistetaan…", + "Could not remove app" : "Sovellusta ei voitu poistaa", "Remove" : "Poista", "Approved" : "Hyväksytty", "Experimental" : "Kokeellinen", @@ -416,6 +421,7 @@ "Verifying" : "Vahvistetaan", "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Tietoturvan ja suorituskyvyn vuoksi on tärkeää, että asennuksesi on määritetty oikein. Sen vuoksi teemme joitain automaattisia tarkistuksia. Lisätietoja on saatavilla dokumentaation \"Tips & Tricks\"-osiosta.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-moduuli 'fileinfo' puuttuu. Suosittelemme kyseisen moduulin ottamista käyttöön, jotta MIME-tyyppien havaitseminen toimii parhaalla mahdollisella tavalla.", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Verkko-, työpöytä- ja mobiiliasiakkaat sekä sovelluskohtaiset salasanat, joilla on pääsyoikeus tiliisi.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Voit luoda yksilöityjä salasanoja sovelluksille, jotta sinun ei tarvitse antaa henkilökohtaista salasanaasi niille. Voit myös poistaa niitä tarvittaessa.", "Follow us on Google+!" : "Seuraa meitä Google+:ssa!", "Follow us on Twitter!" : "Seuraa meitä Twitterissä!", diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index e889a9660921e..6f1127500ff54 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -109,7 +109,10 @@ OC.L10N.register( "Could not upgrade app" : "Kunne ikke oppgradere appen", "Updated" : "Oppdatert", "Removing …" : "Fjerner…", + "Could not remove app" : "Kunne ikke fjerne program", "Remove" : "Fjern", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Programmet er aktivert men må oppdateres. Du vil bli videresendt til oppgraderingssiden om 5 sekunder.", + "App upgrade" : "Programoppgradering", "Approved" : "Godkjent", "Experimental" : "Eksperimentell", "No apps found for {query}" : "Ingen programmer funnet for {query}", diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index b95a39680b82f..a06200c652adf 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -107,7 +107,10 @@ "Could not upgrade app" : "Kunne ikke oppgradere appen", "Updated" : "Oppdatert", "Removing …" : "Fjerner…", + "Could not remove app" : "Kunne ikke fjerne program", "Remove" : "Fjern", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Programmet er aktivert men må oppdateres. Du vil bli videresendt til oppgraderingssiden om 5 sekunder.", + "App upgrade" : "Programoppgradering", "Approved" : "Godkjent", "Experimental" : "Eksperimentell", "No apps found for {query}" : "Ingen programmer funnet for {query}", diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index 6abb70048b011..90691238c9e93 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -72,11 +72,11 @@ OC.L10N.register( "Your %s account was created" : "Je %s account is aangemaakt", "Welcome aboard" : "Welkom aan boord", "Welcome aboard %s" : "Welkom aan boord %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Welkom bij je %s account; je kan nu je bestanden en gegevens toevoegen, beschermen en delen.", + "Welcome to your %s account, you can add, protect, and share your data." : "Welkom bij je %s account; je kan nu je bestanden toevoegen en veilig delen.", "Your username is: %s" : "Je gebruikersnaam is: %s", - "Set your password" : "Stel je wachtwoord in", + "Set your password" : "Klik hier en stel je eigen wachtwoord in.", "Go to %s" : "Ga naar %s", - "Install Client" : "Installeer Client", + "Install Client" : "Klik hier en installeer een client op telefoon/tablet of pc.", "Password confirmation is required" : "Wachtwoordbevestiging vereist", "Couldn't remove app." : "Kon app niet verwijderen.", "Couldn't update app." : "Kon de app niet bijwerken.", diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index f25fbe9dd1cef..293619f698b50 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -70,11 +70,11 @@ "Your %s account was created" : "Je %s account is aangemaakt", "Welcome aboard" : "Welkom aan boord", "Welcome aboard %s" : "Welkom aan boord %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Welkom bij je %s account; je kan nu je bestanden en gegevens toevoegen, beschermen en delen.", + "Welcome to your %s account, you can add, protect, and share your data." : "Welkom bij je %s account; je kan nu je bestanden toevoegen en veilig delen.", "Your username is: %s" : "Je gebruikersnaam is: %s", - "Set your password" : "Stel je wachtwoord in", + "Set your password" : "Klik hier en stel je eigen wachtwoord in.", "Go to %s" : "Ga naar %s", - "Install Client" : "Installeer Client", + "Install Client" : "Klik hier en installeer een client op telefoon/tablet of pc.", "Password confirmation is required" : "Wachtwoordbevestiging vereist", "Couldn't remove app." : "Kon app niet verwijderen.", "Couldn't update app." : "Kon de app niet bijwerken.", From 09908a737f932361bffe64528e75da14a1089007 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 16 Jan 2018 10:41:55 +0100 Subject: [PATCH 004/251] Deprecated checkLoggedIn and other old ways to access control Signed-off-by: Morris Jobke --- lib/public/User.php | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/lib/public/User.php b/lib/public/User.php index 40be50dd19c5c..fd39b103d658a 100644 --- a/lib/public/User.php +++ b/lib/public/User.php @@ -44,6 +44,7 @@ * This class provides access to the user management. You can get information * about the currently logged in user and the permissions for example * @since 5.0.0 + * @deprecated 13.0.0 */ class User { /** @@ -99,6 +100,7 @@ public static function getDisplayNames( $search = '', $limit = null, $offset = n * Check if the user is logged in * @return boolean * @since 5.0.0 + * @deprecated 13.0.0 Use annotation based ACLs from the AppFramework instead */ public static function isLoggedIn() { return \OC::$server->getUserSession()->isLoggedIn(); @@ -142,6 +144,7 @@ public static function checkPassword( $uid, $password ) { /** * Check if the user is a admin, redirects to home if not * @since 5.0.0 + * @deprecated 13.0.0 Use annotation based ACLs from the AppFramework instead */ public static function checkAdminUser() { \OC_Util::checkAdminUser(); @@ -151,6 +154,7 @@ public static function checkAdminUser() { * Check if the user is logged in, redirects to home if not. With * redirect URL parameter to the request URI. * @since 5.0.0 + * @deprecated 13.0.0 Use annotation based ACLs from the AppFramework instead */ public static function checkLoggedIn() { \OC_Util::checkLoggedIn(); From 3a1390fdb7fec732b7d69706e3221d956ce18609 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Tue, 16 Jan 2018 13:22:28 +0100 Subject: [PATCH 005/251] Support arbitrary number of arguments for d:or and d:and in search queries Signed-off-by: Robin Appelman --- lib/private/Files/Cache/QuerySearchHelper.php | 14 ++++++++++++-- tests/lib/Files/Cache/QuerySearchHelperTest.php | 7 ++++++- 2 files changed, 18 insertions(+), 3 deletions(-) diff --git a/lib/private/Files/Cache/QuerySearchHelper.php b/lib/private/Files/Cache/QuerySearchHelper.php index 51ecb12a06a57..ac64ba5c592cd 100644 --- a/lib/private/Files/Cache/QuerySearchHelper.php +++ b/lib/private/Files/Cache/QuerySearchHelper.php @@ -83,6 +83,16 @@ public function shouldJoinTags(ISearchOperator $operator) { return false; } + /** + * @param IQueryBuilder $builder + * @param ISearchOperator $operator + */ + public function searchOperatorArrayToDBExprArray(IQueryBuilder $builder, array $operators) { + return array_map(function ($operator) use ($builder) { + return $this->searchOperatorToDBExpr($builder, $operator); + }, $operators); + } + public function searchOperatorToDBExpr(IQueryBuilder $builder, ISearchOperator $operator) { $expr = $builder->expr(); if ($operator instanceof ISearchBinaryOperator) { @@ -95,9 +105,9 @@ public function searchOperatorToDBExpr(IQueryBuilder $builder, ISearchOperator $ throw new \InvalidArgumentException('Binary operators inside "not" is not supported'); } case ISearchBinaryOperator::OPERATOR_AND: - return $expr->andX($this->searchOperatorToDBExpr($builder, $operator->getArguments()[0]), $this->searchOperatorToDBExpr($builder, $operator->getArguments()[1])); + return call_user_func_array([$expr, 'andX'], $this->searchOperatorArrayToDBExprArray($builder, $operator->getArguments())); case ISearchBinaryOperator::OPERATOR_OR: - return $expr->orX($this->searchOperatorToDBExpr($builder, $operator->getArguments()[0]), $this->searchOperatorToDBExpr($builder, $operator->getArguments()[1])); + return call_user_func_array([$expr, 'orX'], $this->searchOperatorArrayToDBExprArray($builder, $operator->getArguments())); default: throw new \InvalidArgumentException('Invalid operator type: ' . $operator->getType()); } diff --git a/tests/lib/Files/Cache/QuerySearchHelperTest.php b/tests/lib/Files/Cache/QuerySearchHelperTest.php index 850cee066a1d8..addeac71350ad 100644 --- a/tests/lib/Files/Cache/QuerySearchHelperTest.php +++ b/tests/lib/Files/Cache/QuerySearchHelperTest.php @@ -151,8 +151,13 @@ public function comparisonProvider() { [new SearchComparison(ISearchComparison::COMPARE_LIKE, 'mimetype', 'image/%'), [0, 1]], [new SearchBinaryOperator(ISearchBinaryOperator::OPERATOR_AND, [ new SearchComparison(ISearchComparison::COMPARE_EQUAL, 'size', 50), - new SearchComparison(ISearchComparison::COMPARE_LESS_THAN, 'mtime', 125), [0] + new SearchComparison(ISearchComparison::COMPARE_LESS_THAN, 'mtime', 125) ]), [0]], + [new SearchBinaryOperator(ISearchBinaryOperator::OPERATOR_AND, [ + new SearchComparison(ISearchComparison::COMPARE_EQUAL, 'size', 50), + new SearchComparison(ISearchComparison::COMPARE_LESS_THAN, 'mtime', 125), + new SearchComparison(ISearchComparison::COMPARE_LIKE, 'mimetype', 'text/%') + ]), []], [new SearchBinaryOperator(ISearchBinaryOperator::OPERATOR_OR, [ new SearchComparison(ISearchComparison::COMPARE_EQUAL, 'mtime', 100), new SearchComparison(ISearchComparison::COMPARE_EQUAL, 'mtime', 150), From 0fafa794da08a03054f3455b610b544977951e57 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 16 Jan 2018 13:32:37 +0100 Subject: [PATCH 006/251] Add OCP\User deprecations to app code checker Signed-off-by: Morris Jobke --- lib/private/App/CodeChecker/DeprecationCheck.php | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/lib/private/App/CodeChecker/DeprecationCheck.php b/lib/private/App/CodeChecker/DeprecationCheck.php index 037a2cee849aa..e948afe7c790f 100644 --- a/lib/private/App/CodeChecker/DeprecationCheck.php +++ b/lib/private/App/CodeChecker/DeprecationCheck.php @@ -45,6 +45,7 @@ protected function getLocalClasses() { 'OCP\JSON' => '8.1.0', 'OCP\Response' => '8.1.0', 'OCP\AppFramework\IApi' => '8.0.0', + 'OCP\User' => '13.0.0', ]; } @@ -142,6 +143,9 @@ protected function getLocalMethods() { 'OCP\User::userExists' => '8.1.0', 'OCP\User::logout' => '8.1.0', 'OCP\User::checkPassword' => '8.1.0', + 'OCP\User::isLoggedIn' => '13.0.0', + 'OCP\User::checkAdminUser' => '13.0.0', + 'OCP\User::checkLoggedIn' => '13.0.0', 'OCP\Util::encryptedFiles' => '8.1.0', 'OCP\Util::formatDate' => '8.0.0', From d639dfacb7c68fa9bad7f3289cbc182e8feb6e3d Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Tue, 16 Jan 2018 11:39:48 +0100 Subject: [PATCH 007/251] Keep all shipped apps enabled because they should be okay Signed-off-by: Joas Schilling --- lib/private/legacy/app.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/private/legacy/app.php b/lib/private/legacy/app.php index 1b9fc28873e24..53841a13acfbe 100644 --- a/lib/private/legacy/app.php +++ b/lib/private/legacy/app.php @@ -236,8 +236,8 @@ private static function requireAppFile($app) { require_once $app . '/appinfo/app.php'; } catch (Error $ex) { \OC::$server->getLogger()->logException($ex); - $blacklist = \OC::$server->getAppManager()->getAlwaysEnabledApps(); - if (!in_array($app, $blacklist)) { + if (!\OC::$server->getAppManager()->isShipped($app)) { + // Only disable apps which are not shipped self::disable($app); } } From e643af16d3c3cde323d043ae93adc8b7cf6b8566 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 16 Jan 2018 15:55:01 +0100 Subject: [PATCH 008/251] Fix systemtags/list to be compliant Signed-off-by: Morris Jobke --- apps/systemtags/list.php | 18 +++++++++++++++++- 1 file changed, 17 insertions(+), 1 deletion(-) diff --git a/apps/systemtags/list.php b/apps/systemtags/list.php index 67fdeca93e9a7..f8cdf715f1744 100644 --- a/apps/systemtags/list.php +++ b/apps/systemtags/list.php @@ -19,8 +19,24 @@ * along with this program. If not, see * */ + +// WARNING: this should be moved to proper AppFramework handling // Check if we are a user -OCP\User::checkLoggedIn(); +if (!\OC::$server->getUserSession()->isLoggedIn()) { + header('Location: ' . \OC::$server->getURLGenerator()->linkToRoute( + 'core.login.showLoginForm', + [ + 'redirect_url' => \OC::$server->getRequest()->getRequestUri(), + ] + ) + ); + exit(); +} +// Redirect to 2FA challenge selection if 2FA challenge was not solved yet +if (\OC::$server->getTwoFactorAuthManager()->needsSecondFactor(\OC::$server->getUserSession()->getUser())) { + header('Location: ' . \OC::$server->getURLGenerator()->linkToRoute('core.TwoFactorChallenge.selectChallenge')); + exit(); +} $tmpl = new OCP\Template('systemtags', 'list', ''); $tmpl->printPage(); From c042ae8d612b902ac358d5197724bc8dbdc0e070 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Wed, 17 Jan 2018 01:11:11 +0000 Subject: [PATCH 009/251] [tx-robot] updated from transifex --- apps/dav/l10n/cs.js | 2 ++ apps/dav/l10n/cs.json | 2 ++ core/l10n/de.js | 1 + core/l10n/de.json | 1 + core/l10n/de_DE.js | 1 + core/l10n/de_DE.json | 1 + core/l10n/en_GB.js | 1 + core/l10n/en_GB.json | 1 + core/l10n/es.js | 1 + core/l10n/es.json | 1 + core/l10n/hu.js | 1 + core/l10n/hu.json | 1 + core/l10n/it.js | 1 + core/l10n/it.json | 1 + core/l10n/ka_GE.js | 1 + core/l10n/ka_GE.json | 1 + core/l10n/pt_BR.js | 1 + core/l10n/pt_BR.json | 1 + core/l10n/tr.js | 1 + core/l10n/tr.json | 1 + settings/l10n/cs.js | 6 ++++++ settings/l10n/cs.json | 6 ++++++ 22 files changed, 34 insertions(+) diff --git a/apps/dav/l10n/cs.js b/apps/dav/l10n/cs.js index 2145acaa23cd2..34157ad58a3c4 100644 --- a/apps/dav/l10n/cs.js +++ b/apps/dav/l10n/cs.js @@ -10,6 +10,8 @@ OC.L10N.register( "You deleted calendar {calendar}" : "Smazal(a) jste kalendář {calendar}", "{actor} updated calendar {calendar}" : "{actor} aktualizoval(a) kalendář {calendar}", "You updated calendar {calendar}" : "Aktualizoval(a) jste kalendář {calendar}", + "You shared calendar {calendar} as public link" : "Sdílel(a) jste kalendář {calendar} jako veřejný odkaz", + "You removed public link for calendar {calendar}" : "Odstranil(a) jste veřejný odkaz pro kalendář {calendar} ", "{actor} shared calendar {calendar} with you" : "{actor} s vámi nasdílel(a) kalendář {calendar}", "You shared calendar {calendar} with {user}" : "S uživatelem {user} jste začal(a) sdílet kalendář {calendar}", "{actor} shared calendar {calendar} with {user}" : "{actor} začal sdílet kalendář {calendar} s uživatelem {user}", diff --git a/apps/dav/l10n/cs.json b/apps/dav/l10n/cs.json index 0857d4120a59e..b3f64bb54cf65 100644 --- a/apps/dav/l10n/cs.json +++ b/apps/dav/l10n/cs.json @@ -8,6 +8,8 @@ "You deleted calendar {calendar}" : "Smazal(a) jste kalendář {calendar}", "{actor} updated calendar {calendar}" : "{actor} aktualizoval(a) kalendář {calendar}", "You updated calendar {calendar}" : "Aktualizoval(a) jste kalendář {calendar}", + "You shared calendar {calendar} as public link" : "Sdílel(a) jste kalendář {calendar} jako veřejný odkaz", + "You removed public link for calendar {calendar}" : "Odstranil(a) jste veřejný odkaz pro kalendář {calendar} ", "{actor} shared calendar {calendar} with you" : "{actor} s vámi nasdílel(a) kalendář {calendar}", "You shared calendar {calendar} with {user}" : "S uživatelem {user} jste začal(a) sdílet kalendář {calendar}", "{actor} shared calendar {calendar} with {user}" : "{actor} začal sdílet kalendář {calendar} s uživatelem {user}", diff --git a/core/l10n/de.js b/core/l10n/de.js index ad2ea23021080..1632a4f90a45b 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien… / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", diff --git a/core/l10n/de.json b/core/l10n/de.json index 4f644a088dd93..e52da650dfafc 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien… / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index ca4a47fea233a..43cc1c330b4e7 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien … / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index fee04ccc583a5..af77f6cde8b58 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Informationen befinden sich in unserer Dokumentation. (Liste der ungültigen Dateien … / Erneut analysieren…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer fehlerhaften Installation resultieren. Es wird dringend empfohlen, diese Funktion zu aktivieren.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen.", "Error occurred while checking server setup" : "Fehler beim Überprüfen der Servereinrichtung", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index 82e2f5b9dd838..1b8e042b6e150 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface.", "Error occurred while checking server setup" : "Error occurred whilst checking server setup", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly.", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index 4e5a43402cd33..1f950677dbbb9 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface.", "Error occurred while checking server setup" : "Error occurred whilst checking server setup", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly.", diff --git a/core/l10n/es.js b/core/l10n/es.js index e2331f8cb074b..c6498e6641282 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han pasado la comprobación de integridad. Se puede encontrar más información sobre cómo resolver este problema en la documentación. (Lista de archivos inválidos... / Reescanear)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "La OPcache de PHP no está bien configurada. Para mejorar el rendimiento se recomienda usar las siguientes configuraciones en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función PHP \"set_time_limit\" no está disponible. Esto podría resultar en scripts detenidos a mitad de ejecución, rompiendo tu instalación. Activar esta función está fuertemente recomendado.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Tu PHP no tiene soporte FreeType, lo que provoca una rotura en las imágenes de perfil y en la interfaz de los ajustes.", "Error occurred while checking server setup" : "Ha ocurrido un error al revisar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible, o que lo muevas fuera de la raíz de documentos del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "La cabecera HTTP \"{header}\" no está configurada como \"{expected}\". Esto es un riesgo potencial de seguridad o privacidad, y se recomienda ajustar esta configuración de forma adecuada.", diff --git a/core/l10n/es.json b/core/l10n/es.json index 77d72a25b538f..732b6c5b8d69f 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han pasado la comprobación de integridad. Se puede encontrar más información sobre cómo resolver este problema en la documentación. (Lista de archivos inválidos... / Reescanear)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "La OPcache de PHP no está bien configurada. Para mejorar el rendimiento se recomienda usar las siguientes configuraciones en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función PHP \"set_time_limit\" no está disponible. Esto podría resultar en scripts detenidos a mitad de ejecución, rompiendo tu instalación. Activar esta función está fuertemente recomendado.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Tu PHP no tiene soporte FreeType, lo que provoca una rotura en las imágenes de perfil y en la interfaz de los ajustes.", "Error occurred while checking server setup" : "Ha ocurrido un error al revisar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible, o que lo muevas fuera de la raíz de documentos del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "La cabecera HTTP \"{header}\" no está configurada como \"{expected}\". Esto es un riesgo potencial de seguridad o privacidad, y se recomienda ajustar esta configuración de forma adecuada.", diff --git a/core/l10n/hu.js b/core/l10n/hu.js index 73670cb25259e..8ff16a20d5e9c 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Pár fájl nem ment át az integritás ellenőrzésen. További információk a helyzet megoldására a dokumentációban található. (Érvénytelen fájlok listája… / Újraellenőrzés…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítményért használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat futás kötzben, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "A PHP-ból hiányzik a FreeType-támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja.", "Error occurred while checking server setup" : "Hiba történt a szerver beállítások ellenőrzése közben", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "A \"{header}\" HTTP fejléc nincs beállítva, hogy megegyezzen az elvárttal \"{expected}\". Ez egy potenciális biztonsági és adatvédelmi kockázat. Kérjük, hogy változtassa meg a beállításokat.", diff --git a/core/l10n/hu.json b/core/l10n/hu.json index b4782dfea3f7b..2db6b928b7c2e 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Pár fájl nem ment át az integritás ellenőrzésen. További információk a helyzet megoldására a dokumentációban található. (Érvénytelen fájlok listája… / Újraellenőrzés…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítményért használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat futás kötzben, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "A PHP-ból hiányzik a FreeType-támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja.", "Error occurred while checking server setup" : "Hiba történt a szerver beállítások ellenőrzése közben", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "A \"{header}\" HTTP fejléc nincs beállítva, hogy megegyezzen az elvárttal \"{expected}\". Ez egy potenciális biztonsági és adatvédelmi kockázat. Kérjük, hogy változtassa meg a beállításokat.", diff --git a/core/l10n/it.js b/core/l10n/it.js index d6613225981af..860c3b10516ec 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alcuni file non hanno superato il controllo di integrità. Ulteriori informazioni su come risolvere questo problema sono disponibili nella documentazione. (Elenco dei file non validi… / Nuova scansione…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni seguenti in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "La tua versione di PHP non supporta FreeType. Ciò causerà problemi con le immagini dei profili e con l'interfaccia delle impostazioni.", "Error occurred while checking server setup" : "Si è verificato un errore durante il controllo della configurazione del server", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet. Il file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'intestazione HTTP \"{header}\" non è configurata come \"{expected}\". \nQuesto è un potenziale rischio di sicurezza o di riservatezza, e noi consigliamo di modificare questa impostazione.", diff --git a/core/l10n/it.json b/core/l10n/it.json index 887aec4ad4f6a..788663d83df24 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alcuni file non hanno superato il controllo di integrità. Ulteriori informazioni su come risolvere questo problema sono disponibili nella documentazione. (Elenco dei file non validi… / Nuova scansione…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni seguenti in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "La tua versione di PHP non supporta FreeType. Ciò causerà problemi con le immagini dei profili e con l'interfaccia delle impostazioni.", "Error occurred while checking server setup" : "Si è verificato un errore durante il controllo della configurazione del server", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet. Il file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'intestazione HTTP \"{header}\" non è configurata come \"{expected}\". \nQuesto è un potenziale rischio di sicurezza o di riservatezza, e noi consigliamo di modificare questa impostazione.", diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index 2736c219b71ea..f2f6fd31fe7d8 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "გარკვეულმა ფაილება ვერ გაიარეს ერთიანობის შემოწმება. ინფორმაცია თუ როგორ აღმოფხრათ ეს პრობლემა შეგიძლიათ მოიძიოთ დოკუმენტაციაში. (არასწორი ფაილების სია... / ხელახალი სკანირება...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის რეკომენდირებულია php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. რეკომენდირებულია ამ ფუნქციის ჩართვა.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "თქვენს PHP-ს არ აქვს FreeType-ის მხარდაჭერა, რაც გამოწვევს დარღვეულ პროფილის სურათებს და პარამეტრების ინტერფეისს.", "Error occurred while checking server setup" : "შეცდომა სერვერის მოწყობის შემოწმებისას", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP დასათაურება \"{header}\" არაა კონფიგურირებული უტოლდებოდეს \"{expected}\"-ს. ეს პოტენციური უსაფრთხოების და კონფიდენციალურობის რისკია, რეკომენდირებულია ამ პარამეტრის გამოსწორება.", diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index 3fcea871113d9..840d23e050379 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "გარკვეულმა ფაილება ვერ გაიარეს ერთიანობის შემოწმება. ინფორმაცია თუ როგორ აღმოფხრათ ეს პრობლემა შეგიძლიათ მოიძიოთ დოკუმენტაციაში. (არასწორი ფაილების სია... / ხელახალი სკანირება...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის რეკომენდირებულია php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. რეკომენდირებულია ამ ფუნქციის ჩართვა.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "თქვენს PHP-ს არ აქვს FreeType-ის მხარდაჭერა, რაც გამოწვევს დარღვეულ პროფილის სურათებს და პარამეტრების ინტერფეისს.", "Error occurred while checking server setup" : "შეცდომა სერვერის მოწყობის შემოწმებისას", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP დასათაურება \"{header}\" არაა კონფიგურირებული უტოლდებოდეს \"{expected}\"-ს. ეს პოტენციური უსაფრთხოების და კონფიდენციალურობის რისკია, რეკომენდირებულია ამ პარამეტრის გამოსწორება.", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 18eb2f0943bb0..9557788b3850e 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alguns arquivos não passaram na verificação de integridade. Mais informações sobre como resolver esse problema podem ser encontradas na documentação. (Lista de arquivos inválidos… / Verificar novamente…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "O PHP OPcache não está configurado corretamente.Para um melhor desempenho é recomendado usar as seguintes configurações no php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em travamento de scripts, quebrando sua instalação. A ativação desta função é altamente recomendada.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Seu PHP não possui suporte à FreeType, resultando em problemas nas fotos de perfil e interface de configurações.", "Error occurred while checking server setup" : "Erro ao verificar a configuração do servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente podem ser acessados pela Internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web para que o diretório de dados não seja mais acessível ou mova o diretório de dados fora da raiz de documentos do servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{header}\" não está definido para \"{expected}\". Este é um potencial risco de segurança ou privacidade e é recomendado ajustar esta configuração de acordo.", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index 24feb12738b82..5c73007222c97 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alguns arquivos não passaram na verificação de integridade. Mais informações sobre como resolver esse problema podem ser encontradas na documentação. (Lista de arquivos inválidos… / Verificar novamente…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "O PHP OPcache não está configurado corretamente.Para um melhor desempenho é recomendado usar as seguintes configurações no php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em travamento de scripts, quebrando sua instalação. A ativação desta função é altamente recomendada.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Seu PHP não possui suporte à FreeType, resultando em problemas nas fotos de perfil e interface de configurações.", "Error occurred while checking server setup" : "Erro ao verificar a configuração do servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente podem ser acessados pela Internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web para que o diretório de dados não seja mais acessível ou mova o diretório de dados fora da raiz de documentos do servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{header}\" não está definido para \"{expected}\". Este é um potencial risco de segurança ou privacidade e é recomendado ajustar esta configuração de acordo.", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index a09b9f2a553d3..d9c18e4133534 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Bazı dosyalar bütünlük denetiminden geçemedi. Bu sorunun çözümü ile ilgili bilgi almak için belgelere bakabilirsiniz. (Geçersiz dosyaların listesi… / Yeniden Tara…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için php.ini dosyasında şu ayarların kullanılması önerilir:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevin etkinleştirilmesi önemle önerilir.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP kurulumunuzda FreeType desteği yok. Bu durum profil görsellerinin ve ayarlar bölümünün bozuk görüntülenmesine neden olur.", "Error occurred while checking server setup" : "Sunucu ayarları denetlenirken sorun çıktı", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP üst bilgisi \"{expected}\" şeklinde ayarlanmamış. Bu durum olası bir güvenlik ya da gizlilik riski oluşturduğundan bu ayarın belirtildiği gibi yapılması önerilir.", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 923d782732bbd..1ef2806652b50 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Bazı dosyalar bütünlük denetiminden geçemedi. Bu sorunun çözümü ile ilgili bilgi almak için belgelere bakabilirsiniz. (Geçersiz dosyaların listesi… / Yeniden Tara…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için php.ini dosyasında şu ayarların kullanılması önerilir:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevin etkinleştirilmesi önemle önerilir.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP kurulumunuzda FreeType desteği yok. Bu durum profil görsellerinin ve ayarlar bölümünün bozuk görüntülenmesine neden olur.", "Error occurred while checking server setup" : "Sunucu ayarları denetlenirken sorun çıktı", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP üst bilgisi \"{expected}\" şeklinde ayarlanmamış. Bu durum olası bir güvenlik ya da gizlilik riski oluşturduğundan bu ayarın belirtildiği gibi yapılması önerilir.", diff --git a/settings/l10n/cs.js b/settings/l10n/cs.js index 2c40ca98fb9a4..0ba035960759a 100644 --- a/settings/l10n/cs.js +++ b/settings/l10n/cs.js @@ -104,9 +104,15 @@ OC.L10N.register( "Error: This app can not be enabled because it makes the server unstable" : "Chyba: tuto aplikaci nelze zapnout, protože způsobuje nestabilitu serveru", "Error: Could not disable broken app" : "Chyba: nezdařilo se vypnout rozbitou aplikaci", "Error while disabling broken app" : "Chyba při vypínání rozbité aplikace", + "App up to date" : "Aplikace je aktuální", + "Upgrading …" : "Aktualizuji ...", + "Could not upgrade app" : "Aplikaci nelze aktualizovat", "Updated" : "Aktualizováno", "Removing …" : "Odstraňování …", + "Could not remove app" : "Nepodařilo se odebrat aplikaci", "Remove" : "Odstranit", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Aplikace byla povolena ale je třeba ji aktualizovat. Za 5 sekund budete přesměrování na stránku pro aktualizaci.", + "App upgrade" : "Aktualizace aplikace", "Approved" : "Potvrzeno", "Experimental" : "Experimentální", "No apps found for {query}" : "Nebyly nalezeny žádné aplikace pro {query}", diff --git a/settings/l10n/cs.json b/settings/l10n/cs.json index 23e52575d45fa..7f22602f58c24 100644 --- a/settings/l10n/cs.json +++ b/settings/l10n/cs.json @@ -102,9 +102,15 @@ "Error: This app can not be enabled because it makes the server unstable" : "Chyba: tuto aplikaci nelze zapnout, protože způsobuje nestabilitu serveru", "Error: Could not disable broken app" : "Chyba: nezdařilo se vypnout rozbitou aplikaci", "Error while disabling broken app" : "Chyba při vypínání rozbité aplikace", + "App up to date" : "Aplikace je aktuální", + "Upgrading …" : "Aktualizuji ...", + "Could not upgrade app" : "Aplikaci nelze aktualizovat", "Updated" : "Aktualizováno", "Removing …" : "Odstraňování …", + "Could not remove app" : "Nepodařilo se odebrat aplikaci", "Remove" : "Odstranit", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Aplikace byla povolena ale je třeba ji aktualizovat. Za 5 sekund budete přesměrování na stránku pro aktualizaci.", + "App upgrade" : "Aktualizace aplikace", "Approved" : "Potvrzeno", "Experimental" : "Experimentální", "No apps found for {query}" : "Nebyly nalezeny žádné aplikace pro {query}", From ed999066e5e05fc569c1a9940e64aa13a916ddc8 Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Wed, 17 Jan 2018 11:35:20 +0100 Subject: [PATCH 010/251] Fix the type hints of migrations and correctly inject the wrapped schema into migrations Signed-off-by: Joas Schilling --- .../Version1004Date20170825134824.php | 8 +- .../Version1004Date20170919104507.php | 8 +- .../Version1004Date20170924124212.php | 8 +- .../Version1004Date20170926103422.php | 3 - .../Version1002Date20170607104347.php | 8 +- .../Version1002Date20170607113030.php | 12 +-- .../Version1002Date20170919123342.php | 8 +- .../Version1002Date20170926101419.php | 3 - .../Command/Db/Migrations/GenerateCommand.php | 10 +- .../GenerateFromSchemaFileCommand.php | 2 +- .../Version13000Date20170705121758.php | 8 +- .../Version13000Date20170718121200.php | 8 +- .../Version13000Date20170814074715.php | 12 +-- .../Version13000Date20170919121250.php | 12 +-- .../Version13000Date20170926101637.php | 3 - lib/composer/composer/autoload_classmap.php | 1 + lib/composer/composer/autoload_static.php | 1 + lib/private/DB/MigrationService.php | 4 +- lib/private/DB/SchemaWrapper.php | 33 +++---- lib/public/DB/ISchemaWrapper.php | 92 +++++++++++++++++++ lib/public/Migration/BigIntMigration.php | 8 +- lib/public/Migration/IMigrationStep.php | 10 +- lib/public/Migration/SimpleMigrationStep.php | 10 +- tests/lib/DB/MigrationsTest.php | 2 - 24 files changed, 176 insertions(+), 98 deletions(-) create mode 100644 lib/public/DB/ISchemaWrapper.php diff --git a/apps/dav/lib/Migration/Version1004Date20170825134824.php b/apps/dav/lib/Migration/Version1004Date20170825134824.php index dceb1ffbbdcfe..26855c2e23e02 100644 --- a/apps/dav/lib/Migration/Version1004Date20170825134824.php +++ b/apps/dav/lib/Migration/Version1004Date20170825134824.php @@ -23,20 +23,20 @@ */ namespace OCA\DAV\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; class Version1004Date20170825134824 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); if (!$schema->hasTable('addressbooks')) { diff --git a/apps/dav/lib/Migration/Version1004Date20170919104507.php b/apps/dav/lib/Migration/Version1004Date20170919104507.php index d4c7026aea8e2..2cf4065011be6 100644 --- a/apps/dav/lib/Migration/Version1004Date20170919104507.php +++ b/apps/dav/lib/Migration/Version1004Date20170919104507.php @@ -23,7 +23,7 @@ */ namespace OCA\DAV\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -31,13 +31,13 @@ class Version1004Date20170919104507 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); $table = $schema->getTable('addressbooks'); diff --git a/apps/dav/lib/Migration/Version1004Date20170924124212.php b/apps/dav/lib/Migration/Version1004Date20170924124212.php index 425747af74265..e3f509b2a71df 100644 --- a/apps/dav/lib/Migration/Version1004Date20170924124212.php +++ b/apps/dav/lib/Migration/Version1004Date20170924124212.php @@ -22,7 +22,7 @@ */ namespace OCA\DAV\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -30,13 +30,13 @@ class Version1004Date20170924124212 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); $table = $schema->getTable('cards'); diff --git a/apps/dav/lib/Migration/Version1004Date20170926103422.php b/apps/dav/lib/Migration/Version1004Date20170926103422.php index d50cbae396b81..5da6465bc8661 100644 --- a/apps/dav/lib/Migration/Version1004Date20170926103422.php +++ b/apps/dav/lib/Migration/Version1004Date20170926103422.php @@ -23,10 +23,7 @@ */ namespace OCA\DAV\Migration; -use Doctrine\DBAL\Schema\Schema; use OCP\Migration\BigIntMigration; -use OCP\Migration\SimpleMigrationStep; -use OCP\Migration\IOutput; /** * Auto-generated migration step: Please modify to your needs! diff --git a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607104347.php b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607104347.php index a7823c5b7a8d6..9d369ae3a8d77 100644 --- a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607104347.php +++ b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607104347.php @@ -23,7 +23,7 @@ namespace OCA\TwoFactorBackupCodes\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use Doctrine\DBAL\Types\Type; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -31,13 +31,13 @@ class Version1002Date20170607104347 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); if (!$schema->hasTable('twofactor_backupcodes')) { diff --git a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607113030.php b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607113030.php index dae9e011787c4..6895aa44a5154 100644 --- a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607113030.php +++ b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170607113030.php @@ -23,7 +23,7 @@ namespace OCA\TwoFactorBackupCodes\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\DB\QueryBuilder\IQueryBuilder; use OCP\IDBConnection; use OCP\Migration\SimpleMigrationStep; @@ -43,12 +43,12 @@ public function __construct(IDBConnection $connection) { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ public function preSchemaChange(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); if (!$schema->hasTable('twofactor_backup_codes')) { @@ -87,13 +87,13 @@ public function preSchemaChange(IOutput $output, \Closure $schemaClosure, array /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); if ($schema->hasTable('twofactor_backup_codes')) { diff --git a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170919123342.php b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170919123342.php index bb35a900a1e5d..5cbbcb2eccaa9 100644 --- a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170919123342.php +++ b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170919123342.php @@ -23,8 +23,8 @@ namespace OCA\TwoFactorBackupCodes\Migration; -use Doctrine\DBAL\Schema\Schema; use Doctrine\DBAL\Types\Type; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -32,13 +32,13 @@ class Version1002Date20170919123342 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); $table = $schema->getTable('twofactor_backupcodes'); diff --git a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170926101419.php b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170926101419.php index 8072ebd68108e..0e19fe2a35ec3 100644 --- a/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170926101419.php +++ b/apps/twofactor_backupcodes/lib/Migration/Version1002Date20170926101419.php @@ -1,10 +1,7 @@ hasTable('personal_sections')) { diff --git a/core/Migrations/Version13000Date20170718121200.php b/core/Migrations/Version13000Date20170718121200.php index e71debfcb4b30..139129eb60096 100644 --- a/core/Migrations/Version13000Date20170718121200.php +++ b/core/Migrations/Version13000Date20170718121200.php @@ -23,8 +23,8 @@ namespace OC\Core\Migrations; -use Doctrine\DBAL\Schema\Schema; use Doctrine\DBAL\Types\Type; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -32,13 +32,13 @@ class Version13000Date20170718121200 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); if (!$schema->hasTable('appconfig')) { diff --git a/core/Migrations/Version13000Date20170814074715.php b/core/Migrations/Version13000Date20170814074715.php index 097db51984ebc..0eae4167fb6af 100644 --- a/core/Migrations/Version13000Date20170814074715.php +++ b/core/Migrations/Version13000Date20170814074715.php @@ -23,7 +23,7 @@ namespace OC\Core\Migrations; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -31,7 +31,7 @@ class Version13000Date20170814074715 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ @@ -40,13 +40,13 @@ public function preSchemaChange(IOutput $output, \Closure $schemaClosure, array /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); @@ -69,7 +69,7 @@ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $op /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ diff --git a/core/Migrations/Version13000Date20170919121250.php b/core/Migrations/Version13000Date20170919121250.php index 0857d6d5ceb9c..6bdd79cf6722b 100644 --- a/core/Migrations/Version13000Date20170919121250.php +++ b/core/Migrations/Version13000Date20170919121250.php @@ -23,7 +23,7 @@ */ namespace OC\Core\Migrations; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\Migration\SimpleMigrationStep; use OCP\Migration\IOutput; @@ -34,7 +34,7 @@ class Version13000Date20170919121250 extends SimpleMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ @@ -43,13 +43,13 @@ public function preSchemaChange(IOutput $output, \Closure $schemaClosure, array /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); $table = $schema->getTable('jobs'); @@ -115,7 +115,7 @@ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $op /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ diff --git a/core/Migrations/Version13000Date20170926101637.php b/core/Migrations/Version13000Date20170926101637.php index f51828e7a3341..088de9880209a 100644 --- a/core/Migrations/Version13000Date20170926101637.php +++ b/core/Migrations/Version13000Date20170926101637.php @@ -23,10 +23,7 @@ */ namespace OC\Core\Migrations; -use Doctrine\DBAL\Schema\Schema; use OCP\Migration\BigIntMigration; -use OCP\Migration\SimpleMigrationStep; -use OCP\Migration\IOutput; /** * Auto-generated migration step: Please modify to your needs! diff --git a/lib/composer/composer/autoload_classmap.php b/lib/composer/composer/autoload_classmap.php index f392e55037f71..7b82da1dc2000 100644 --- a/lib/composer/composer/autoload_classmap.php +++ b/lib/composer/composer/autoload_classmap.php @@ -99,6 +99,7 @@ 'OCP\\Contacts\\ContactsMenu\\IProvider' => $baseDir . '/lib/public/Contacts/ContactsMenu/IProvider.php', 'OCP\\Contacts\\IManager' => $baseDir . '/lib/public/Contacts/IManager.php', 'OCP\\DB' => $baseDir . '/lib/public/DB.php', + 'OCP\\DB\\ISchemaWrapper' => $baseDir . '/lib/public/DB/ISchemaWrapper.php', 'OCP\\DB\\QueryBuilder\\ICompositeExpression' => $baseDir . '/lib/public/DB/QueryBuilder/ICompositeExpression.php', 'OCP\\DB\\QueryBuilder\\IExpressionBuilder' => $baseDir . '/lib/public/DB/QueryBuilder/IExpressionBuilder.php', 'OCP\\DB\\QueryBuilder\\IFunctionBuilder' => $baseDir . '/lib/public/DB/QueryBuilder/IFunctionBuilder.php', diff --git a/lib/composer/composer/autoload_static.php b/lib/composer/composer/autoload_static.php index c656412fb90bc..67ae9f84d3c85 100644 --- a/lib/composer/composer/autoload_static.php +++ b/lib/composer/composer/autoload_static.php @@ -123,6 +123,7 @@ class ComposerStaticInit53792487c5a8370acc0b06b1a864ff4c 'OCP\\Contacts\\ContactsMenu\\IProvider' => __DIR__ . '/../../..' . '/lib/public/Contacts/ContactsMenu/IProvider.php', 'OCP\\Contacts\\IManager' => __DIR__ . '/../../..' . '/lib/public/Contacts/IManager.php', 'OCP\\DB' => __DIR__ . '/../../..' . '/lib/public/DB.php', + 'OCP\\DB\\ISchemaWrapper' => __DIR__ . '/../../..' . '/lib/public/DB/ISchemaWrapper.php', 'OCP\\DB\\QueryBuilder\\ICompositeExpression' => __DIR__ . '/../../..' . '/lib/public/DB/QueryBuilder/ICompositeExpression.php', 'OCP\\DB\\QueryBuilder\\IExpressionBuilder' => __DIR__ . '/../../..' . '/lib/public/DB/QueryBuilder/IExpressionBuilder.php', 'OCP\\DB\\QueryBuilder\\IFunctionBuilder' => __DIR__ . '/../../..' . '/lib/public/DB/QueryBuilder/IFunctionBuilder.php', diff --git a/lib/private/DB/MigrationService.php b/lib/private/DB/MigrationService.php index 729f9753dfb47..25eaa628e52f2 100644 --- a/lib/private/DB/MigrationService.php +++ b/lib/private/DB/MigrationService.php @@ -423,7 +423,7 @@ public function executeStep($version) { } $instance->preSchemaChange($this->output, function() { - return $this->connection->createSchema(); + return new SchemaWrapper($this->connection); }, ['tablePrefix' => $this->connection->getPrefix()]); $toSchema = $instance->changeSchema($this->output, function() { @@ -436,7 +436,7 @@ public function executeStep($version) { } $instance->postSchemaChange($this->output, function() { - return $this->connection->createSchema(); + return new SchemaWrapper($this->connection); }, ['tablePrefix' => $this->connection->getPrefix()]); $this->markAsExecuted($version); diff --git a/lib/private/DB/SchemaWrapper.php b/lib/private/DB/SchemaWrapper.php index 2a0660b2a8860..4f05b7b00ef6e 100644 --- a/lib/private/DB/SchemaWrapper.php +++ b/lib/private/DB/SchemaWrapper.php @@ -25,9 +25,10 @@ use Doctrine\DBAL\DBALException; use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; use OCP\IDBConnection; -class SchemaWrapper { +class SchemaWrapper implements ISchemaWrapper { /** @var IDBConnection|Connection */ protected $connection; @@ -75,6 +76,13 @@ public function getTableNamesWithoutPrefix() { // Overwritten methods + /** + * @return array + */ + public function getTableNames() { + return $this->schema->getTableNames(); + } + /** * @param string $tableName * @@ -106,19 +114,6 @@ public function createTable($tableName) { return $this->schema->createTable($this->connection->getPrefix() . $tableName); } - /** - * Renames a table. - * - * @param string $oldTableName - * @param string $newTableName - * - * @return \Doctrine\DBAL\Schema\Schema - * @throws DBALException - */ - public function renameTable($oldTableName, $newTableName) { - throw new DBALException('Renaming tables is not supported. Please create and drop the tables manually.'); - } - /** * Drops a table from the schema. * @@ -131,11 +126,11 @@ public function dropTable($tableName) { } /** - * @param string $name - * @param array $arguments - * @return mixed + * Gets all tables of this schema. + * + * @return \Doctrine\DBAL\Schema\Table[] */ - public function __call($name, $arguments) { - return call_user_func_array([$this->schema, $name], $arguments); + public function getTables() { + return $this->schema->getTables(); } } diff --git a/lib/public/DB/ISchemaWrapper.php b/lib/public/DB/ISchemaWrapper.php new file mode 100644 index 0000000000000..b29831dbc2e4d --- /dev/null +++ b/lib/public/DB/ISchemaWrapper.php @@ -0,0 +1,92 @@ + + * + * @license GNU AGPL version 3 or any later version + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU Affero General Public License as + * published by the Free Software Foundation, either version 3 of the + * License, or (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU Affero General Public License for more details. + * + * You should have received a copy of the GNU Affero General Public License + * along with this program. If not, see . + * + */ + +namespace OCP\DB; + +/** + * Interface ISchemaWrapper + * + * @package OCP\DB + * @since 13.0.0 + */ +interface ISchemaWrapper { + + /** + * @param string $tableName + * + * @return \Doctrine\DBAL\Schema\Table + * @throws \Doctrine\DBAL\Schema\SchemaException + * @since 13.0.0 + */ + public function getTable($tableName); + + /** + * Does this schema have a table with the given name? + * + * @param string $tableName Prefix is automatically prepended + * + * @return boolean + * @since 13.0.0 + */ + public function hasTable($tableName); + + /** + * Creates a new table. + * + * @param string $tableName Prefix is automatically prepended + * @return \Doctrine\DBAL\Schema\Table + * @since 13.0.0 + */ + public function createTable($tableName); + + /** + * Drops a table from the schema. + * + * @param string $tableName Prefix is automatically prepended + * @return \Doctrine\DBAL\Schema\Schema + * @since 13.0.0 + */ + public function dropTable($tableName); + + /** + * Gets all tables of this schema. + * + * @return \Doctrine\DBAL\Schema\Table[] + * @since 13.0.0 + */ + public function getTables(); + + /** + * Gets all table names, prefixed with table prefix + * + * @return array + * @since 13.0.0 + */ + public function getTableNames(); + + /** + * Gets all table names + * + * @return array + * @since 13.0.0 + */ + public function getTableNamesWithoutPrefix(); +} diff --git a/lib/public/Migration/BigIntMigration.php b/lib/public/Migration/BigIntMigration.php index 9e6003714e5af..41c48f2181a4b 100644 --- a/lib/public/Migration/BigIntMigration.php +++ b/lib/public/Migration/BigIntMigration.php @@ -23,8 +23,8 @@ namespace OCP\Migration; -use Doctrine\DBAL\Schema\Schema; use Doctrine\DBAL\Types\Type; +use OCP\DB\ISchemaWrapper; /** * @since 13.0.0 @@ -40,13 +40,13 @@ abstract protected function getColumnsByTable(); /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { - /** @var Schema $schema */ + /** @var ISchemaWrapper $schema */ $schema = $schemaClosure(); $tables = $this->getColumnsByTable(); diff --git a/lib/public/Migration/IMigrationStep.php b/lib/public/Migration/IMigrationStep.php index 11b92ecf0cf6a..e12d962683e7d 100644 --- a/lib/public/Migration/IMigrationStep.php +++ b/lib/public/Migration/IMigrationStep.php @@ -23,7 +23,7 @@ namespace OCP\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; /** * @since 13.0.0 @@ -32,7 +32,7 @@ interface IMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ @@ -40,16 +40,16 @@ public function preSchemaChange(IOutput $output, \Closure $schemaClosure, array /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options); /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ diff --git a/lib/public/Migration/SimpleMigrationStep.php b/lib/public/Migration/SimpleMigrationStep.php index 58c6806448491..da46c687644e9 100644 --- a/lib/public/Migration/SimpleMigrationStep.php +++ b/lib/public/Migration/SimpleMigrationStep.php @@ -23,7 +23,7 @@ namespace OCP\Migration; -use Doctrine\DBAL\Schema\Schema; +use OCP\DB\ISchemaWrapper; /** * @since 13.0.0 @@ -32,7 +32,7 @@ abstract class SimpleMigrationStep implements IMigrationStep { /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ @@ -41,9 +41,9 @@ public function preSchemaChange(IOutput $output, \Closure $schemaClosure, array /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options - * @return null|Schema + * @return null|ISchemaWrapper * @since 13.0.0 */ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $options) { @@ -52,7 +52,7 @@ public function changeSchema(IOutput $output, \Closure $schemaClosure, array $op /** * @param IOutput $output - * @param \Closure $schemaClosure The `\Closure` returns a `Schema` + * @param \Closure $schemaClosure The `\Closure` returns a `ISchemaWrapper` * @param array $options * @since 13.0.0 */ diff --git a/tests/lib/DB/MigrationsTest.php b/tests/lib/DB/MigrationsTest.php index 9c06fe4cec5b1..191164c7eed18 100644 --- a/tests/lib/DB/MigrationsTest.php +++ b/tests/lib/DB/MigrationsTest.php @@ -16,8 +16,6 @@ use OC\DB\SchemaWrapper; use OCP\IDBConnection; use OCP\Migration\IMigrationStep; -use OCP\Migration\ISchemaMigration; -use OCP\Migration\ISqlMigration; /** * Class MigrationsTest From 266c64069fb300d79f253a1bdd2e249e78330d50 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Thu, 18 Jan 2018 01:10:52 +0000 Subject: [PATCH 011/251] [tx-robot] updated from transifex --- core/l10n/de.js | 1 + core/l10n/de.json | 1 + core/l10n/de_DE.js | 1 + core/l10n/de_DE.json | 1 + core/l10n/it.js | 1 + core/l10n/it.json | 1 + core/l10n/ka_GE.js | 1 + core/l10n/ka_GE.json | 1 + core/l10n/pt_BR.js | 1 + core/l10n/pt_BR.json | 1 + core/l10n/ru.js | 2 ++ core/l10n/ru.json | 2 ++ core/l10n/tr.js | 1 + core/l10n/tr.json | 1 + 14 files changed, 16 insertions(+) diff --git a/core/l10n/de.js b/core/l10n/de.js index 1632a4f90a45b..07573d2aaaba2 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "Benutzername oder E-Mail", "Log in" : "Anmelden", "Wrong password." : "Falsches Passwort.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Es wurden mehrere ungültige Anmeldeversuche von Deiner IP-Adresse festgestellt. Daher wird die nächste Anmeldung um 30 Sekunden verzögert.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", diff --git a/core/l10n/de.json b/core/l10n/de.json index e52da650dfafc..38eaf2b478c55 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -275,6 +275,7 @@ "Username or email" : "Benutzername oder E-Mail", "Log in" : "Anmelden", "Wrong password." : "Falsches Passwort.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Es wurden mehrere ungültige Anmeldeversuche von Deiner IP-Adresse festgestellt. Daher wird die nächste Anmeldung um 30 Sekunden verzögert.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index 43cc1c330b4e7..dc4908c58f752 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "Benutzername oder E-Mail", "Log in" : "Anmelden", "Wrong password." : "Falsches Passwort.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Es wurden mehrere ungültige Anmeldeversuche von Ihrer IP-Adresse festgestellt. Daher wird die nächste Anmeldung um 30 Sekunden verzögert.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index af77f6cde8b58..6dc2d76a8fc54 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -275,6 +275,7 @@ "Username or email" : "Benutzername oder E-Mail", "Log in" : "Anmelden", "Wrong password." : "Falsches Passwort.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Es wurden mehrere ungültige Anmeldeversuche von Ihrer IP-Adresse festgestellt. Daher wird die nächste Anmeldung um 30 Sekunden verzögert.", "Stay logged in" : "Angemeldet bleiben", "Forgot password?" : "Passwort vergessen?", "Back to log in" : "Zur Anmeldung wechseln", diff --git a/core/l10n/it.js b/core/l10n/it.js index 860c3b10516ec..72ee0826b46d3 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "Nome utente o email", "Log in" : "Accedi", "Wrong password." : "Password errata.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Abbiamo rilevato molti tentativi di autenticazione falliti dal tuo indirizzo IP. Di conseguenza il prossimo tentativo è ritardato di 30 secondi.", "Stay logged in" : "Rimani collegato", "Forgot password?" : "Hai dimenticato la password?", "Back to log in" : "Torna alla schermata di accesso", diff --git a/core/l10n/it.json b/core/l10n/it.json index 788663d83df24..bed416428232c 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -275,6 +275,7 @@ "Username or email" : "Nome utente o email", "Log in" : "Accedi", "Wrong password." : "Password errata.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Abbiamo rilevato molti tentativi di autenticazione falliti dal tuo indirizzo IP. Di conseguenza il prossimo tentativo è ritardato di 30 secondi.", "Stay logged in" : "Rimani collegato", "Forgot password?" : "Hai dimenticato la password?", "Back to log in" : "Torna alla schermata di accesso", diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index f2f6fd31fe7d8..984be98ce02e4 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "მომხმარებლის სახელი ან ელ-ფოსტა", "Log in" : "შესვლა", "Wrong password." : "არასწორი პაროლი.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "თქვენი IP მისამართით შევნიშნეთ არაერთი წარუმატებელი ავტორიზაციის მცდელობა. აქედან გამომდინარე თქვენი შემდეგი ავტორიზაციის მცდელობა შეიზღუდება დაახლოებით 30 წამით.", "Stay logged in" : "ავტორიზებულად დარჩენა", "Forgot password?" : "დაგავიწყდათ პაროლი?", "Back to log in" : "უკან ავტორიზაციისკენ", diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index 840d23e050379..c3b05aa93d635 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -275,6 +275,7 @@ "Username or email" : "მომხმარებლის სახელი ან ელ-ფოსტა", "Log in" : "შესვლა", "Wrong password." : "არასწორი პაროლი.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "თქვენი IP მისამართით შევნიშნეთ არაერთი წარუმატებელი ავტორიზაციის მცდელობა. აქედან გამომდინარე თქვენი შემდეგი ავტორიზაციის მცდელობა შეიზღუდება დაახლოებით 30 წამით.", "Stay logged in" : "ავტორიზებულად დარჩენა", "Forgot password?" : "დაგავიწყდათ პაროლი?", "Back to log in" : "უკან ავტორიზაციისკენ", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 9557788b3850e..99cb9f793f976 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "Nome de usuário ou e-mail", "Log in" : "Entrar", "Wrong password." : "Senha errada", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Detectamos várias tentativas de login inválidas de seu IP. Portanto, seu próximo login será desacelerado em até 30 segundos.", "Stay logged in" : "Permaneça logado", "Forgot password?" : "Esqueceu a senha?", "Back to log in" : "Voltar ao login", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index 5c73007222c97..96a69fec9bbfa 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -275,6 +275,7 @@ "Username or email" : "Nome de usuário ou e-mail", "Log in" : "Entrar", "Wrong password." : "Senha errada", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Detectamos várias tentativas de login inválidas de seu IP. Portanto, seu próximo login será desacelerado em até 30 segundos.", "Stay logged in" : "Permaneça logado", "Forgot password?" : "Esqueceu a senha?", "Back to log in" : "Voltar ao login", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index e7c4bc4ea65d8..00003354f4141 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о способах решения этой проблемы содержится в документации. (Список проблемных файлов… / Выполнить повторное сканирование…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется задать в файле php.ini следующие параметры настроек:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы это может привести к повреждению установки сервера Nextcloud. Настоятельно рекомендуется включить эту функцию. ", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Установленная версия PHP не поддерживает библиотеку FreeType, что приводит к неверному отображению изображений профиля и интерфейса настроек.", "Error occurred while checking server setup" : "Произошла ошибка при проверке настроек сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Каталог данных и файлы, возможно, доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был доступен из внешней сети, либо переместить каталог данных за пределы корневого каталога веб-сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Заголовок HTTP «{header}» не настроен на значение «{expected}». Это потенциальная проблема безопасности для устранения которой рекомендуется задать этот параметр.", @@ -276,6 +277,7 @@ OC.L10N.register( "Username or email" : "Имя пользователя или Email", "Log in" : "Войти", "Wrong password." : "Неправильный пароль.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "С этого IP адреса было выполнено множество неудачных попыток входа. Следующую попытку входа в систему можно будет выполнить через 30 секунд.", "Stay logged in" : "Оставаться в системе", "Forgot password?" : "Забыли пароль?", "Back to log in" : "Авторизоваться повторно", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index 0e6c8086dcf89..afa35516b8e83 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о способах решения этой проблемы содержится в документации. (Список проблемных файлов… / Выполнить повторное сканирование…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется задать в файле php.ini следующие параметры настроек:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы это может привести к повреждению установки сервера Nextcloud. Настоятельно рекомендуется включить эту функцию. ", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Установленная версия PHP не поддерживает библиотеку FreeType, что приводит к неверному отображению изображений профиля и интерфейса настроек.", "Error occurred while checking server setup" : "Произошла ошибка при проверке настроек сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Каталог данных и файлы, возможно, доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был доступен из внешней сети, либо переместить каталог данных за пределы корневого каталога веб-сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "Заголовок HTTP «{header}» не настроен на значение «{expected}». Это потенциальная проблема безопасности для устранения которой рекомендуется задать этот параметр.", @@ -274,6 +275,7 @@ "Username or email" : "Имя пользователя или Email", "Log in" : "Войти", "Wrong password." : "Неправильный пароль.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "С этого IP адреса было выполнено множество неудачных попыток входа. Следующую попытку входа в систему можно будет выполнить через 30 секунд.", "Stay logged in" : "Оставаться в системе", "Forgot password?" : "Забыли пароль?", "Back to log in" : "Авторизоваться повторно", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index d9c18e4133534..d09c9e8e22531 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "Kullanıcı adı ya da e-posta", "Log in" : "Oturum Aç", "Wrong password." : "Parola yanlış.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "IP adresinizden yapılan birden çok geçersiz oturum açma girişimi algılandı. Bu nedenle oturum açmanız 30 saniye süreyle engellendi.", "Stay logged in" : "Bağlı kal", "Forgot password?" : "Parolamı unuttum", "Back to log in" : "Oturum açmaya geri dön", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 1ef2806652b50..12a958b3cf005 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -275,6 +275,7 @@ "Username or email" : "Kullanıcı adı ya da e-posta", "Log in" : "Oturum Aç", "Wrong password." : "Parola yanlış.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "IP adresinizden yapılan birden çok geçersiz oturum açma girişimi algılandı. Bu nedenle oturum açmanız 30 saniye süreyle engellendi.", "Stay logged in" : "Bağlı kal", "Forgot password?" : "Parolamı unuttum", "Back to log in" : "Oturum açmaya geri dön", From 92bc33dd1e2eedd408add076a4f0a37257542951 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Wed, 17 Jan 2018 13:48:43 +0100 Subject: [PATCH 012/251] Backport of format self-mentions, but don't offer them #7914 comments should compile mentions also if done by author it is used by clients for formatting reasons, there is no reason not format the author if her handle is included in the comment body. It is unrelated to sending out notifications. Signed-off-by: Arthur Schiwon do not offer the handle of the current user for auto completion Signed-off-by: Arthur Schiwon add types to php doc Signed-off-by: Arthur Schiwon --- .../Collaboration/Collaborators/Search.php | 9 ++++ .../Collaborators/UserPlugin.php | 11 +++++ lib/private/Comments/Comment.php | 4 -- .../Collaborators/UserPluginTest.php | 47 +++++++++++++++++++ tests/lib/Comments/CommentTest.php | 9 +++- 5 files changed, 74 insertions(+), 6 deletions(-) diff --git a/lib/private/Collaboration/Collaborators/Search.php b/lib/private/Collaboration/Collaborators/Search.php index e9b15dd1201ac..bb1bd6d171185 100644 --- a/lib/private/Collaboration/Collaborators/Search.php +++ b/lib/private/Collaboration/Collaborators/Search.php @@ -40,6 +40,15 @@ public function __construct(IContainer $c) { $this->c = $c; } + /** + * @param string $search + * @param array $shareTypes + * @param bool $lookup + * @param int|null $limit + * @param int|null $offset + * @return array + * @throws \OCP\AppFramework\QueryException + */ public function search($search, array $shareTypes, $lookup, $limit, $offset) { $hasMoreResults = false; diff --git a/lib/private/Collaboration/Collaborators/UserPlugin.php b/lib/private/Collaboration/Collaborators/UserPlugin.php index 86a55aa428fec..ad67770354718 100644 --- a/lib/private/Collaboration/Collaborators/UserPlugin.php +++ b/lib/private/Collaboration/Collaborators/UserPlugin.php @@ -83,6 +83,8 @@ public function search($search, $limit, $offset, ISearchResult $searchResult) { } } + $this->takeOutCurrentUser($users); + if (!$this->shareeEnumeration || sizeof($users) < $limit) { $hasMoreResults = true; } @@ -146,4 +148,13 @@ public function search($search, $limit, $offset, ISearchResult $searchResult) { return $hasMoreResults; } + + public function takeOutCurrentUser(array &$users) { + $currentUser = $this->userSession->getUser(); + if(!is_null($currentUser)) { + if (isset($users[$currentUser->getUID()])) { + unset($users[$currentUser->getUID()]); + } + } + } } diff --git a/lib/private/Comments/Comment.php b/lib/private/Comments/Comment.php index acfebd3202840..dd790c2e50a71 100644 --- a/lib/private/Comments/Comment.php +++ b/lib/private/Comments/Comment.php @@ -232,10 +232,6 @@ public function getMentions() { $uids = array_unique($mentions[0]); $result = []; foreach ($uids as $uid) { - // exclude author, no self-mentioning - if($uid === '@' . $this->getActorId()) { - continue; - } $result[] = ['type' => 'user', 'id' => substr($uid, 1)]; } return $result; diff --git a/tests/lib/Collaboration/Collaborators/UserPluginTest.php b/tests/lib/Collaboration/Collaborators/UserPluginTest.php index 7d6d9c645a0f6..cfb97de867634 100644 --- a/tests/lib/Collaboration/Collaborators/UserPluginTest.php +++ b/tests/lib/Collaboration/Collaborators/UserPluginTest.php @@ -442,4 +442,51 @@ function($appName, $key, $default) $this->assertEquals($expected, $result['users']); $this->assertSame($reachedEnd, $moreResults); } + + public function takeOutCurrentUserProvider() { + $inputUsers = [ + 'alice' => 'Alice', + 'bob' => 'Bob', + 'carol' => 'Carol' + ]; + return [ + [ + $inputUsers, + ['alice', 'carol'], + 'bob' + ], + [ + $inputUsers, + ['alice', 'bob', 'carol'], + 'dave' + ], + [ + $inputUsers, + ['alice', 'bob', 'carol'], + null + ] + ]; + } + + /** + * @dataProvider takeOutCurrentUserProvider + * @param array $users + * @param array $expectedUIDs + * @param $currentUserId + */ + public function testTakeOutCurrentUser(array $users, array $expectedUIDs, $currentUserId) { + $this->instantiatePlugin(); + + $this->session->expects($this->once()) + ->method('getUser') + ->willReturnCallback(function() use ($currentUserId) { + if($currentUserId !== null) { + return $this->getUserMock($currentUserId, $currentUserId); + } + return null; + }); + + $this->plugin->takeOutCurrentUser($users); + $this->assertSame($expectedUIDs, array_keys($users)); + } } diff --git a/tests/lib/Comments/CommentTest.php b/tests/lib/Comments/CommentTest.php index 10ec4bae7d528..6f67356ccae8d 100644 --- a/tests/lib/Comments/CommentTest.php +++ b/tests/lib/Comments/CommentTest.php @@ -8,6 +8,9 @@ class CommentTest extends TestCase { + /** + * @throws \OCP\Comments\IllegalIDChangeException + */ public function testSettersValidInput() { $comment = new Comment(); @@ -58,6 +61,9 @@ public function testSetIdIllegalInput() { $comment->setId('c17'); } + /** + * @throws \OCP\Comments\IllegalIDChangeException + */ public function testResetId() { $comment = new Comment(); $comment->setId('c23'); @@ -133,7 +139,7 @@ public function mentionsProvider() { '@alice @bob look look, a duplication @alice test @bob!', ['alice', 'bob'] ], [ - '@alice is the author, but notify @bob!', ['bob'], 'alice' + '@alice is the author, notify @bob, nevertheless mention her!', ['alice', 'bob'], 'alice' ], [ '@foobar and @barfoo you should know, @foo@bar.com is valid' . @@ -159,7 +165,6 @@ public function testMentions($message, $expectedUids, $author = null) { $uid = array_shift($expectedUids); $this->assertSame('user', $mention['type']); $this->assertSame($uid, $mention['id']); - $this->assertNotSame($author, $mention['id']); } $this->assertEmpty($mentions); $this->assertEmpty($expectedUids); From 1703c25b26b89a707a60d2466bde598ee550a03c Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Thu, 18 Jan 2018 15:32:19 +0100 Subject: [PATCH 013/251] remove hardcoded sharepoint icon path it does not exist and if it would, it was not themable Signed-off-by: Arthur Schiwon --- apps/files_external/js/statusmanager.js | 3 --- 1 file changed, 3 deletions(-) diff --git a/apps/files_external/js/statusmanager.js b/apps/files_external/js/statusmanager.js index 3850351d21315..563f8a76493fc 100644 --- a/apps/files_external/js/statusmanager.js +++ b/apps/files_external/js/statusmanager.js @@ -560,9 +560,6 @@ OCA.External.StatusManager.Utils = { case 'windows_network_drive': icon = OC.imagePath('windows_network_drive', 'folder-windows'); break; - case 'sharepoint': - icon = OC.imagePath('sharepoint', 'folder-sharepoint'); - break; } return icon; From 73a6717016741a3b6f4cb0226274ee1ea4af1024 Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Fri, 12 Jan 2018 14:08:00 +0100 Subject: [PATCH 014/251] Make sure the arrays are arrays Signed-off-by: Joas Schilling --- apps/dav/lib/HookManager.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/apps/dav/lib/HookManager.php b/apps/dav/lib/HookManager.php index 1e808e58656c4..57b176213e091 100644 --- a/apps/dav/lib/HookManager.php +++ b/apps/dav/lib/HookManager.php @@ -43,7 +43,7 @@ class HookManager { private $syncService; /** @var IUser[] */ - private $usersToDelete; + private $usersToDelete = []; /** @var CalDavBackend */ private $calDav; @@ -52,10 +52,10 @@ class HookManager { private $cardDav; /** @var array */ - private $calendarsToDelete; + private $calendarsToDelete = []; /** @var array */ - private $addressBooksToDelete; + private $addressBooksToDelete = []; /** @var EventDispatcher */ private $eventDispatcher; From 809928c1769d8c98c553cf4e5abb8393ea3fa9d5 Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Wed, 17 Jan 2018 12:17:41 +0100 Subject: [PATCH 015/251] Correctly drop the ownCloud migrations table Signed-off-by: Joas Schilling --- lib/private/DB/MigrationService.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/private/DB/MigrationService.php b/lib/private/DB/MigrationService.php index 25eaa628e52f2..5e2c7e69ee9e9 100644 --- a/lib/private/DB/MigrationService.php +++ b/lib/private/DB/MigrationService.php @@ -129,7 +129,7 @@ private function createMigrationTable() { } // Drop the table, when it didn't match our expectations. - $this->connection->dropTable($this->connection->getPrefix() . 'migrations'); + $this->connection->dropTable('migrations'); } catch (SchemaException $e) { // Table not found, no need to panic, we will create it. } From 9cda3206ff53d9aeaa4339215e640da6829a5c67 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Tue, 9 Jan 2018 11:41:08 +0100 Subject: [PATCH 016/251] Properly catch InvalidTokenException for better error response Signed-off-by: Morris Jobke --- .../Controller/AuthSettingsController.php | 12 +++++- .../Controller/AuthSettingsControllerTest.php | 40 +++++++++++++++++++ 2 files changed, 50 insertions(+), 2 deletions(-) diff --git a/settings/Controller/AuthSettingsController.php b/settings/Controller/AuthSettingsController.php index 2f3d78b4d83ee..6eaa64cfac271 100644 --- a/settings/Controller/AuthSettingsController.php +++ b/settings/Controller/AuthSettingsController.php @@ -197,10 +197,18 @@ public function destroy($id) { * * @param int $id * @param array $scope - * @return array + * @return array|JSONResponse */ public function update($id, array $scope) { - $token = $this->tokenProvider->getTokenById((string)$id); + try { + $token = $this->tokenProvider->getTokenById((string)$id); + if ($token->getUID() !== $this->uid) { + throw new InvalidTokenException('User mismatch'); + } + } catch (InvalidTokenException $e) { + return new JSONResponse([], Http::STATUS_NOT_FOUND); + } + $token->setScope([ 'filesystem' => $scope['filesystem'] ]); diff --git a/tests/Settings/Controller/AuthSettingsControllerTest.php b/tests/Settings/Controller/AuthSettingsControllerTest.php index 5c1280ff4b00a..461b32b7a4864 100644 --- a/tests/Settings/Controller/AuthSettingsControllerTest.php +++ b/tests/Settings/Controller/AuthSettingsControllerTest.php @@ -211,6 +211,10 @@ public function testUpdateToken() { ->with($this->equalTo(42)) ->willReturn($token); + $token->expects($this->once()) + ->method('getUID') + ->willReturn('jane'); + $token->expects($this->once()) ->method('setScope') ->with($this->equalTo([ @@ -224,4 +228,40 @@ public function testUpdateToken() { $this->assertSame([], $this->controller->update(42, ['filesystem' => true])); } + public function testUpdateTokenWrongUser() { + $token = $this->createMock(DefaultToken::class); + + $this->tokenProvider->expects($this->once()) + ->method('getTokenById') + ->with($this->equalTo(42)) + ->willReturn($token); + + $token->expects($this->once()) + ->method('getUID') + ->willReturn('foobar'); + + $token->expects($this->never()) + ->method('setScope'); + $this->tokenProvider->expects($this->never()) + ->method('updateToken'); + + $response = $this->controller->update(42, ['filesystem' => true]); + $this->assertSame([], $response->getData()); + $this->assertSame(\OCP\AppFramework\Http::STATUS_NOT_FOUND, $response->getStatus()); + } + + public function testUpdateTokenNonExisting() { + $this->tokenProvider->expects($this->once()) + ->method('getTokenById') + ->with($this->equalTo(42)) + ->willThrowException(new InvalidTokenException('Token does not exist')); + + $this->tokenProvider->expects($this->never()) + ->method('updateToken'); + + $response = $this->controller->update(42, ['filesystem' => true]); + $this->assertSame([], $response->getData()); + $this->assertSame(\OCP\AppFramework\Http::STATUS_NOT_FOUND, $response->getStatus()); + } + } From 0b3623a71d35cddacb5db72b209af807ff95de90 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Thu, 18 Jan 2018 15:18:04 +0100 Subject: [PATCH 017/251] 13.0.0 RC2 Signed-off-by: Morris Jobke --- version.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/version.php b/version.php index 6ba86635dd225..b93cbb3eb7b2d 100644 --- a/version.php +++ b/version.php @@ -29,10 +29,10 @@ // between betas, final and RCs. This is _not_ the public version number. Reset minor/patchlevel // when updating major/minor version number. -$OC_Version = array(13, 0, 0, 10); +$OC_Version = array(13, 0, 0, 11); // The human readable string -$OC_VersionString = '13.0.0 RC 1'; +$OC_VersionString = '13.0.0 RC 2'; $OC_VersionCanBeUpgradedFrom = [ 'nextcloud' => [ From bec72bf9ff40ee62c81c77d52fc0d66051aefc78 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Fri, 19 Jan 2018 01:11:08 +0000 Subject: [PATCH 018/251] [tx-robot] updated from transifex --- apps/updatenotification/l10n/af.js | 2 +- apps/updatenotification/l10n/af.json | 2 +- apps/updatenotification/l10n/ast.js | 2 +- apps/updatenotification/l10n/ast.json | 2 +- apps/updatenotification/l10n/bg.js | 2 +- apps/updatenotification/l10n/bg.json | 2 +- apps/updatenotification/l10n/ca.js | 2 +- apps/updatenotification/l10n/ca.json | 2 +- apps/updatenotification/l10n/cs.js | 2 +- apps/updatenotification/l10n/cs.json | 2 +- apps/updatenotification/l10n/da.js | 2 +- apps/updatenotification/l10n/da.json | 2 +- apps/updatenotification/l10n/de.js | 2 +- apps/updatenotification/l10n/de.json | 2 +- apps/updatenotification/l10n/de_DE.js | 2 +- apps/updatenotification/l10n/de_DE.json | 2 +- apps/updatenotification/l10n/el.js | 2 +- apps/updatenotification/l10n/el.json | 2 +- apps/updatenotification/l10n/en_GB.js | 2 +- apps/updatenotification/l10n/en_GB.json | 2 +- apps/updatenotification/l10n/es.js | 2 +- apps/updatenotification/l10n/es.json | 2 +- apps/updatenotification/l10n/es_419.js | 2 +- apps/updatenotification/l10n/es_419.json | 2 +- apps/updatenotification/l10n/es_AR.js | 2 +- apps/updatenotification/l10n/es_AR.json | 2 +- apps/updatenotification/l10n/es_CL.js | 2 +- apps/updatenotification/l10n/es_CL.json | 2 +- apps/updatenotification/l10n/es_CO.js | 2 +- apps/updatenotification/l10n/es_CO.json | 2 +- apps/updatenotification/l10n/es_CR.js | 2 +- apps/updatenotification/l10n/es_CR.json | 2 +- apps/updatenotification/l10n/es_DO.js | 2 +- apps/updatenotification/l10n/es_DO.json | 2 +- apps/updatenotification/l10n/es_EC.js | 2 +- apps/updatenotification/l10n/es_EC.json | 2 +- apps/updatenotification/l10n/es_GT.js | 2 +- apps/updatenotification/l10n/es_GT.json | 2 +- apps/updatenotification/l10n/es_HN.js | 2 +- apps/updatenotification/l10n/es_HN.json | 2 +- apps/updatenotification/l10n/es_MX.js | 2 +- apps/updatenotification/l10n/es_MX.json | 2 +- apps/updatenotification/l10n/es_NI.js | 2 +- apps/updatenotification/l10n/es_NI.json | 2 +- apps/updatenotification/l10n/es_PA.js | 2 +- apps/updatenotification/l10n/es_PA.json | 2 +- apps/updatenotification/l10n/es_PE.js | 2 +- apps/updatenotification/l10n/es_PE.json | 2 +- apps/updatenotification/l10n/es_PR.js | 2 +- apps/updatenotification/l10n/es_PR.json | 2 +- apps/updatenotification/l10n/es_PY.js | 2 +- apps/updatenotification/l10n/es_PY.json | 2 +- apps/updatenotification/l10n/es_SV.js | 2 +- apps/updatenotification/l10n/es_SV.json | 2 +- apps/updatenotification/l10n/es_UY.js | 2 +- apps/updatenotification/l10n/es_UY.json | 2 +- apps/updatenotification/l10n/fi.js | 2 +- apps/updatenotification/l10n/fi.json | 2 +- apps/updatenotification/l10n/fr.js | 2 +- apps/updatenotification/l10n/fr.json | 2 +- apps/updatenotification/l10n/gl.js | 2 +- apps/updatenotification/l10n/gl.json | 2 +- apps/updatenotification/l10n/hu.js | 2 +- apps/updatenotification/l10n/hu.json | 2 +- apps/updatenotification/l10n/ia.js | 2 +- apps/updatenotification/l10n/ia.json | 2 +- apps/updatenotification/l10n/id.js | 2 +- apps/updatenotification/l10n/id.json | 2 +- apps/updatenotification/l10n/is.js | 2 +- apps/updatenotification/l10n/is.json | 2 +- apps/updatenotification/l10n/it.js | 2 +- apps/updatenotification/l10n/it.json | 2 +- apps/updatenotification/l10n/ja.js | 2 +- apps/updatenotification/l10n/ja.json | 2 +- apps/updatenotification/l10n/ka_GE.js | 2 +- apps/updatenotification/l10n/ka_GE.json | 2 +- apps/updatenotification/l10n/ko.js | 2 +- apps/updatenotification/l10n/ko.json | 2 +- apps/updatenotification/l10n/lt_LT.js | 2 +- apps/updatenotification/l10n/lt_LT.json | 2 +- apps/updatenotification/l10n/lv.js | 2 +- apps/updatenotification/l10n/lv.json | 2 +- apps/updatenotification/l10n/nb.js | 2 +- apps/updatenotification/l10n/nb.json | 2 +- apps/updatenotification/l10n/nl.js | 2 +- apps/updatenotification/l10n/nl.json | 2 +- apps/updatenotification/l10n/pl.js | 2 +- apps/updatenotification/l10n/pl.json | 2 +- apps/updatenotification/l10n/pt_BR.js | 2 +- apps/updatenotification/l10n/pt_BR.json | 2 +- apps/updatenotification/l10n/ru.js | 2 +- apps/updatenotification/l10n/ru.json | 2 +- apps/updatenotification/l10n/sk.js | 2 +- apps/updatenotification/l10n/sk.json | 2 +- apps/updatenotification/l10n/sq.js | 2 +- apps/updatenotification/l10n/sq.json | 2 +- apps/updatenotification/l10n/sr.js | 2 +- apps/updatenotification/l10n/sr.json | 2 +- apps/updatenotification/l10n/sv.js | 2 +- apps/updatenotification/l10n/sv.json | 2 +- apps/updatenotification/l10n/tr.js | 2 +- apps/updatenotification/l10n/tr.json | 2 +- apps/updatenotification/l10n/zh_CN.js | 2 +- apps/updatenotification/l10n/zh_CN.json | 2 +- apps/updatenotification/l10n/zh_TW.js | 2 +- apps/updatenotification/l10n/zh_TW.json | 2 +- core/l10n/en_GB.js | 1 + core/l10n/en_GB.json | 1 + 108 files changed, 108 insertions(+), 106 deletions(-) diff --git a/apps/updatenotification/l10n/af.js b/apps/updatenotification/l10n/af.js index e54c19fe5aaad..2a620f81cf1a9 100644 --- a/apps/updatenotification/l10n/af.js +++ b/apps/updatenotification/l10n/af.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Werk kennisgewings by", "Could not start updater, please try the manual update" : "Bywerker kon nie begin nie, probeer handmatig bywerk", "{version} is available. Get more information on how to update." : "{version} is beskikbaar. Kry meer inligting oor hoe om by te werk.", + "Update notifications" : "Werk kennisgewings by", "Channel updated" : "Kanaal bygewerk", "The update server could not be reached since %d days to check for new updates." : "Die bywerkingsbediener kan al vir %d dae nie bereik word om nuwe bywerkings te soek nie.", "Please check the Nextcloud and server log files for errors." : "Gaan die Nextcloud- en bedienerloglêers na vir foute.", diff --git a/apps/updatenotification/l10n/af.json b/apps/updatenotification/l10n/af.json index db90ccd2c186e..b666e58bfe609 100644 --- a/apps/updatenotification/l10n/af.json +++ b/apps/updatenotification/l10n/af.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Werk kennisgewings by", "Could not start updater, please try the manual update" : "Bywerker kon nie begin nie, probeer handmatig bywerk", "{version} is available. Get more information on how to update." : "{version} is beskikbaar. Kry meer inligting oor hoe om by te werk.", + "Update notifications" : "Werk kennisgewings by", "Channel updated" : "Kanaal bygewerk", "The update server could not be reached since %d days to check for new updates." : "Die bywerkingsbediener kan al vir %d dae nie bereik word om nuwe bywerkings te soek nie.", "Please check the Nextcloud and server log files for errors." : "Gaan die Nextcloud- en bedienerloglêers na vir foute.", diff --git a/apps/updatenotification/l10n/ast.js b/apps/updatenotification/l10n/ast.js index 1ae6ace774390..16e3fe7616ee3 100644 --- a/apps/updatenotification/l10n/ast.js +++ b/apps/updatenotification/l10n/ast.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Avisos d'anovamientu", "Could not start updater, please try the manual update" : "Nun pudo aniciase l'anovador, por favor prueba l'anovamientu manual", "{version} is available. Get more information on how to update." : "Ta disponible {version}. Consigui más infromación tocante a cómo anovar.", + "Update notifications" : "Avisos d'anovamientu", "Channel updated" : "Anovóse la canal", "The update server could not be reached since %d days to check for new updates." : "Nun pudo algamase'l sirvidor d'anovamientu dende hai %d díes pa comprobar anovamientos.", "Please check the Nextcloud and server log files for errors." : "Comprueba los fallos de los ficheros de rexistru del sirvidor y Nextcloud, por favor.", diff --git a/apps/updatenotification/l10n/ast.json b/apps/updatenotification/l10n/ast.json index 7b96e3c873daa..53f5e7a2becee 100644 --- a/apps/updatenotification/l10n/ast.json +++ b/apps/updatenotification/l10n/ast.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Avisos d'anovamientu", "Could not start updater, please try the manual update" : "Nun pudo aniciase l'anovador, por favor prueba l'anovamientu manual", "{version} is available. Get more information on how to update." : "Ta disponible {version}. Consigui más infromación tocante a cómo anovar.", + "Update notifications" : "Avisos d'anovamientu", "Channel updated" : "Anovóse la canal", "The update server could not be reached since %d days to check for new updates." : "Nun pudo algamase'l sirvidor d'anovamientu dende hai %d díes pa comprobar anovamientos.", "Please check the Nextcloud and server log files for errors." : "Comprueba los fallos de los ficheros de rexistru del sirvidor y Nextcloud, por favor.", diff --git a/apps/updatenotification/l10n/bg.js b/apps/updatenotification/l10n/bg.js index cb82d4513b6b4..c30bebfe7d75c 100644 --- a/apps/updatenotification/l10n/bg.js +++ b/apps/updatenotification/l10n/bg.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Известия за обновления", "Could not start updater, please try the manual update" : "Актуализиращата програма не беше стартирана. Моля, опитайте ръчно обновление", "{version} is available. Get more information on how to update." : "{version} е налична. Намерете повече информация за това как да актуализирате.", + "Update notifications" : "Известия за обновления", "Channel updated" : "Канала е променен", "Update to %1$s is available." : "Обновление към %1$s е налично.", "Update for %1$s to version %2$s is available." : "Обновление за %1$s към версия %2$s е налично.", diff --git a/apps/updatenotification/l10n/bg.json b/apps/updatenotification/l10n/bg.json index 229f118ed40c7..76f6d5797627d 100644 --- a/apps/updatenotification/l10n/bg.json +++ b/apps/updatenotification/l10n/bg.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Известия за обновления", "Could not start updater, please try the manual update" : "Актуализиращата програма не беше стартирана. Моля, опитайте ръчно обновление", "{version} is available. Get more information on how to update." : "{version} е налична. Намерете повече информация за това как да актуализирате.", + "Update notifications" : "Известия за обновления", "Channel updated" : "Канала е променен", "Update to %1$s is available." : "Обновление към %1$s е налично.", "Update for %1$s to version %2$s is available." : "Обновление за %1$s към версия %2$s е налично.", diff --git a/apps/updatenotification/l10n/ca.js b/apps/updatenotification/l10n/ca.js index 005ee987671f4..346f606342910 100644 --- a/apps/updatenotification/l10n/ca.js +++ b/apps/updatenotification/l10n/ca.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Notificacions d'actualització", "Could not start updater, please try the manual update" : "No s'ha pogut iniciar actualitzador, provi l'actualització manual", "{version} is available. Get more information on how to update." : "Hi ha disponible la versió {version}. Obtingueu més informació sobre com actualitzar.", + "Update notifications" : "Notificacions d'actualització", "Channel updated" : "Canal actualitzat", "The update server could not be reached since %d days to check for new updates." : "El servidor d'actualització no es va poder arribar des %d dies per comprovar si hi ha noves actualitzacions.", "Please check the Nextcloud and server log files for errors." : "Si us plau, comproveu els fitxers de log del servidor i de Nextcloud per detectar errors.", diff --git a/apps/updatenotification/l10n/ca.json b/apps/updatenotification/l10n/ca.json index fcd9d277d23b0..f0218375eb2f1 100644 --- a/apps/updatenotification/l10n/ca.json +++ b/apps/updatenotification/l10n/ca.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Notificacions d'actualització", "Could not start updater, please try the manual update" : "No s'ha pogut iniciar actualitzador, provi l'actualització manual", "{version} is available. Get more information on how to update." : "Hi ha disponible la versió {version}. Obtingueu més informació sobre com actualitzar.", + "Update notifications" : "Notificacions d'actualització", "Channel updated" : "Canal actualitzat", "The update server could not be reached since %d days to check for new updates." : "El servidor d'actualització no es va poder arribar des %d dies per comprovar si hi ha noves actualitzacions.", "Please check the Nextcloud and server log files for errors." : "Si us plau, comproveu els fitxers de log del servidor i de Nextcloud per detectar errors.", diff --git a/apps/updatenotification/l10n/cs.js b/apps/updatenotification/l10n/cs.js index 38e49baf7df14..dff205d99763f 100644 --- a/apps/updatenotification/l10n/cs.js +++ b/apps/updatenotification/l10n/cs.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Aktualizovat upozornění", "Could not start updater, please try the manual update" : "Nepodařilo se spustit aktualizátor, zkuste ruční aktualizaci", "{version} is available. Get more information on how to update." : "Je dostupná {version}. Přečtěte si více informací jak aktualizovat.", + "Update notifications" : "Aktualizovat upozornění", "Channel updated" : "Kanál aktualizován", "The update server could not be reached since %d days to check for new updates." : "Aktualizační server nebyl dosažen %d dní pro kontrolu aktualizací.", "Please check the Nextcloud and server log files for errors." : "Po chybách se podívejte v protokolech Nextcloudu a webového serveru.", diff --git a/apps/updatenotification/l10n/cs.json b/apps/updatenotification/l10n/cs.json index eb1fc5f143f61..0a9f60cc9b7b6 100644 --- a/apps/updatenotification/l10n/cs.json +++ b/apps/updatenotification/l10n/cs.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Aktualizovat upozornění", "Could not start updater, please try the manual update" : "Nepodařilo se spustit aktualizátor, zkuste ruční aktualizaci", "{version} is available. Get more information on how to update." : "Je dostupná {version}. Přečtěte si více informací jak aktualizovat.", + "Update notifications" : "Aktualizovat upozornění", "Channel updated" : "Kanál aktualizován", "The update server could not be reached since %d days to check for new updates." : "Aktualizační server nebyl dosažen %d dní pro kontrolu aktualizací.", "Please check the Nextcloud and server log files for errors." : "Po chybách se podívejte v protokolech Nextcloudu a webového serveru.", diff --git a/apps/updatenotification/l10n/da.js b/apps/updatenotification/l10n/da.js index 39b810010905c..af04a78215574 100644 --- a/apps/updatenotification/l10n/da.js +++ b/apps/updatenotification/l10n/da.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Opdaterings notifikationer", "Could not start updater, please try the manual update" : "Kunne ikke starte opdateringen, prøv venligst med en manual opdatering", "{version} is available. Get more information on how to update." : "{version} er tilgængelig. Få mere information om hvordan du opdaterer.", + "Update notifications" : "Opdaterings notifikationer", "Channel updated" : "Kanal opdateret", "The update server could not be reached since %d days to check for new updates." : "Har ikke været forbundet til opdateringsserveren i %d dage for at tjekke efter nye opdateringer.", "Please check the Nextcloud and server log files for errors." : "Tjek venligst Nextcloud server log for fejl.", diff --git a/apps/updatenotification/l10n/da.json b/apps/updatenotification/l10n/da.json index 921499d17640f..9d743bb49c206 100644 --- a/apps/updatenotification/l10n/da.json +++ b/apps/updatenotification/l10n/da.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Opdaterings notifikationer", "Could not start updater, please try the manual update" : "Kunne ikke starte opdateringen, prøv venligst med en manual opdatering", "{version} is available. Get more information on how to update." : "{version} er tilgængelig. Få mere information om hvordan du opdaterer.", + "Update notifications" : "Opdaterings notifikationer", "Channel updated" : "Kanal opdateret", "The update server could not be reached since %d days to check for new updates." : "Har ikke været forbundet til opdateringsserveren i %d dage for at tjekke efter nye opdateringer.", "Please check the Nextcloud and server log files for errors." : "Tjek venligst Nextcloud server log for fejl.", diff --git a/apps/updatenotification/l10n/de.js b/apps/updatenotification/l10n/de.js index 14fcd2995dbb6..a845e13cb8c35 100644 --- a/apps/updatenotification/l10n/de.js +++ b/apps/updatenotification/l10n/de.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Update-Benachrichtigungen", "Could not start updater, please try the manual update" : "Der Updater konnte nicht gestartet werden, bitte versuche ein manuelles Update", "{version} is available. Get more information on how to update." : "{version} ist verfügbar. Weitere Informationen zur Aktualisierung.", + "Update notifications" : "Update-Benachrichtigungen", "Channel updated" : "Kanal aktualisiert", "The update server could not be reached since %d days to check for new updates." : "Der Aktualisierungsserver konnte seit %d Tagen nicht erreicht werden um auf verfügbare Aktualisierungen zu prüfen.", "Please check the Nextcloud and server log files for errors." : "Bitte überprüfe die Server- und Nextcloud-Logdateien auf Fehler.", diff --git a/apps/updatenotification/l10n/de.json b/apps/updatenotification/l10n/de.json index d5104abd5c28c..d4aee7c82e51d 100644 --- a/apps/updatenotification/l10n/de.json +++ b/apps/updatenotification/l10n/de.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Update-Benachrichtigungen", "Could not start updater, please try the manual update" : "Der Updater konnte nicht gestartet werden, bitte versuche ein manuelles Update", "{version} is available. Get more information on how to update." : "{version} ist verfügbar. Weitere Informationen zur Aktualisierung.", + "Update notifications" : "Update-Benachrichtigungen", "Channel updated" : "Kanal aktualisiert", "The update server could not be reached since %d days to check for new updates." : "Der Aktualisierungsserver konnte seit %d Tagen nicht erreicht werden um auf verfügbare Aktualisierungen zu prüfen.", "Please check the Nextcloud and server log files for errors." : "Bitte überprüfe die Server- und Nextcloud-Logdateien auf Fehler.", diff --git a/apps/updatenotification/l10n/de_DE.js b/apps/updatenotification/l10n/de_DE.js index 01b98f1b5e467..587879da4319b 100644 --- a/apps/updatenotification/l10n/de_DE.js +++ b/apps/updatenotification/l10n/de_DE.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Update-Benachrichtigungen", "Could not start updater, please try the manual update" : "Der Updater konnte nicht gestartet werden, bitte versuchen Sie ein manuelles Update", "{version} is available. Get more information on how to update." : "{version} ist verfügbar. Weitere Informationen zur Aktualisierung.", + "Update notifications" : "Update-Benachrichtigungen", "Channel updated" : "Kanal aktualisiert", "The update server could not be reached since %d days to check for new updates." : "Der Aktualisierungsserver konnte seit %d Tagen nicht erreicht werden um auf verfügbare Aktualisierungen zu prüfen.", "Please check the Nextcloud and server log files for errors." : "Bitte überprüfe die Server- und Nextcloud-Logdateien auf Fehler.", diff --git a/apps/updatenotification/l10n/de_DE.json b/apps/updatenotification/l10n/de_DE.json index b748bfcf72e93..82d09e4fa9480 100644 --- a/apps/updatenotification/l10n/de_DE.json +++ b/apps/updatenotification/l10n/de_DE.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Update-Benachrichtigungen", "Could not start updater, please try the manual update" : "Der Updater konnte nicht gestartet werden, bitte versuchen Sie ein manuelles Update", "{version} is available. Get more information on how to update." : "{version} ist verfügbar. Weitere Informationen zur Aktualisierung.", + "Update notifications" : "Update-Benachrichtigungen", "Channel updated" : "Kanal aktualisiert", "The update server could not be reached since %d days to check for new updates." : "Der Aktualisierungsserver konnte seit %d Tagen nicht erreicht werden um auf verfügbare Aktualisierungen zu prüfen.", "Please check the Nextcloud and server log files for errors." : "Bitte überprüfe die Server- und Nextcloud-Logdateien auf Fehler.", diff --git a/apps/updatenotification/l10n/el.js b/apps/updatenotification/l10n/el.js index 0b73d991e1619..2e4fc989b66d6 100644 --- a/apps/updatenotification/l10n/el.js +++ b/apps/updatenotification/l10n/el.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Ειδοποιήσεις ενημέρωσης", "Could not start updater, please try the manual update" : "Δεν μπορεί να εκκινήσει η εφαρμογή ενημέρωσης, παρακαλώ δοκιμάστε την χειροκίνητη ενημέρωση", "{version} is available. Get more information on how to update." : "Η έκδοση {version} είναι διαθέσιμη. Δείτε περισσότερες πληροφορίες για το πως να κάνετε την ενημέρωση.", + "Update notifications" : "Ειδοποιήσεις ενημέρωσης", "Channel updated" : "Ενημερωμένο κανάλι", "The update server could not be reached since %d days to check for new updates." : "Ο διακομιστής ενημέρωσης δεν ήταν προσβάσιμος από %dημέρες για να ελέγξει για νέες ενημερώσεις. ", "Please check the Nextcloud and server log files for errors." : "Παρακαλούμε ελέγξτε για σφάλματα στα αρχεία ιστορικού του Nextcloud και του διακομιστή σας.", diff --git a/apps/updatenotification/l10n/el.json b/apps/updatenotification/l10n/el.json index 663ae62def0e1..2265d980a520f 100644 --- a/apps/updatenotification/l10n/el.json +++ b/apps/updatenotification/l10n/el.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Ειδοποιήσεις ενημέρωσης", "Could not start updater, please try the manual update" : "Δεν μπορεί να εκκινήσει η εφαρμογή ενημέρωσης, παρακαλώ δοκιμάστε την χειροκίνητη ενημέρωση", "{version} is available. Get more information on how to update." : "Η έκδοση {version} είναι διαθέσιμη. Δείτε περισσότερες πληροφορίες για το πως να κάνετε την ενημέρωση.", + "Update notifications" : "Ειδοποιήσεις ενημέρωσης", "Channel updated" : "Ενημερωμένο κανάλι", "The update server could not be reached since %d days to check for new updates." : "Ο διακομιστής ενημέρωσης δεν ήταν προσβάσιμος από %dημέρες για να ελέγξει για νέες ενημερώσεις. ", "Please check the Nextcloud and server log files for errors." : "Παρακαλούμε ελέγξτε για σφάλματα στα αρχεία ιστορικού του Nextcloud και του διακομιστή σας.", diff --git a/apps/updatenotification/l10n/en_GB.js b/apps/updatenotification/l10n/en_GB.js index dd5e55722bb84..54b3768945f11 100644 --- a/apps/updatenotification/l10n/en_GB.js +++ b/apps/updatenotification/l10n/en_GB.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Update notifications", "Could not start updater, please try the manual update" : "Could not start updater, please try the manual update", "{version} is available. Get more information on how to update." : "{version} is available. Get more information on how to update.", + "Update notifications" : "Update notifications", "Channel updated" : "Channel updated", "The update server could not be reached since %d days to check for new updates." : "The update server could not be reached since %d days to check for new updates.", "Please check the Nextcloud and server log files for errors." : "Please check the Nextcloud and server log files for errors.", diff --git a/apps/updatenotification/l10n/en_GB.json b/apps/updatenotification/l10n/en_GB.json index cb2d296238fc2..132289a1471a9 100644 --- a/apps/updatenotification/l10n/en_GB.json +++ b/apps/updatenotification/l10n/en_GB.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Update notifications", "Could not start updater, please try the manual update" : "Could not start updater, please try the manual update", "{version} is available. Get more information on how to update." : "{version} is available. Get more information on how to update.", + "Update notifications" : "Update notifications", "Channel updated" : "Channel updated", "The update server could not be reached since %d days to check for new updates." : "The update server could not be reached since %d days to check for new updates.", "Please check the Nextcloud and server log files for errors." : "Please check the Nextcloud and server log files for errors.", diff --git a/apps/updatenotification/l10n/es.js b/apps/updatenotification/l10n/es.js index 088da46cd3276..9f409b8fe57b5 100644 --- a/apps/updatenotification/l10n/es.js +++ b/apps/updatenotification/l10n/es.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No se pudo iniciar el actualizador, por favor inténtalo de forma manual la actualización", "{version} is available. Get more information on how to update." : "{version} está disponible. Obtenga más información sobre cómo actualizar.", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no se ha podido alcanzar desde hace %d días para comprobar nuevas actualizaciones.", "Please check the Nextcloud and server log files for errors." : "Por favor revise los archivos de registros para Nextcloud y el servidor en búsca de errores.", diff --git a/apps/updatenotification/l10n/es.json b/apps/updatenotification/l10n/es.json index 777bd24ae9ec6..41e8d807849bb 100644 --- a/apps/updatenotification/l10n/es.json +++ b/apps/updatenotification/l10n/es.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No se pudo iniciar el actualizador, por favor inténtalo de forma manual la actualización", "{version} is available. Get more information on how to update." : "{version} está disponible. Obtenga más información sobre cómo actualizar.", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no se ha podido alcanzar desde hace %d días para comprobar nuevas actualizaciones.", "Please check the Nextcloud and server log files for errors." : "Por favor revise los archivos de registros para Nextcloud y el servidor en búsca de errores.", diff --git a/apps/updatenotification/l10n/es_419.js b/apps/updatenotification/l10n/es_419.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_419.js +++ b/apps/updatenotification/l10n/es_419.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_419.json b/apps/updatenotification/l10n/es_419.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_419.json +++ b/apps/updatenotification/l10n/es_419.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_AR.js b/apps/updatenotification/l10n/es_AR.js index a8c015e77f1bd..848ac7bd5bc4b 100644 --- a/apps/updatenotification/l10n/es_AR.js +++ b/apps/updatenotification/l10n/es_AR.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, favor de intentar la actualización manual", "{version} is available. Get more information on how to update." : "{version} no está disponible. Obtenga más información acerca de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Favor de verificar los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_AR.json b/apps/updatenotification/l10n/es_AR.json index 4a35a71648e14..5a7fc541a8f79 100644 --- a/apps/updatenotification/l10n/es_AR.json +++ b/apps/updatenotification/l10n/es_AR.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, favor de intentar la actualización manual", "{version} is available. Get more information on how to update." : "{version} no está disponible. Obtenga más información acerca de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Favor de verificar los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_CL.js b/apps/updatenotification/l10n/es_CL.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_CL.js +++ b/apps/updatenotification/l10n/es_CL.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_CL.json b/apps/updatenotification/l10n/es_CL.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_CL.json +++ b/apps/updatenotification/l10n/es_CL.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_CO.js b/apps/updatenotification/l10n/es_CO.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_CO.js +++ b/apps/updatenotification/l10n/es_CO.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_CO.json b/apps/updatenotification/l10n/es_CO.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_CO.json +++ b/apps/updatenotification/l10n/es_CO.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_CR.js b/apps/updatenotification/l10n/es_CR.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_CR.js +++ b/apps/updatenotification/l10n/es_CR.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_CR.json b/apps/updatenotification/l10n/es_CR.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_CR.json +++ b/apps/updatenotification/l10n/es_CR.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_DO.js b/apps/updatenotification/l10n/es_DO.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_DO.js +++ b/apps/updatenotification/l10n/es_DO.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_DO.json b/apps/updatenotification/l10n/es_DO.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_DO.json +++ b/apps/updatenotification/l10n/es_DO.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_EC.js b/apps/updatenotification/l10n/es_EC.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_EC.js +++ b/apps/updatenotification/l10n/es_EC.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_EC.json b/apps/updatenotification/l10n/es_EC.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_EC.json +++ b/apps/updatenotification/l10n/es_EC.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_GT.js b/apps/updatenotification/l10n/es_GT.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_GT.js +++ b/apps/updatenotification/l10n/es_GT.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_GT.json b/apps/updatenotification/l10n/es_GT.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_GT.json +++ b/apps/updatenotification/l10n/es_GT.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_HN.js b/apps/updatenotification/l10n/es_HN.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_HN.js +++ b/apps/updatenotification/l10n/es_HN.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_HN.json b/apps/updatenotification/l10n/es_HN.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_HN.json +++ b/apps/updatenotification/l10n/es_HN.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_MX.js b/apps/updatenotification/l10n/es_MX.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_MX.js +++ b/apps/updatenotification/l10n/es_MX.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_MX.json b/apps/updatenotification/l10n/es_MX.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_MX.json +++ b/apps/updatenotification/l10n/es_MX.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_NI.js b/apps/updatenotification/l10n/es_NI.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_NI.js +++ b/apps/updatenotification/l10n/es_NI.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_NI.json b/apps/updatenotification/l10n/es_NI.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_NI.json +++ b/apps/updatenotification/l10n/es_NI.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PA.js b/apps/updatenotification/l10n/es_PA.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_PA.js +++ b/apps/updatenotification/l10n/es_PA.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PA.json b/apps/updatenotification/l10n/es_PA.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_PA.json +++ b/apps/updatenotification/l10n/es_PA.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PE.js b/apps/updatenotification/l10n/es_PE.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_PE.js +++ b/apps/updatenotification/l10n/es_PE.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PE.json b/apps/updatenotification/l10n/es_PE.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_PE.json +++ b/apps/updatenotification/l10n/es_PE.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PR.js b/apps/updatenotification/l10n/es_PR.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_PR.js +++ b/apps/updatenotification/l10n/es_PR.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PR.json b/apps/updatenotification/l10n/es_PR.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_PR.json +++ b/apps/updatenotification/l10n/es_PR.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PY.js b/apps/updatenotification/l10n/es_PY.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_PY.js +++ b/apps/updatenotification/l10n/es_PY.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_PY.json b/apps/updatenotification/l10n/es_PY.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_PY.json +++ b/apps/updatenotification/l10n/es_PY.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_SV.js b/apps/updatenotification/l10n/es_SV.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_SV.js +++ b/apps/updatenotification/l10n/es_SV.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_SV.json b/apps/updatenotification/l10n/es_SV.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_SV.json +++ b/apps/updatenotification/l10n/es_SV.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_UY.js b/apps/updatenotification/l10n/es_UY.js index 7753f5b5a0482..97a64693f9a9c 100644 --- a/apps/updatenotification/l10n/es_UY.js +++ b/apps/updatenotification/l10n/es_UY.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/es_UY.json b/apps/updatenotification/l10n/es_UY.json index 5dea8ca3eec3a..52b76efbfabbc 100644 --- a/apps/updatenotification/l10n/es_UY.json +++ b/apps/updatenotification/l10n/es_UY.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar notificaciones", "Could not start updater, please try the manual update" : "No fue posible iniciar el actualizador, por favor intenta la actualización manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obten más información de cómo actualizar. ", + "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no ha podido ser alcanzado desde %d días para verificar actualizaciones. ", "Please check the Nextcloud and server log files for errors." : "Por favor verifica los archivos de bitacoras de Nextcloud y del servidor por errores. ", diff --git a/apps/updatenotification/l10n/fi.js b/apps/updatenotification/l10n/fi.js index 116a472dddbd7..b0c6c2649c937 100644 --- a/apps/updatenotification/l10n/fi.js +++ b/apps/updatenotification/l10n/fi.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Päivitysilmoitukset", "Could not start updater, please try the manual update" : "Ei voitu aloittaa päivitystä, kokeile päivittämistä manuaalisesti", "{version} is available. Get more information on how to update." : "{version} on saatavilla. Tarjolla on lisätietoja päivittämisestä.", + "Update notifications" : "Päivitysilmoitukset", "Channel updated" : "Päivityskanava päivitetty", "The update server could not be reached since %d days to check for new updates." : "Päivityspalvelinta ei ole tavoitettu %d päivään; uusia päivityksiä ei voida tarkistaa.", "Please check the Nextcloud and server log files for errors." : "Tarkista Nextcloud- ja palvelinlokitiedostot virheiden osalta.", diff --git a/apps/updatenotification/l10n/fi.json b/apps/updatenotification/l10n/fi.json index 5e8a8b8faec4c..f5da44de182a6 100644 --- a/apps/updatenotification/l10n/fi.json +++ b/apps/updatenotification/l10n/fi.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Päivitysilmoitukset", "Could not start updater, please try the manual update" : "Ei voitu aloittaa päivitystä, kokeile päivittämistä manuaalisesti", "{version} is available. Get more information on how to update." : "{version} on saatavilla. Tarjolla on lisätietoja päivittämisestä.", + "Update notifications" : "Päivitysilmoitukset", "Channel updated" : "Päivityskanava päivitetty", "The update server could not be reached since %d days to check for new updates." : "Päivityspalvelinta ei ole tavoitettu %d päivään; uusia päivityksiä ei voida tarkistaa.", "Please check the Nextcloud and server log files for errors." : "Tarkista Nextcloud- ja palvelinlokitiedostot virheiden osalta.", diff --git a/apps/updatenotification/l10n/fr.js b/apps/updatenotification/l10n/fr.js index 87bc4175c663e..32738b7ff2019 100644 --- a/apps/updatenotification/l10n/fr.js +++ b/apps/updatenotification/l10n/fr.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Notifications de mises à jour", "Could not start updater, please try the manual update" : "Impossible de démarrer le système de mise à jour, veuillez essayer de mettre à jour manuellement", "{version} is available. Get more information on how to update." : "La version {version} est disponible. Cliquez ici pour plus d'informations sur comment mettre à jour.", + "Update notifications" : "Notifications de mises à jour", "Channel updated" : "Canal de mise à jour modifié", "The update server could not be reached since %d days to check for new updates." : "Le serveur de mise à jour n'a pas pu être atteint depuis %d jours pour vérifier les nouvelles mises à jour.", "Please check the Nextcloud and server log files for errors." : "Veuillez vérifier les fichiers de log de Nextcloud et du serveur pour les erreurs.", diff --git a/apps/updatenotification/l10n/fr.json b/apps/updatenotification/l10n/fr.json index 2fbb5dd9c3dae..09ef72902e1d6 100644 --- a/apps/updatenotification/l10n/fr.json +++ b/apps/updatenotification/l10n/fr.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Notifications de mises à jour", "Could not start updater, please try the manual update" : "Impossible de démarrer le système de mise à jour, veuillez essayer de mettre à jour manuellement", "{version} is available. Get more information on how to update." : "La version {version} est disponible. Cliquez ici pour plus d'informations sur comment mettre à jour.", + "Update notifications" : "Notifications de mises à jour", "Channel updated" : "Canal de mise à jour modifié", "The update server could not be reached since %d days to check for new updates." : "Le serveur de mise à jour n'a pas pu être atteint depuis %d jours pour vérifier les nouvelles mises à jour.", "Please check the Nextcloud and server log files for errors." : "Veuillez vérifier les fichiers de log de Nextcloud et du serveur pour les erreurs.", diff --git a/apps/updatenotification/l10n/gl.js b/apps/updatenotification/l10n/gl.js index 063652d2ad738..97377e6b7272c 100644 --- a/apps/updatenotification/l10n/gl.js +++ b/apps/updatenotification/l10n/gl.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualizar as notificacións", "Could not start updater, please try the manual update" : "Non foi posíbel iniciar o actualizador, por favor tente a actualización manual", "{version} is available. Get more information on how to update." : "{version} está dispoñíbel. Obteña máis información sobre como actualizar.", + "Update notifications" : "Actualizar as notificacións", "Channel updated" : "Canle actualizada", "The update server could not be reached since %d days to check for new updates." : "Non foi posíbel conectar co servidor de actualizacións dende vai %d días para comprobar se hai novas actualizacións.", "Please check the Nextcloud and server log files for errors." : "Por favor comprobe os ficheiros de rexistro de Nextcloud e do servidor na procura de erros.", diff --git a/apps/updatenotification/l10n/gl.json b/apps/updatenotification/l10n/gl.json index cfe5ecf9d0020..35b9e507bb21d 100644 --- a/apps/updatenotification/l10n/gl.json +++ b/apps/updatenotification/l10n/gl.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualizar as notificacións", "Could not start updater, please try the manual update" : "Non foi posíbel iniciar o actualizador, por favor tente a actualización manual", "{version} is available. Get more information on how to update." : "{version} está dispoñíbel. Obteña máis información sobre como actualizar.", + "Update notifications" : "Actualizar as notificacións", "Channel updated" : "Canle actualizada", "The update server could not be reached since %d days to check for new updates." : "Non foi posíbel conectar co servidor de actualizacións dende vai %d días para comprobar se hai novas actualizacións.", "Please check the Nextcloud and server log files for errors." : "Por favor comprobe os ficheiros de rexistro de Nextcloud e do servidor na procura de erros.", diff --git a/apps/updatenotification/l10n/hu.js b/apps/updatenotification/l10n/hu.js index ff5f2ba62a7ad..d9a9d308f63ee 100644 --- a/apps/updatenotification/l10n/hu.js +++ b/apps/updatenotification/l10n/hu.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Frissítési értesítés", "Could not start updater, please try the manual update" : "Nem sikerült elindítani a frissítőt, kérlek próbáld a manuális frissítést", "{version} is available. Get more information on how to update." : "{version} rendelkezésre áll. További információ a frissítéshez.", + "Update notifications" : "Frissítési értesítés", "Channel updated" : "Csatorna frissítve", "The update server could not be reached since %d days to check for new updates." : "A frissítési szerver %d napja nem elérhető a frissítések kereséséhez.", "Please check the Nextcloud and server log files for errors." : "Kérlek nézd meg a Nextcloud és a szervernaplókat a hibák miatt.", diff --git a/apps/updatenotification/l10n/hu.json b/apps/updatenotification/l10n/hu.json index 2eaacdff14e97..f800931c2dc82 100644 --- a/apps/updatenotification/l10n/hu.json +++ b/apps/updatenotification/l10n/hu.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Frissítési értesítés", "Could not start updater, please try the manual update" : "Nem sikerült elindítani a frissítőt, kérlek próbáld a manuális frissítést", "{version} is available. Get more information on how to update." : "{version} rendelkezésre áll. További információ a frissítéshez.", + "Update notifications" : "Frissítési értesítés", "Channel updated" : "Csatorna frissítve", "The update server could not be reached since %d days to check for new updates." : "A frissítési szerver %d napja nem elérhető a frissítések kereséséhez.", "Please check the Nextcloud and server log files for errors." : "Kérlek nézd meg a Nextcloud és a szervernaplókat a hibák miatt.", diff --git a/apps/updatenotification/l10n/ia.js b/apps/updatenotification/l10n/ia.js index 6e62eb5ebb074..cffca2728fc6b 100644 --- a/apps/updatenotification/l10n/ia.js +++ b/apps/updatenotification/l10n/ia.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Actualisar notificationes", "Could not start updater, please try the manual update" : "Impossibile initiar le actualisator, per favor tenta le actualisation manual", "{version} is available. Get more information on how to update." : "{version} es disponibile. Obtene plus informationes super como actualisar.", + "Update notifications" : "Actualisar notificationes", "Channel updated" : "Canal actualisate", "Update to %1$s is available." : "Un actualisation a %1$s es disponibile.", "Update for %1$s to version %2$s is available." : "Un actualisation de %1$s al version %2$s es disponibile.", diff --git a/apps/updatenotification/l10n/ia.json b/apps/updatenotification/l10n/ia.json index dfe8edc981d9b..f5737890c65f7 100644 --- a/apps/updatenotification/l10n/ia.json +++ b/apps/updatenotification/l10n/ia.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Actualisar notificationes", "Could not start updater, please try the manual update" : "Impossibile initiar le actualisator, per favor tenta le actualisation manual", "{version} is available. Get more information on how to update." : "{version} es disponibile. Obtene plus informationes super como actualisar.", + "Update notifications" : "Actualisar notificationes", "Channel updated" : "Canal actualisate", "Update to %1$s is available." : "Un actualisation a %1$s es disponibile.", "Update for %1$s to version %2$s is available." : "Un actualisation de %1$s al version %2$s es disponibile.", diff --git a/apps/updatenotification/l10n/id.js b/apps/updatenotification/l10n/id.js index e24df632591f5..c751e60da4139 100644 --- a/apps/updatenotification/l10n/id.js +++ b/apps/updatenotification/l10n/id.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Perbarui pemberitahuan", "Could not start updater, please try the manual update" : "Tidak dapat menjalankan updater, harap coba perbarui manual", "{version} is available. Get more information on how to update." : "{version} tersedia. Dapatkan informasi lebih lanjut cara memperbaruinya.", + "Update notifications" : "Perbarui pemberitahuan", "Channel updated" : "Kanal diperbarui", "Update to %1$s is available." : "Pembaruan untuk %1$s tersedia.", "Update for %1$s to version %2$s is available." : "Pembaruan untuk %1$s ke versi %2$s tersedia.", diff --git a/apps/updatenotification/l10n/id.json b/apps/updatenotification/l10n/id.json index 153bcc93cf403..d50c02dda80fe 100644 --- a/apps/updatenotification/l10n/id.json +++ b/apps/updatenotification/l10n/id.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Perbarui pemberitahuan", "Could not start updater, please try the manual update" : "Tidak dapat menjalankan updater, harap coba perbarui manual", "{version} is available. Get more information on how to update." : "{version} tersedia. Dapatkan informasi lebih lanjut cara memperbaruinya.", + "Update notifications" : "Perbarui pemberitahuan", "Channel updated" : "Kanal diperbarui", "Update to %1$s is available." : "Pembaruan untuk %1$s tersedia.", "Update for %1$s to version %2$s is available." : "Pembaruan untuk %1$s ke versi %2$s tersedia.", diff --git a/apps/updatenotification/l10n/is.js b/apps/updatenotification/l10n/is.js index 4d1929d09e125..51c1de56e8eda 100644 --- a/apps/updatenotification/l10n/is.js +++ b/apps/updatenotification/l10n/is.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Tilkynningar um uppfærslu", "Could not start updater, please try the manual update" : "Gat ekki ræst uppfærslustýringu, prófaðu að uppfæra handvirkt", "{version} is available. Get more information on how to update." : "{version} er í boði. Fáðu frekari upplýsingar um hvernig á að uppfæra.", + "Update notifications" : "Tilkynningar um uppfærslu", "Channel updated" : "Rás uppfærð", "The update server could not be reached since %d days to check for new updates." : "Ekki hefur verið hægt að nálgast uppfærsluþjóninn í %d daga til að athuga með nýjar uppfærslur.", "Please check the Nextcloud and server log files for errors." : "Skoðaðu hvort einhver villuboð séu í annálaskrám Nextcloud þjónsins.", diff --git a/apps/updatenotification/l10n/is.json b/apps/updatenotification/l10n/is.json index 004502af3550d..bb4c7ab83fa9d 100644 --- a/apps/updatenotification/l10n/is.json +++ b/apps/updatenotification/l10n/is.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Tilkynningar um uppfærslu", "Could not start updater, please try the manual update" : "Gat ekki ræst uppfærslustýringu, prófaðu að uppfæra handvirkt", "{version} is available. Get more information on how to update." : "{version} er í boði. Fáðu frekari upplýsingar um hvernig á að uppfæra.", + "Update notifications" : "Tilkynningar um uppfærslu", "Channel updated" : "Rás uppfærð", "The update server could not be reached since %d days to check for new updates." : "Ekki hefur verið hægt að nálgast uppfærsluþjóninn í %d daga til að athuga með nýjar uppfærslur.", "Please check the Nextcloud and server log files for errors." : "Skoðaðu hvort einhver villuboð séu í annálaskrám Nextcloud þjónsins.", diff --git a/apps/updatenotification/l10n/it.js b/apps/updatenotification/l10n/it.js index b48ba2cd554b0..98b40a4db2b74 100644 --- a/apps/updatenotification/l10n/it.js +++ b/apps/updatenotification/l10n/it.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Notifiche di aggiornamento", "Could not start updater, please try the manual update" : "Impossibile avviare lo strumento di aggiornamento, prova l'aggiornamento manuale", "{version} is available. Get more information on how to update." : "{version} è disponibile. Ottieni ulteriori informazioni su come eseguire l'aggiornamento.", + "Update notifications" : "Notifiche di aggiornamento", "Channel updated" : "Canale aggiornato", "The update server could not be reached since %d days to check for new updates." : "Il server degli aggiornamenti non è raggiungibile da %d giorni per controllare la presenza di nuovi aggiornamenti.", "Please check the Nextcloud and server log files for errors." : "Controlla i file di log di Nextcloud e del server alla ricerca di errori.", diff --git a/apps/updatenotification/l10n/it.json b/apps/updatenotification/l10n/it.json index ab7cad2172e3b..fd0e40bc624e8 100644 --- a/apps/updatenotification/l10n/it.json +++ b/apps/updatenotification/l10n/it.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Notifiche di aggiornamento", "Could not start updater, please try the manual update" : "Impossibile avviare lo strumento di aggiornamento, prova l'aggiornamento manuale", "{version} is available. Get more information on how to update." : "{version} è disponibile. Ottieni ulteriori informazioni su come eseguire l'aggiornamento.", + "Update notifications" : "Notifiche di aggiornamento", "Channel updated" : "Canale aggiornato", "The update server could not be reached since %d days to check for new updates." : "Il server degli aggiornamenti non è raggiungibile da %d giorni per controllare la presenza di nuovi aggiornamenti.", "Please check the Nextcloud and server log files for errors." : "Controlla i file di log di Nextcloud e del server alla ricerca di errori.", diff --git a/apps/updatenotification/l10n/ja.js b/apps/updatenotification/l10n/ja.js index 2f6de6ed93ed8..6a64620cbf2e8 100644 --- a/apps/updatenotification/l10n/ja.js +++ b/apps/updatenotification/l10n/ja.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "アップデート通知", "Could not start updater, please try the manual update" : "アップデータを起動できませんでした。手動アップデートをお試しください", "{version} is available. Get more information on how to update." : "{version} が利用可能です。アップデート方法について詳細情報を確認してください。", + "Update notifications" : "アップデート通知", "Channel updated" : "チャンネルが更新されました", "The update server could not be reached since %d days to check for new updates." : "%d日以降、新しい更新をチェックする更新サーバーにアクセスできませんでした。", "Please check the Nextcloud and server log files for errors." : "Nextcloudとサーバーログファイルでエラーがないか確認してください。", diff --git a/apps/updatenotification/l10n/ja.json b/apps/updatenotification/l10n/ja.json index 4a807956e348b..ab2d647490c83 100644 --- a/apps/updatenotification/l10n/ja.json +++ b/apps/updatenotification/l10n/ja.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "アップデート通知", "Could not start updater, please try the manual update" : "アップデータを起動できませんでした。手動アップデートをお試しください", "{version} is available. Get more information on how to update." : "{version} が利用可能です。アップデート方法について詳細情報を確認してください。", + "Update notifications" : "アップデート通知", "Channel updated" : "チャンネルが更新されました", "The update server could not be reached since %d days to check for new updates." : "%d日以降、新しい更新をチェックする更新サーバーにアクセスできませんでした。", "Please check the Nextcloud and server log files for errors." : "Nextcloudとサーバーログファイルでエラーがないか確認してください。", diff --git a/apps/updatenotification/l10n/ka_GE.js b/apps/updatenotification/l10n/ka_GE.js index 3010f92d5f033..aea93a24b51fb 100644 --- a/apps/updatenotification/l10n/ka_GE.js +++ b/apps/updatenotification/l10n/ka_GE.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "განახლების შეტყობინებები", "Could not start updater, please try the manual update" : "განმანახმებლის გაშვება ვერ მოხერხდა, გთხოვთ სცადოთ განახლება მექანიკურ რეჯიმში", "{version} is available. Get more information on how to update." : "{version} ხელმისაწვდომია. მოიპოვეთ მეტი ინფორმაცია იმაზე, თუ როგორ განაახლოთ.", + "Update notifications" : "განახლების შეტყობინებები", "Channel updated" : "განახლების შეჩერება", "The update server could not be reached since %d days to check for new updates." : "განახლების სერვერი გალახლებების შესამოწმებლად %d დღე მიუწვდომელია.", "Please check the Nextcloud and server log files for errors." : "შეცდომებისთვის გთხოვთ შეამოწმოთ Nextcloud-ი სერვერის ლოგები.", diff --git a/apps/updatenotification/l10n/ka_GE.json b/apps/updatenotification/l10n/ka_GE.json index 7489f6959f34b..49f3d75420e1a 100644 --- a/apps/updatenotification/l10n/ka_GE.json +++ b/apps/updatenotification/l10n/ka_GE.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "განახლების შეტყობინებები", "Could not start updater, please try the manual update" : "განმანახმებლის გაშვება ვერ მოხერხდა, გთხოვთ სცადოთ განახლება მექანიკურ რეჯიმში", "{version} is available. Get more information on how to update." : "{version} ხელმისაწვდომია. მოიპოვეთ მეტი ინფორმაცია იმაზე, თუ როგორ განაახლოთ.", + "Update notifications" : "განახლების შეტყობინებები", "Channel updated" : "განახლების შეჩერება", "The update server could not be reached since %d days to check for new updates." : "განახლების სერვერი გალახლებების შესამოწმებლად %d დღე მიუწვდომელია.", "Please check the Nextcloud and server log files for errors." : "შეცდომებისთვის გთხოვთ შეამოწმოთ Nextcloud-ი სერვერის ლოგები.", diff --git a/apps/updatenotification/l10n/ko.js b/apps/updatenotification/l10n/ko.js index 8b696f289fc51..729fc75ca08ff 100644 --- a/apps/updatenotification/l10n/ko.js +++ b/apps/updatenotification/l10n/ko.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "업데이트 알림", "Could not start updater, please try the manual update" : "업데이트를 시작할 수 없습니다. 수동 업데이트를 시도하십시오.", "{version} is available. Get more information on how to update." : "{version}을(를) 사용할 수 있습니다. 업데이트하는 방법에 대해서 알아보십시오.", + "Update notifications" : "업데이트 알림", "Channel updated" : "채널 업데이트됨", "The update server could not be reached since %d days to check for new updates." : "업데이트 서버에 %d일 동안 접근할 수 없어서 새 업데이트를 확인할 수 없습니다.", "Please check the Nextcloud and server log files for errors." : "Nextcloud 및 서버 로그에서 오류 정보를 확인하십시오.", diff --git a/apps/updatenotification/l10n/ko.json b/apps/updatenotification/l10n/ko.json index 759305f9c1040..cb1273375dd6a 100644 --- a/apps/updatenotification/l10n/ko.json +++ b/apps/updatenotification/l10n/ko.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "업데이트 알림", "Could not start updater, please try the manual update" : "업데이트를 시작할 수 없습니다. 수동 업데이트를 시도하십시오.", "{version} is available. Get more information on how to update." : "{version}을(를) 사용할 수 있습니다. 업데이트하는 방법에 대해서 알아보십시오.", + "Update notifications" : "업데이트 알림", "Channel updated" : "채널 업데이트됨", "The update server could not be reached since %d days to check for new updates." : "업데이트 서버에 %d일 동안 접근할 수 없어서 새 업데이트를 확인할 수 없습니다.", "Please check the Nextcloud and server log files for errors." : "Nextcloud 및 서버 로그에서 오류 정보를 확인하십시오.", diff --git a/apps/updatenotification/l10n/lt_LT.js b/apps/updatenotification/l10n/lt_LT.js index dd29887f98534..026a47bcb92d5 100644 --- a/apps/updatenotification/l10n/lt_LT.js +++ b/apps/updatenotification/l10n/lt_LT.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Atnaujinimų pranešimai", "Could not start updater, please try the manual update" : "Nepavyko paleisti atnaujinimo programos, prašome bandyti atnaujinimą rankiniu būdu", "{version} is available. Get more information on how to update." : "Yra prieinama {version}. Gaukite daugiau informacijos apie tai kaip atnaujinti.", + "Update notifications" : "Atnaujinimų pranešimai", "Channel updated" : "Kanalas atnaujintas", "The update server could not be reached since %d days to check for new updates." : " Atnaujinimo serveris nepasiekiamas %d dienas.", "Please check the Nextcloud and server log files for errors." : "Prašome patikrinti Nextcloud ir serverio žurnalų įrašus apie galimas klaidas.", diff --git a/apps/updatenotification/l10n/lt_LT.json b/apps/updatenotification/l10n/lt_LT.json index e652fe57b91e0..45235fe7ad1e4 100644 --- a/apps/updatenotification/l10n/lt_LT.json +++ b/apps/updatenotification/l10n/lt_LT.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Atnaujinimų pranešimai", "Could not start updater, please try the manual update" : "Nepavyko paleisti atnaujinimo programos, prašome bandyti atnaujinimą rankiniu būdu", "{version} is available. Get more information on how to update." : "Yra prieinama {version}. Gaukite daugiau informacijos apie tai kaip atnaujinti.", + "Update notifications" : "Atnaujinimų pranešimai", "Channel updated" : "Kanalas atnaujintas", "The update server could not be reached since %d days to check for new updates." : " Atnaujinimo serveris nepasiekiamas %d dienas.", "Please check the Nextcloud and server log files for errors." : "Prašome patikrinti Nextcloud ir serverio žurnalų įrašus apie galimas klaidas.", diff --git a/apps/updatenotification/l10n/lv.js b/apps/updatenotification/l10n/lv.js index 7c9ece59d92f9..be40cff62a6ab 100644 --- a/apps/updatenotification/l10n/lv.js +++ b/apps/updatenotification/l10n/lv.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Atjauninājumu paziņojumi", "Could not start updater, please try the manual update" : "Nevar sākt atjauninājumu, lūdzu, mēģiniet manuālo atjauninājumu", "{version} is available. Get more information on how to update." : "{version} ir pieejama. Iegūstiet vairāk informācijas par to, kā atjaunināt.", + "Update notifications" : "Atjauninājumu paziņojumi", "Channel updated" : "Kanāls atjaunots", "Update to %1$s is available." : "Atjauninājums uz %1$s ir pieejams.", "Update for %1$s to version %2$s is available." : "Atjauninājums %1$s uz versiju %2$s ir pieejams.", diff --git a/apps/updatenotification/l10n/lv.json b/apps/updatenotification/l10n/lv.json index 58cd3f39febab..79e7df4f5cfb4 100644 --- a/apps/updatenotification/l10n/lv.json +++ b/apps/updatenotification/l10n/lv.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Atjauninājumu paziņojumi", "Could not start updater, please try the manual update" : "Nevar sākt atjauninājumu, lūdzu, mēģiniet manuālo atjauninājumu", "{version} is available. Get more information on how to update." : "{version} ir pieejama. Iegūstiet vairāk informācijas par to, kā atjaunināt.", + "Update notifications" : "Atjauninājumu paziņojumi", "Channel updated" : "Kanāls atjaunots", "Update to %1$s is available." : "Atjauninājums uz %1$s ir pieejams.", "Update for %1$s to version %2$s is available." : "Atjauninājums %1$s uz versiju %2$s ir pieejams.", diff --git a/apps/updatenotification/l10n/nb.js b/apps/updatenotification/l10n/nb.js index a9f9249b0c6f2..096b06833e844 100644 --- a/apps/updatenotification/l10n/nb.js +++ b/apps/updatenotification/l10n/nb.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Oppdateringsvarsel", "Could not start updater, please try the manual update" : "Kunne ikke starte oppdateringen, prøv å oppdatere manuelt", "{version} is available. Get more information on how to update." : "{version} er tilgjengelig. Få mer informasjon om å oppdatere.", + "Update notifications" : "Oppdateringsvarsel", "Channel updated" : "Kanal oppdatert", "The update server could not be reached since %d days to check for new updates." : "Har ikke oppnådd kontakt med oppdateringstjeneren på %d dager for å se etter nye oppdateringer.", "Please check the Nextcloud and server log files for errors." : "Se i Nextcloud- og tjener-loggen etter feil.", diff --git a/apps/updatenotification/l10n/nb.json b/apps/updatenotification/l10n/nb.json index fe4574dd4b254..1182bc49958fe 100644 --- a/apps/updatenotification/l10n/nb.json +++ b/apps/updatenotification/l10n/nb.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Oppdateringsvarsel", "Could not start updater, please try the manual update" : "Kunne ikke starte oppdateringen, prøv å oppdatere manuelt", "{version} is available. Get more information on how to update." : "{version} er tilgjengelig. Få mer informasjon om å oppdatere.", + "Update notifications" : "Oppdateringsvarsel", "Channel updated" : "Kanal oppdatert", "The update server could not be reached since %d days to check for new updates." : "Har ikke oppnådd kontakt med oppdateringstjeneren på %d dager for å se etter nye oppdateringer.", "Please check the Nextcloud and server log files for errors." : "Se i Nextcloud- og tjener-loggen etter feil.", diff --git a/apps/updatenotification/l10n/nl.js b/apps/updatenotification/l10n/nl.js index 6337f5cb5bf10..89e6ecf2f1496 100644 --- a/apps/updatenotification/l10n/nl.js +++ b/apps/updatenotification/l10n/nl.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Bijwerken meldingen", "Could not start updater, please try the manual update" : "Kon de updater niet starten, probeer alsjeblieft de handmatige update", "{version} is available. Get more information on how to update." : "{version} is beschikbaar. Meer informatie over het bijwerken.", + "Update notifications" : "Bijwerken meldingen", "Channel updated" : "Kanaal bijgewerkt", "The update server could not be reached since %d days to check for new updates." : "De updateserver kon sinds %d dagen niet meer worden bereikt om op updates te controleren.", "Please check the Nextcloud and server log files for errors." : "Controleer de Nextcloud en server logbestanden op fouten.", diff --git a/apps/updatenotification/l10n/nl.json b/apps/updatenotification/l10n/nl.json index 176e3ff28c554..44e63a8c181c2 100644 --- a/apps/updatenotification/l10n/nl.json +++ b/apps/updatenotification/l10n/nl.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Bijwerken meldingen", "Could not start updater, please try the manual update" : "Kon de updater niet starten, probeer alsjeblieft de handmatige update", "{version} is available. Get more information on how to update." : "{version} is beschikbaar. Meer informatie over het bijwerken.", + "Update notifications" : "Bijwerken meldingen", "Channel updated" : "Kanaal bijgewerkt", "The update server could not be reached since %d days to check for new updates." : "De updateserver kon sinds %d dagen niet meer worden bereikt om op updates te controleren.", "Please check the Nextcloud and server log files for errors." : "Controleer de Nextcloud en server logbestanden op fouten.", diff --git a/apps/updatenotification/l10n/pl.js b/apps/updatenotification/l10n/pl.js index 34f095b654099..0b9c40c88d3ca 100644 --- a/apps/updatenotification/l10n/pl.js +++ b/apps/updatenotification/l10n/pl.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Powiadomienia o aktualizacji", "Could not start updater, please try the manual update" : "Nie można uruchomić aktualizacji, spróbuj z aktualizować ręcznie", "{version} is available. Get more information on how to update." : "Wersja {version} jest dostępna. Dowiedz się jak zaktualizować.", + "Update notifications" : "Powiadomienia o aktualizacji", "Channel updated" : "Kanał zaktualizowany", "The update server could not be reached since %d days to check for new updates." : "Połączenie z serwerem z aktualizacjami w celu sprawdzenia nowych aktualizacji nie powiodło się od %d dni.", "Please check the Nextcloud and server log files for errors." : "Proszę sprawdzić pliki z logami Nextcloud i serwera w celu znalezienia błędów.", diff --git a/apps/updatenotification/l10n/pl.json b/apps/updatenotification/l10n/pl.json index d90d6afdcd616..b41ad10249508 100644 --- a/apps/updatenotification/l10n/pl.json +++ b/apps/updatenotification/l10n/pl.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Powiadomienia o aktualizacji", "Could not start updater, please try the manual update" : "Nie można uruchomić aktualizacji, spróbuj z aktualizować ręcznie", "{version} is available. Get more information on how to update." : "Wersja {version} jest dostępna. Dowiedz się jak zaktualizować.", + "Update notifications" : "Powiadomienia o aktualizacji", "Channel updated" : "Kanał zaktualizowany", "The update server could not be reached since %d days to check for new updates." : "Połączenie z serwerem z aktualizacjami w celu sprawdzenia nowych aktualizacji nie powiodło się od %d dni.", "Please check the Nextcloud and server log files for errors." : "Proszę sprawdzić pliki z logami Nextcloud i serwera w celu znalezienia błędów.", diff --git a/apps/updatenotification/l10n/pt_BR.js b/apps/updatenotification/l10n/pt_BR.js index 4e5f3051faad6..29e7706ca74b6 100644 --- a/apps/updatenotification/l10n/pt_BR.js +++ b/apps/updatenotification/l10n/pt_BR.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Notificações de atualização", "Could not start updater, please try the manual update" : "Não foi possível iniciar o atualizador, tente a atualização manual", "{version} is available. Get more information on how to update." : "{version} está disponível. Obtenha mais informações sobre como atualizar.", + "Update notifications" : "Notificações de atualização", "Channel updated" : "Canal atualizado", "The update server could not be reached since %d days to check for new updates." : "O servidor de atualização não foi encontrado já há %d dias para verificar por novas atualizações.", "Please check the Nextcloud and server log files for errors." : "Verifique se há erros nos arquivos de log do servidor e do Nextcloud ", diff --git a/apps/updatenotification/l10n/pt_BR.json b/apps/updatenotification/l10n/pt_BR.json index c045786cc7b6e..a0a73e0a7f658 100644 --- a/apps/updatenotification/l10n/pt_BR.json +++ b/apps/updatenotification/l10n/pt_BR.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Notificações de atualização", "Could not start updater, please try the manual update" : "Não foi possível iniciar o atualizador, tente a atualização manual", "{version} is available. Get more information on how to update." : "{version} está disponível. Obtenha mais informações sobre como atualizar.", + "Update notifications" : "Notificações de atualização", "Channel updated" : "Canal atualizado", "The update server could not be reached since %d days to check for new updates." : "O servidor de atualização não foi encontrado já há %d dias para verificar por novas atualizações.", "Please check the Nextcloud and server log files for errors." : "Verifique se há erros nos arquivos de log do servidor e do Nextcloud ", diff --git a/apps/updatenotification/l10n/ru.js b/apps/updatenotification/l10n/ru.js index 39eab95a31add..7f5a0833cdcd4 100644 --- a/apps/updatenotification/l10n/ru.js +++ b/apps/updatenotification/l10n/ru.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Уведомления об обновлениях", "Could not start updater, please try the manual update" : "Не удалось обновить. Пожалуйста, выполните обновление вручную.", "{version} is available. Get more information on how to update." : "Доступна версия {version}. Получить дополнительную информацию о порядке обновления.", + "Update notifications" : "Уведомления об обновлениях", "Channel updated" : "Канал обновлен.", "The update server could not be reached since %d days to check for new updates." : "Сервер обновлений недоступен для проверки наличия обновлений дней: %d.", "Please check the Nextcloud and server log files for errors." : "Проверьте наличие ошибок в файлах журналов Nextcloud и сервера.", diff --git a/apps/updatenotification/l10n/ru.json b/apps/updatenotification/l10n/ru.json index 182f7967b0b60..cb11fc0f0d05d 100644 --- a/apps/updatenotification/l10n/ru.json +++ b/apps/updatenotification/l10n/ru.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Уведомления об обновлениях", "Could not start updater, please try the manual update" : "Не удалось обновить. Пожалуйста, выполните обновление вручную.", "{version} is available. Get more information on how to update." : "Доступна версия {version}. Получить дополнительную информацию о порядке обновления.", + "Update notifications" : "Уведомления об обновлениях", "Channel updated" : "Канал обновлен.", "The update server could not be reached since %d days to check for new updates." : "Сервер обновлений недоступен для проверки наличия обновлений дней: %d.", "Please check the Nextcloud and server log files for errors." : "Проверьте наличие ошибок в файлах журналов Nextcloud и сервера.", diff --git a/apps/updatenotification/l10n/sk.js b/apps/updatenotification/l10n/sk.js index 54b68f19418d2..aaa96cebf0c07 100644 --- a/apps/updatenotification/l10n/sk.js +++ b/apps/updatenotification/l10n/sk.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Upozornenia aktualizácií", "Could not start updater, please try the manual update" : "Nebolo možné spustiť aktualizátor, skúste prosím manuálnu aktualizáciu", "{version} is available. Get more information on how to update." : "{version} je dostupná. Získajte viac informácií o postupe aktualizácie.", + "Update notifications" : "Upozornenia aktualizácií", "Channel updated" : "Kanál bol aktualizovaný", "The update server could not be reached since %d days to check for new updates." : "Aktualizačný server je nedostupný %d dní pre kontrolu aktualizácií.", "Please check the Nextcloud and server log files for errors." : "Chyby skontrolujte prosím v logoch Nextcloud a webového servera", diff --git a/apps/updatenotification/l10n/sk.json b/apps/updatenotification/l10n/sk.json index f11393fd54231..67391c3c88275 100644 --- a/apps/updatenotification/l10n/sk.json +++ b/apps/updatenotification/l10n/sk.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Upozornenia aktualizácií", "Could not start updater, please try the manual update" : "Nebolo možné spustiť aktualizátor, skúste prosím manuálnu aktualizáciu", "{version} is available. Get more information on how to update." : "{version} je dostupná. Získajte viac informácií o postupe aktualizácie.", + "Update notifications" : "Upozornenia aktualizácií", "Channel updated" : "Kanál bol aktualizovaný", "The update server could not be reached since %d days to check for new updates." : "Aktualizačný server je nedostupný %d dní pre kontrolu aktualizácií.", "Please check the Nextcloud and server log files for errors." : "Chyby skontrolujte prosím v logoch Nextcloud a webového servera", diff --git a/apps/updatenotification/l10n/sq.js b/apps/updatenotification/l10n/sq.js index baa982233898f..a739f232459aa 100644 --- a/apps/updatenotification/l10n/sq.js +++ b/apps/updatenotification/l10n/sq.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Njoftime përditësimesh", "Could not start updater, please try the manual update" : "Nuk mundi të filloj përditësuesi, ju lutemi të provoni përditësimin manual", "{version} is available. Get more information on how to update." : "Është gati {version}. Merrni më tepër informacion se si ta përditësoni.", + "Update notifications" : "Njoftime përditësimesh", "Channel updated" : "Kanali u përditësua", "The update server could not be reached since %d days to check for new updates." : "Përditësimi i serverit nuk mund të arrihej deri sa %dtë kontrollohen për përditësime të reja.", "Please check the Nextcloud and server log files for errors." : "Ju lutemi kontrolloni dosjet e Nextcloud dhe te server log-ut per gabimet", diff --git a/apps/updatenotification/l10n/sq.json b/apps/updatenotification/l10n/sq.json index 80dc656c35f70..04903e7d794e6 100644 --- a/apps/updatenotification/l10n/sq.json +++ b/apps/updatenotification/l10n/sq.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Njoftime përditësimesh", "Could not start updater, please try the manual update" : "Nuk mundi të filloj përditësuesi, ju lutemi të provoni përditësimin manual", "{version} is available. Get more information on how to update." : "Është gati {version}. Merrni më tepër informacion se si ta përditësoni.", + "Update notifications" : "Njoftime përditësimesh", "Channel updated" : "Kanali u përditësua", "The update server could not be reached since %d days to check for new updates." : "Përditësimi i serverit nuk mund të arrihej deri sa %dtë kontrollohen për përditësime të reja.", "Please check the Nextcloud and server log files for errors." : "Ju lutemi kontrolloni dosjet e Nextcloud dhe te server log-ut per gabimet", diff --git a/apps/updatenotification/l10n/sr.js b/apps/updatenotification/l10n/sr.js index e47b86840bb09..55604fd94b9b1 100644 --- a/apps/updatenotification/l10n/sr.js +++ b/apps/updatenotification/l10n/sr.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Обавештења о ажурирању", "Could not start updater, please try the manual update" : "Не могу да покренем програм за ажурирање, покушајте ручно ажурирање", "{version} is available. Get more information on how to update." : "Верзија {version} је доступна. Сазнајте како да ажурирате.", + "Update notifications" : "Обавештења о ажурирању", "Channel updated" : "Канал ажуриран", "The update server could not be reached since %d days to check for new updates." : "Сервер за ажурирања није доступан пошто је прошло %d дана од последње провере ажурирања.", "Please check the Nextcloud and server log files for errors." : "Проверите логове од сервера и од Некстклауда за грешке.", diff --git a/apps/updatenotification/l10n/sr.json b/apps/updatenotification/l10n/sr.json index 70d2143eec584..68f4ef78df37c 100644 --- a/apps/updatenotification/l10n/sr.json +++ b/apps/updatenotification/l10n/sr.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Обавештења о ажурирању", "Could not start updater, please try the manual update" : "Не могу да покренем програм за ажурирање, покушајте ручно ажурирање", "{version} is available. Get more information on how to update." : "Верзија {version} је доступна. Сазнајте како да ажурирате.", + "Update notifications" : "Обавештења о ажурирању", "Channel updated" : "Канал ажуриран", "The update server could not be reached since %d days to check for new updates." : "Сервер за ажурирања није доступан пошто је прошло %d дана од последње провере ажурирања.", "Please check the Nextcloud and server log files for errors." : "Проверите логове од сервера и од Некстклауда за грешке.", diff --git a/apps/updatenotification/l10n/sv.js b/apps/updatenotification/l10n/sv.js index eefcbfcc687ae..a360615d947d0 100644 --- a/apps/updatenotification/l10n/sv.js +++ b/apps/updatenotification/l10n/sv.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Uppdateringsnotifikationer", "Could not start updater, please try the manual update" : "Kunde inte starta uppdateraren, vänligen försök uppdatera manuellt", "{version} is available. Get more information on how to update." : "{version} är tillgänglig. Få mer information om hur du uppdaterar.", + "Update notifications" : "Uppdateringsnotifikationer", "Channel updated" : "Uppdateringskanal uppdaterad", "The update server could not be reached since %d days to check for new updates." : "Uppdateringsservern kunde inte nås. Senaste kontakt för %d dagar sedan.", "Please check the Nextcloud and server log files for errors." : "Vänligen kontrollera ditt moln och dess serverloggar för felmeddelanden.", diff --git a/apps/updatenotification/l10n/sv.json b/apps/updatenotification/l10n/sv.json index da091ee178721..62451abf15e8b 100644 --- a/apps/updatenotification/l10n/sv.json +++ b/apps/updatenotification/l10n/sv.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Uppdateringsnotifikationer", "Could not start updater, please try the manual update" : "Kunde inte starta uppdateraren, vänligen försök uppdatera manuellt", "{version} is available. Get more information on how to update." : "{version} är tillgänglig. Få mer information om hur du uppdaterar.", + "Update notifications" : "Uppdateringsnotifikationer", "Channel updated" : "Uppdateringskanal uppdaterad", "The update server could not be reached since %d days to check for new updates." : "Uppdateringsservern kunde inte nås. Senaste kontakt för %d dagar sedan.", "Please check the Nextcloud and server log files for errors." : "Vänligen kontrollera ditt moln och dess serverloggar för felmeddelanden.", diff --git a/apps/updatenotification/l10n/tr.js b/apps/updatenotification/l10n/tr.js index 0cc86d74fae23..0cce30659134b 100644 --- a/apps/updatenotification/l10n/tr.js +++ b/apps/updatenotification/l10n/tr.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Güncelleme bildirimleri", "Could not start updater, please try the manual update" : "Güncelleyici başlatılamadı lütfen el ile güncellemeyi deneyin", "{version} is available. Get more information on how to update." : "{version} sürümü yayınlanmış. Güncelleme hakkında ayrıntılı bilgi alın.", + "Update notifications" : "Güncelleme bildirimleri", "Channel updated" : "Kanal güncellendi", "The update server could not be reached since %d days to check for new updates." : "%d gündür güncellemeleri denetlemek için güncelleme sunucusuna bağlanılamadı.", "Please check the Nextcloud and server log files for errors." : "Lütfen sorunu bulmak için Nextcloud ve sunucu günlük dosyalarına bakın.", diff --git a/apps/updatenotification/l10n/tr.json b/apps/updatenotification/l10n/tr.json index d6f4661bbaf5a..ccdde196b3087 100644 --- a/apps/updatenotification/l10n/tr.json +++ b/apps/updatenotification/l10n/tr.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Güncelleme bildirimleri", "Could not start updater, please try the manual update" : "Güncelleyici başlatılamadı lütfen el ile güncellemeyi deneyin", "{version} is available. Get more information on how to update." : "{version} sürümü yayınlanmış. Güncelleme hakkında ayrıntılı bilgi alın.", + "Update notifications" : "Güncelleme bildirimleri", "Channel updated" : "Kanal güncellendi", "The update server could not be reached since %d days to check for new updates." : "%d gündür güncellemeleri denetlemek için güncelleme sunucusuna bağlanılamadı.", "Please check the Nextcloud and server log files for errors." : "Lütfen sorunu bulmak için Nextcloud ve sunucu günlük dosyalarına bakın.", diff --git a/apps/updatenotification/l10n/zh_CN.js b/apps/updatenotification/l10n/zh_CN.js index e0762940661c3..ab2bd4b41d04d 100644 --- a/apps/updatenotification/l10n/zh_CN.js +++ b/apps/updatenotification/l10n/zh_CN.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "升级通知", "Could not start updater, please try the manual update" : "无法启动自动更新,请尝试手动更新", "{version} is available. Get more information on how to update." : "新版本 {version} 已可以使用。获取更多升级相关信息。", + "Update notifications" : "升级通知", "Channel updated" : "更新通道", "The update server could not be reached since %d days to check for new updates." : "更新服务器自 1%d 天前起无法访问以检查更新。", "Please check the Nextcloud and server log files for errors." : "请检查 nextcloud 和服务器的日志中的错误。", diff --git a/apps/updatenotification/l10n/zh_CN.json b/apps/updatenotification/l10n/zh_CN.json index b539187d1ee29..7ee71f79ad0a6 100644 --- a/apps/updatenotification/l10n/zh_CN.json +++ b/apps/updatenotification/l10n/zh_CN.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "升级通知", "Could not start updater, please try the manual update" : "无法启动自动更新,请尝试手动更新", "{version} is available. Get more information on how to update." : "新版本 {version} 已可以使用。获取更多升级相关信息。", + "Update notifications" : "升级通知", "Channel updated" : "更新通道", "The update server could not be reached since %d days to check for new updates." : "更新服务器自 1%d 天前起无法访问以检查更新。", "Please check the Nextcloud and server log files for errors." : "请检查 nextcloud 和服务器的日志中的错误。", diff --git a/apps/updatenotification/l10n/zh_TW.js b/apps/updatenotification/l10n/zh_TW.js index e0e73802e2226..d7fcea446e234 100644 --- a/apps/updatenotification/l10n/zh_TW.js +++ b/apps/updatenotification/l10n/zh_TW.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "更新通知", "Could not start updater, please try the manual update" : "無法啟動更新程式,請嘗試手動更新", "{version} is available. Get more information on how to update." : "{version} 釋出了,可以更新", + "Update notifications" : "更新通知", "Channel updated" : "頻道已更新", "The update server could not be reached since %d days to check for new updates." : "更新伺服器在%d天前已經無法連線檢查更新", "Please check the Nextcloud and server log files for errors." : "請確認伺服器log檔以查看錯誤。", diff --git a/apps/updatenotification/l10n/zh_TW.json b/apps/updatenotification/l10n/zh_TW.json index c0a0a8ff8c71f..e60e8ace77ff6 100644 --- a/apps/updatenotification/l10n/zh_TW.json +++ b/apps/updatenotification/l10n/zh_TW.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "更新通知", "Could not start updater, please try the manual update" : "無法啟動更新程式,請嘗試手動更新", "{version} is available. Get more information on how to update." : "{version} 釋出了,可以更新", + "Update notifications" : "更新通知", "Channel updated" : "頻道已更新", "The update server could not be reached since %d days to check for new updates." : "更新伺服器在%d天前已經無法連線檢查更新", "Please check the Nextcloud and server log files for errors." : "請確認伺服器log檔以查看錯誤。", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index 1b8e042b6e150..58e9ddbfbc6be 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -277,6 +277,7 @@ OC.L10N.register( "Username or email" : "Username or email", "Log in" : "Log in", "Wrong password." : "Wrong password.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds.", "Stay logged in" : "Stay logged in", "Forgot password?" : "Forgot password?", "Back to log in" : "Back to log in", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index 1f950677dbbb9..6c542d356e78c 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -275,6 +275,7 @@ "Username or email" : "Username or email", "Log in" : "Log in", "Wrong password." : "Wrong password.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds.", "Stay logged in" : "Stay logged in", "Forgot password?" : "Forgot password?", "Back to log in" : "Back to log in", From 31b922d2f58d4c02fd82d85463f09d45d93a4eb7 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Fri, 19 Jan 2018 16:22:36 +0100 Subject: [PATCH 019/251] update icewind/smb to 2.0.4 Signed-off-by: Robin Appelman --- apps/files_external/3rdparty/composer.json | 2 +- apps/files_external/3rdparty/composer.lock | 12 ++-- .../3rdparty/composer/ClassLoader.php | 4 +- .../3rdparty/composer/autoload_classmap.php | 13 ++-- .../3rdparty/composer/autoload_static.php | 13 ++-- .../3rdparty/composer/installed.json | 60 +++++++++---------- .../icewind/smb/src/AbstractShare.php | 4 ++ .../3rdparty/icewind/smb/src/Connection.php | 9 +++ .../3rdparty/icewind/smb/src/NativeShare.php | 50 ++++++++-------- .../3rdparty/icewind/smb/src/NativeState.php | 5 +- .../3rdparty/icewind/smb/src/Share.php | 3 + 11 files changed, 98 insertions(+), 77 deletions(-) diff --git a/apps/files_external/3rdparty/composer.json b/apps/files_external/3rdparty/composer.json index 307a062c7e0e0..b556de7c395ed 100644 --- a/apps/files_external/3rdparty/composer.json +++ b/apps/files_external/3rdparty/composer.json @@ -8,7 +8,7 @@ "classmap-authoritative": true }, "require": { - "icewind/smb": "2.0.3", + "icewind/smb": "2.0.4", "icewind/streams": "0.5.2" } } diff --git a/apps/files_external/3rdparty/composer.lock b/apps/files_external/3rdparty/composer.lock index e00a7bd80e41b..2ec6ee94c8d7c 100644 --- a/apps/files_external/3rdparty/composer.lock +++ b/apps/files_external/3rdparty/composer.lock @@ -4,20 +4,20 @@ "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#composer-lock-the-lock-file", "This file is @generated automatically" ], - "content-hash": "b6a304e8ab2effa3791b513007fadcbc", + "content-hash": "8b87ff18cd1c30945c631607fbfbf8b7", "packages": [ { "name": "icewind/smb", - "version": "v2.0.3", + "version": "v2.0.4", "source": { "type": "git", "url": "https://github.com/icewind1991/SMB.git", - "reference": "8394551bf29a37b884edb33dae8acde369177f32" + "reference": "f258947a6f840cc9655ba81744872f9bb292a7dd" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/icewind1991/SMB/zipball/8394551bf29a37b884edb33dae8acde369177f32", - "reference": "8394551bf29a37b884edb33dae8acde369177f32", + "url": "https://api.github.com/repos/icewind1991/SMB/zipball/f258947a6f840cc9655ba81744872f9bb292a7dd", + "reference": "f258947a6f840cc9655ba81744872f9bb292a7dd", "shasum": "" }, "require": { @@ -45,7 +45,7 @@ } ], "description": "php wrapper for smbclient and libsmbclient-php", - "time": "2017-10-18T16:21:10+00:00" + "time": "2018-01-19T14:36:36+00:00" }, { "name": "icewind/streams", diff --git a/apps/files_external/3rdparty/composer/ClassLoader.php b/apps/files_external/3rdparty/composer/ClassLoader.php index 2c72175e7723a..dc02dfb114fb6 100644 --- a/apps/files_external/3rdparty/composer/ClassLoader.php +++ b/apps/files_external/3rdparty/composer/ClassLoader.php @@ -379,9 +379,9 @@ private function findFileWithExtension($class, $ext) $subPath = substr($subPath, 0, $lastPos); $search = $subPath.'\\'; if (isset($this->prefixDirsPsr4[$search])) { + $pathEnd = DIRECTORY_SEPARATOR . substr($logicalPathPsr4, $lastPos + 1); foreach ($this->prefixDirsPsr4[$search] as $dir) { - $length = $this->prefixLengthsPsr4[$first][$search]; - if (file_exists($file = $dir . DIRECTORY_SEPARATOR . substr($logicalPathPsr4, $length))) { + if (file_exists($file = $dir . $pathEnd)) { return $file; } } diff --git a/apps/files_external/3rdparty/composer/autoload_classmap.php b/apps/files_external/3rdparty/composer/autoload_classmap.php index 257bdb64eb5cf..d51895234b42f 100644 --- a/apps/files_external/3rdparty/composer/autoload_classmap.php +++ b/apps/files_external/3rdparty/composer/autoload_classmap.php @@ -21,6 +21,7 @@ 'Icewind\\SMB\\Exception\\FileInUseException' => $vendorDir . '/icewind/smb/src/Exception/FileInUseException.php', 'Icewind\\SMB\\Exception\\ForbiddenException' => $vendorDir . '/icewind/smb/src/Exception/ForbiddenException.php', 'Icewind\\SMB\\Exception\\HostDownException' => $vendorDir . '/icewind/smb/src/Exception/HostDownException.php', + 'Icewind\\SMB\\Exception\\InvalidArgumentException' => $vendorDir . '/icewind/smb/src/Exception/InvalidArgumentException.php', 'Icewind\\SMB\\Exception\\InvalidHostException' => $vendorDir . '/icewind/smb/src/Exception/InvalidHostException.php', 'Icewind\\SMB\\Exception\\InvalidParameterException' => $vendorDir . '/icewind/smb/src/Exception/InvalidParameterException.php', 'Icewind\\SMB\\Exception\\InvalidPathException' => $vendorDir . '/icewind/smb/src/Exception/InvalidPathException.php', @@ -51,13 +52,13 @@ 'Icewind\\SMB\\Server' => $vendorDir . '/icewind/smb/src/Server.php', 'Icewind\\SMB\\Share' => $vendorDir . '/icewind/smb/src/Share.php', 'Icewind\\SMB\\System' => $vendorDir . '/icewind/smb/src/System.php', - 'Icewind\\SMB\\Test\\AbstractShare' => $vendorDir . '/icewind/smb/tests/AbstractShare.php', - 'Icewind\\SMB\\Test\\NativeShare' => $vendorDir . '/icewind/smb/tests/NativeShare.php', - 'Icewind\\SMB\\Test\\NativeStream' => $vendorDir . '/icewind/smb/tests/NativeStream.php', + 'Icewind\\SMB\\Test\\AbstractShareTest' => $vendorDir . '/icewind/smb/tests/AbstractShareTest.php', + 'Icewind\\SMB\\Test\\NativeShareTestTest' => $vendorDir . '/icewind/smb/tests/NativeShareTestTest.php', + 'Icewind\\SMB\\Test\\NativeStreamTest' => $vendorDir . '/icewind/smb/tests/NativeStreamTest.php', 'Icewind\\SMB\\Test\\NotifyHandlerTest' => $vendorDir . '/icewind/smb/tests/NotifyHandlerTest.php', - 'Icewind\\SMB\\Test\\Parser' => $vendorDir . '/icewind/smb/tests/Parser.php', - 'Icewind\\SMB\\Test\\Server' => $vendorDir . '/icewind/smb/tests/Server.php', - 'Icewind\\SMB\\Test\\Share' => $vendorDir . '/icewind/smb/tests/Share.php', + 'Icewind\\SMB\\Test\\ParserTest' => $vendorDir . '/icewind/smb/tests/ParserTest.php', + 'Icewind\\SMB\\Test\\ServerTest' => $vendorDir . '/icewind/smb/tests/ServerTest.php', + 'Icewind\\SMB\\Test\\ShareTestTest' => $vendorDir . '/icewind/smb/tests/ShareTestTest.php', 'Icewind\\SMB\\Test\\TestCase' => $vendorDir . '/icewind/smb/tests/TestCase.php', 'Icewind\\SMB\\TimeZoneProvider' => $vendorDir . '/icewind/smb/src/TimeZoneProvider.php', 'Icewind\\Streams\\CallbackWrapper' => $vendorDir . '/icewind/streams/src/CallbackWrapper.php', diff --git a/apps/files_external/3rdparty/composer/autoload_static.php b/apps/files_external/3rdparty/composer/autoload_static.php index 62be2df6a0d41..51739b6b6cdd7 100644 --- a/apps/files_external/3rdparty/composer/autoload_static.php +++ b/apps/files_external/3rdparty/composer/autoload_static.php @@ -51,6 +51,7 @@ class ComposerStaticInit98fe9b281934250b3a93f69a5ce843b3 'Icewind\\SMB\\Exception\\FileInUseException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/FileInUseException.php', 'Icewind\\SMB\\Exception\\ForbiddenException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/ForbiddenException.php', 'Icewind\\SMB\\Exception\\HostDownException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/HostDownException.php', + 'Icewind\\SMB\\Exception\\InvalidArgumentException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/InvalidArgumentException.php', 'Icewind\\SMB\\Exception\\InvalidHostException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/InvalidHostException.php', 'Icewind\\SMB\\Exception\\InvalidParameterException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/InvalidParameterException.php', 'Icewind\\SMB\\Exception\\InvalidPathException' => __DIR__ . '/..' . '/icewind/smb/src/Exception/InvalidPathException.php', @@ -81,13 +82,13 @@ class ComposerStaticInit98fe9b281934250b3a93f69a5ce843b3 'Icewind\\SMB\\Server' => __DIR__ . '/..' . '/icewind/smb/src/Server.php', 'Icewind\\SMB\\Share' => __DIR__ . '/..' . '/icewind/smb/src/Share.php', 'Icewind\\SMB\\System' => __DIR__ . '/..' . '/icewind/smb/src/System.php', - 'Icewind\\SMB\\Test\\AbstractShare' => __DIR__ . '/..' . '/icewind/smb/tests/AbstractShare.php', - 'Icewind\\SMB\\Test\\NativeShare' => __DIR__ . '/..' . '/icewind/smb/tests/NativeShare.php', - 'Icewind\\SMB\\Test\\NativeStream' => __DIR__ . '/..' . '/icewind/smb/tests/NativeStream.php', + 'Icewind\\SMB\\Test\\AbstractShareTest' => __DIR__ . '/..' . '/icewind/smb/tests/AbstractShareTest.php', + 'Icewind\\SMB\\Test\\NativeShareTestTest' => __DIR__ . '/..' . '/icewind/smb/tests/NativeShareTestTest.php', + 'Icewind\\SMB\\Test\\NativeStreamTest' => __DIR__ . '/..' . '/icewind/smb/tests/NativeStreamTest.php', 'Icewind\\SMB\\Test\\NotifyHandlerTest' => __DIR__ . '/..' . '/icewind/smb/tests/NotifyHandlerTest.php', - 'Icewind\\SMB\\Test\\Parser' => __DIR__ . '/..' . '/icewind/smb/tests/Parser.php', - 'Icewind\\SMB\\Test\\Server' => __DIR__ . '/..' . '/icewind/smb/tests/Server.php', - 'Icewind\\SMB\\Test\\Share' => __DIR__ . '/..' . '/icewind/smb/tests/Share.php', + 'Icewind\\SMB\\Test\\ParserTest' => __DIR__ . '/..' . '/icewind/smb/tests/ParserTest.php', + 'Icewind\\SMB\\Test\\ServerTest' => __DIR__ . '/..' . '/icewind/smb/tests/ServerTest.php', + 'Icewind\\SMB\\Test\\ShareTestTest' => __DIR__ . '/..' . '/icewind/smb/tests/ShareTestTest.php', 'Icewind\\SMB\\Test\\TestCase' => __DIR__ . '/..' . '/icewind/smb/tests/TestCase.php', 'Icewind\\SMB\\TimeZoneProvider' => __DIR__ . '/..' . '/icewind/smb/src/TimeZoneProvider.php', 'Icewind\\Streams\\CallbackWrapper' => __DIR__ . '/..' . '/icewind/streams/src/CallbackWrapper.php', diff --git a/apps/files_external/3rdparty/composer/installed.json b/apps/files_external/3rdparty/composer/installed.json index 6855971a9f15a..640bebc9175c6 100644 --- a/apps/files_external/3rdparty/composer/installed.json +++ b/apps/files_external/3rdparty/composer/installed.json @@ -1,33 +1,33 @@ [ { - "name": "icewind/streams", - "version": "0.5.2", - "version_normalized": "0.5.2.0", + "name": "icewind/smb", + "version": "v2.0.4", + "version_normalized": "2.0.4.0", "source": { "type": "git", - "url": "https://github.com/icewind1991/Streams.git", - "reference": "6bfd2fdbd99319f5e010d0a684409189a562cb1e" + "url": "https://github.com/icewind1991/SMB.git", + "reference": "f258947a6f840cc9655ba81744872f9bb292a7dd" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/icewind1991/Streams/zipball/6bfd2fdbd99319f5e010d0a684409189a562cb1e", - "reference": "6bfd2fdbd99319f5e010d0a684409189a562cb1e", + "url": "https://api.github.com/repos/icewind1991/SMB/zipball/f258947a6f840cc9655ba81744872f9bb292a7dd", + "reference": "f258947a6f840cc9655ba81744872f9bb292a7dd", "shasum": "" }, "require": { - "php": ">=5.3" + "icewind/streams": ">=0.2.0", + "php": ">=5.4" }, "require-dev": { - "phpunit/phpunit": "^4.8", - "satooshi/php-coveralls": "v1.0.0" + "phpunit/phpunit": "^4.8" }, - "time": "2016-12-02T14:21:23+00:00", + "time": "2018-01-19T14:36:36+00:00", "type": "library", - "installation-source": "dist", + "installation-source": "source", "autoload": { "psr-4": { - "Icewind\\Streams\\Tests\\": "tests/", - "Icewind\\Streams\\": "src/" + "Icewind\\SMB\\": "src/", + "Icewind\\SMB\\Test\\": "tests/" } }, "notification-url": "https://packagist.org/downloads/", @@ -40,37 +40,37 @@ "email": "icewind@owncloud.com" } ], - "description": "A set of generic stream wrappers" + "description": "php wrapper for smbclient and libsmbclient-php" }, { - "name": "icewind/smb", - "version": "v2.0.3", - "version_normalized": "2.0.3.0", + "name": "icewind/streams", + "version": "0.5.2", + "version_normalized": "0.5.2.0", "source": { "type": "git", - "url": "https://github.com/icewind1991/SMB.git", - "reference": "8394551bf29a37b884edb33dae8acde369177f32" + "url": "https://github.com/icewind1991/Streams.git", + "reference": "6bfd2fdbd99319f5e010d0a684409189a562cb1e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/icewind1991/SMB/zipball/8394551bf29a37b884edb33dae8acde369177f32", - "reference": "8394551bf29a37b884edb33dae8acde369177f32", + "url": "https://api.github.com/repos/icewind1991/Streams/zipball/6bfd2fdbd99319f5e010d0a684409189a562cb1e", + "reference": "6bfd2fdbd99319f5e010d0a684409189a562cb1e", "shasum": "" }, "require": { - "icewind/streams": ">=0.2.0", - "php": ">=5.4" + "php": ">=5.3" }, "require-dev": { - "phpunit/phpunit": "^4.8" + "phpunit/phpunit": "^4.8", + "satooshi/php-coveralls": "v1.0.0" }, - "time": "2017-10-18T16:21:10+00:00", + "time": "2016-12-02T14:21:23+00:00", "type": "library", - "installation-source": "source", + "installation-source": "dist", "autoload": { "psr-4": { - "Icewind\\SMB\\": "src/", - "Icewind\\SMB\\Test\\": "tests/" + "Icewind\\Streams\\Tests\\": "tests/", + "Icewind\\Streams\\": "src/" } }, "notification-url": "https://packagist.org/downloads/", @@ -83,6 +83,6 @@ "email": "icewind@owncloud.com" } ], - "description": "php wrapper for smbclient and libsmbclient-php" + "description": "A set of generic stream wrappers" } ] diff --git a/apps/files_external/3rdparty/icewind/smb/src/AbstractShare.php b/apps/files_external/3rdparty/icewind/smb/src/AbstractShare.php index a5cfe59a3c444..0af03ff56988d 100644 --- a/apps/files_external/3rdparty/icewind/smb/src/AbstractShare.php +++ b/apps/files_external/3rdparty/icewind/smb/src/AbstractShare.php @@ -23,4 +23,8 @@ protected function verifyPath($path) { } } } + + public function setForbiddenChars(array $charList) { + $this->forbiddenCharacters = $charList; + } } diff --git a/apps/files_external/3rdparty/icewind/smb/src/Connection.php b/apps/files_external/3rdparty/icewind/smb/src/Connection.php index c1ebb861711a8..0196231b08224 100644 --- a/apps/files_external/3rdparty/icewind/smb/src/Connection.php +++ b/apps/files_external/3rdparty/icewind/smb/src/Connection.php @@ -34,6 +34,15 @@ public function write($input) { parent::write($input . PHP_EOL); } + public function clearTillPrompt() { + $this->write(''); + do { + $promptLine = $this->readLine(); + } while (!$this->isPrompt($promptLine)); + $this->write(''); + $this->readLine(); + } + /** * get all unprocessed output from smbclient until the next prompt * diff --git a/apps/files_external/3rdparty/icewind/smb/src/NativeShare.php b/apps/files_external/3rdparty/icewind/smb/src/NativeShare.php index 228d9cd7d2ea2..9653e6064b2c9 100644 --- a/apps/files_external/3rdparty/icewind/smb/src/NativeShare.php +++ b/apps/files_external/3rdparty/icewind/smb/src/NativeShare.php @@ -34,7 +34,6 @@ public function __construct($server, $name) { parent::__construct(); $this->server = $server; $this->name = $name; - $this->state = new NativeState(); } /** @@ -42,12 +41,14 @@ public function __construct($server, $name) { * @throws \Icewind\SMB\Exception\AuthenticationException * @throws \Icewind\SMB\Exception\InvalidHostException */ - protected function connect() { - if ($this->state and $this->state instanceof NativeShare) { - return; + protected function getState() { + if ($this->state and $this->state instanceof NativeState) { + return $this->state; } + $this->state = new NativeState(); $this->state->init($this->server->getWorkgroup(), $this->server->getUser(), $this->server->getPassword()); + return $this->state; } /** @@ -60,7 +61,6 @@ public function getName() { } private function buildUrl($path) { - $this->connect(); $this->verifyPath($path); $url = sprintf('smb://%s/%s', $this->server->getHost(), $this->name); if ($path) { @@ -83,15 +83,15 @@ private function buildUrl($path) { public function dir($path) { $files = array(); - $dh = $this->state->opendir($this->buildUrl($path)); - while ($file = $this->state->readdir($dh)) { + $dh = $this->getState()->opendir($this->buildUrl($path)); + while ($file = $this->getState()->readdir($dh)) { $name = $file['name']; if ($name !== '.' and $name !== '..') { $files [] = new NativeFileInfo($this, $path . '/' . $name, $name); } } - $this->state->closedir($dh); + $this->getState()->closedir($dh); return $files; } @@ -104,7 +104,7 @@ public function stat($path) { } public function getStat($path) { - return $this->state->stat($this->buildUrl($path)); + return $this->getState()->stat($this->buildUrl($path)); } /** @@ -117,7 +117,7 @@ public function getStat($path) { * @throws \Icewind\SMB\Exception\AlreadyExistsException */ public function mkdir($path) { - return $this->state->mkdir($this->buildUrl($path)); + return $this->getState()->mkdir($this->buildUrl($path)); } /** @@ -130,7 +130,7 @@ public function mkdir($path) { * @throws \Icewind\SMB\Exception\InvalidTypeException */ public function rmdir($path) { - return $this->state->rmdir($this->buildUrl($path)); + return $this->getState()->rmdir($this->buildUrl($path)); } /** @@ -143,7 +143,7 @@ public function rmdir($path) { * @throws \Icewind\SMB\Exception\InvalidTypeException */ public function del($path) { - return $this->state->unlink($this->buildUrl($path)); + return $this->getState()->unlink($this->buildUrl($path)); } /** @@ -157,7 +157,7 @@ public function del($path) { * @throws \Icewind\SMB\Exception\AlreadyExistsException */ public function rename($from, $to) { - return $this->state->rename($this->buildUrl($from), $this->buildUrl($to)); + return $this->getState()->rename($this->buildUrl($from), $this->buildUrl($to)); } /** @@ -172,12 +172,12 @@ public function rename($from, $to) { */ public function put($source, $target) { $sourceHandle = fopen($source, 'rb'); - $targetHandle = $this->state->create($this->buildUrl($target)); + $targetHandle = $this->getState()->create($this->buildUrl($target)); while ($data = fread($sourceHandle, NativeReadStream::CHUNK_SIZE)) { - $this->state->write($targetHandle, $data); + $this->getState()->write($targetHandle, $data); } - $this->state->close($targetHandle); + $this->getState()->close($targetHandle); return true; } @@ -208,16 +208,16 @@ public function get($source, $target) { throw new InvalidResourceException('Failed opening local file "' . $target . '" for writing: ' . $reason); } - $sourceHandle = $this->state->open($this->buildUrl($source), 'r'); + $sourceHandle = $this->getState()->open($this->buildUrl($source), 'r'); if (!$sourceHandle) { fclose($targetHandle); throw new InvalidResourceException('Failed opening remote file "' . $source . '" for reading'); } - while ($data = $this->state->read($sourceHandle, NativeReadStream::CHUNK_SIZE)) { + while ($data = $this->getState()->read($sourceHandle, NativeReadStream::CHUNK_SIZE)) { fwrite($targetHandle, $data); } - $this->state->close($sourceHandle); + $this->getState()->close($sourceHandle); return true; } @@ -232,8 +232,8 @@ public function get($source, $target) { */ public function read($source) { $url = $this->buildUrl($source); - $handle = $this->state->open($url, 'r'); - return NativeReadStream::wrap($this->state, $handle, 'r', $url); + $handle = $this->getState()->open($url, 'r'); + return NativeReadStream::wrap($this->getState(), $handle, 'r', $url); } /** @@ -247,8 +247,8 @@ public function read($source) { */ public function write($source) { $url = $this->buildUrl($source); - $handle = $this->state->create($url); - return NativeWriteStream::wrap($this->state, $handle, 'w', $url); + $handle = $this->getState()->create($url); + return NativeWriteStream::wrap($this->getState(), $handle, 'w', $url); } /** @@ -259,7 +259,7 @@ public function write($source) { * @return string the attribute value */ public function getAttribute($path, $attribute) { - return $this->state->getxattr($this->buildUrl($path), $attribute); + return $this->getState()->getxattr($this->buildUrl($path), $attribute); } /** @@ -276,7 +276,7 @@ public function setAttribute($path, $attribute, $value) { $value = '0x' . dechex($value); } - return $this->state->setxattr($this->buildUrl($path), $attribute, $value); + return $this->getState()->setxattr($this->buildUrl($path), $attribute, $value); } /** diff --git a/apps/files_external/3rdparty/icewind/smb/src/NativeState.php b/apps/files_external/3rdparty/icewind/smb/src/NativeState.php index 45e0441d2523e..036a02550488b 100644 --- a/apps/files_external/3rdparty/icewind/smb/src/NativeState.php +++ b/apps/files_external/3rdparty/icewind/smb/src/NativeState.php @@ -10,7 +10,7 @@ use Icewind\SMB\Exception\Exception; /** - * Low level wrapper for libsmbclient-php for error handling + * Low level wrapper for libsmbclient-php with error handling */ class NativeState { /** @@ -28,9 +28,11 @@ class NativeState { 1 => '\Icewind\SMB\Exception\ForbiddenException', 2 => '\Icewind\SMB\Exception\NotFoundException', 13 => '\Icewind\SMB\Exception\ForbiddenException', + 16 => '\Icewind\SMB\Exception\FileInUseException', 17 => '\Icewind\SMB\Exception\AlreadyExistsException', 20 => '\Icewind\SMB\Exception\InvalidTypeException', 21 => '\Icewind\SMB\Exception\InvalidTypeException', + 22 => '\Icewind\SMB\Exception\InvalidArgumentException', 28 => '\Icewind\SMB\Exception\OutOfSpaceException', 39 => '\Icewind\SMB\Exception\NotEmptyException', 110 => '\Icewind\SMB\Exception\TimedOutException', @@ -71,6 +73,7 @@ public function init($workGroup, $user, $password) { return true; } $this->state = smbclient_state_new(); + smbclient_option_set($this->state, SMBCLIENT_OPT_AUTO_ANONYMOUS_LOGIN, false); $result = @smbclient_state_init($this->state, $workGroup, $user, $password); $this->testResult($result, ''); diff --git a/apps/files_external/3rdparty/icewind/smb/src/Share.php b/apps/files_external/3rdparty/icewind/smb/src/Share.php index 542eaf0887eb1..8f1dace2be2d4 100644 --- a/apps/files_external/3rdparty/icewind/smb/src/Share.php +++ b/apps/files_external/3rdparty/icewind/smb/src/Share.php @@ -72,6 +72,8 @@ protected function getConnection() { if (!$connection->isValid()) { throw new ConnectionException($connection->readLine()); } + // some versions of smbclient add a help message in first of the first prompt + $connection->clearTillPrompt(); return $connection; } @@ -125,6 +127,7 @@ public function dir($path) { //check output for errors $this->parseOutput($output, $path); $output = $this->execute('dir'); + $this->execute('cd /'); return $this->parser->parseDir($output, $path); From 4c431d39eb9be65c788c71cf900ea16ac0f6896f Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Sat, 20 Jan 2018 01:11:10 +0000 Subject: [PATCH 020/251] [tx-robot] updated from transifex --- core/l10n/sr.js | 2 ++ core/l10n/sr.json | 2 ++ 2 files changed, 4 insertions(+) diff --git a/core/l10n/sr.js b/core/l10n/sr.js index 03f25d6f98b82..6c40067e71aec 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -122,6 +122,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Неки фајлови нису прошли проверу интегритета. Даљње информације о томе како да решите овај проблем се могу наћи у документацији. (Списак неисправних фајлова/Скенирај поново…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформансе предлаже се да користите следећа подешавања у php.ini фајлу:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручује се да омогућите ову функцију.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Ваша PHP инсталација нема подршку за FreeType. Ово ће довести до неисправних профилних слика и неисправног интерфејса за подешавања.", "Error occurred while checking server setup" : "Дошло је до грешке при провери поставки сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ваша фасцикла са подацима и фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP заглавље „{header}“ није подешено као „{expected}“. Ово потенцијално угрожава безбедност и приватност и препоручује се да подесите ову поставку.", @@ -276,6 +277,7 @@ OC.L10N.register( "Username or email" : "Корисничко име или адреса е-поште", "Log in" : "Пријава", "Wrong password." : "Погрешна лозинка.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Приметили смо више неисправних покушаја пријава са Ваше IP адресе. Следећа пријава ће бити могућа тек за 30 секунди.", "Stay logged in" : "Останите пријављени", "Forgot password?" : "Заборавили сте лозинку?", "Back to log in" : "Назад на пријаву", diff --git a/core/l10n/sr.json b/core/l10n/sr.json index a6b1ff6c98fd3..6717ea164f74b 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -120,6 +120,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Неки фајлови нису прошли проверу интегритета. Даљње информације о томе како да решите овај проблем се могу наћи у документацији. (Списак неисправних фајлова/Скенирај поново…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформансе предлаже се да користите следећа подешавања у php.ini фајлу:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручује се да омогућите ову функцију.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Ваша PHP инсталација нема подршку за FreeType. Ово ће довести до неисправних профилних слика и неисправног интерфејса за подешавања.", "Error occurred while checking server setup" : "Дошло је до грешке при провери поставки сервера", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Ваша фасцикла са подацима и фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP заглавље „{header}“ није подешено као „{expected}“. Ово потенцијално угрожава безбедност и приватност и препоручује се да подесите ову поставку.", @@ -274,6 +275,7 @@ "Username or email" : "Корисничко име или адреса е-поште", "Log in" : "Пријава", "Wrong password." : "Погрешна лозинка.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Приметили смо више неисправних покушаја пријава са Ваше IP адресе. Следећа пријава ће бити могућа тек за 30 секунди.", "Stay logged in" : "Останите пријављени", "Forgot password?" : "Заборавили сте лозинку?", "Back to log in" : "Назад на пријаву", From 883817e62a257c7f17a92b1de5c757ce73e6417a Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Sun, 21 Jan 2018 01:11:04 +0000 Subject: [PATCH 021/251] [tx-robot] updated from transifex --- apps/files_external/l10n/nb.js | 1 + apps/files_external/l10n/nb.json | 1 + core/l10n/bg.js | 2 +- core/l10n/bg.json | 2 +- core/l10n/ca.js | 2 +- core/l10n/ca.json | 2 +- core/l10n/cs.js | 2 +- core/l10n/cs.json | 2 +- core/l10n/da.js | 2 +- core/l10n/da.json | 2 +- core/l10n/de.js | 2 +- core/l10n/de.json | 2 +- core/l10n/de_DE.js | 2 +- core/l10n/de_DE.json | 2 +- core/l10n/el.js | 2 +- core/l10n/el.json | 2 +- core/l10n/en_GB.js | 2 +- core/l10n/en_GB.json | 2 +- core/l10n/es.js | 3 ++- core/l10n/es.json | 3 ++- core/l10n/es_419.js | 2 +- core/l10n/es_419.json | 2 +- core/l10n/es_AR.js | 2 +- core/l10n/es_AR.json | 2 +- core/l10n/es_CL.js | 2 +- core/l10n/es_CL.json | 2 +- core/l10n/es_CO.js | 2 +- core/l10n/es_CO.json | 2 +- core/l10n/es_CR.js | 2 +- core/l10n/es_CR.json | 2 +- core/l10n/es_DO.js | 2 +- core/l10n/es_DO.json | 2 +- core/l10n/es_EC.js | 2 +- core/l10n/es_EC.json | 2 +- core/l10n/es_GT.js | 2 +- core/l10n/es_GT.json | 2 +- core/l10n/es_HN.js | 2 +- core/l10n/es_HN.json | 2 +- core/l10n/es_MX.js | 2 +- core/l10n/es_MX.json | 2 +- core/l10n/es_NI.js | 2 +- core/l10n/es_NI.json | 2 +- core/l10n/es_PA.js | 2 +- core/l10n/es_PA.json | 2 +- core/l10n/es_PE.js | 2 +- core/l10n/es_PE.json | 2 +- core/l10n/es_PR.js | 2 +- core/l10n/es_PR.json | 2 +- core/l10n/es_PY.js | 2 +- core/l10n/es_PY.json | 2 +- core/l10n/es_SV.js | 2 +- core/l10n/es_SV.json | 2 +- core/l10n/es_UY.js | 2 +- core/l10n/es_UY.json | 2 +- core/l10n/et_EE.js | 2 +- core/l10n/et_EE.json | 2 +- core/l10n/eu.js | 2 +- core/l10n/eu.json | 2 +- core/l10n/fa.js | 2 +- core/l10n/fa.json | 2 +- core/l10n/fi.js | 2 +- core/l10n/fi.json | 2 +- core/l10n/fr.js | 4 +++- core/l10n/fr.json | 4 +++- core/l10n/hu.js | 2 +- core/l10n/hu.json | 2 +- core/l10n/id.js | 2 +- core/l10n/id.json | 2 +- core/l10n/is.js | 2 +- core/l10n/is.json | 2 +- core/l10n/it.js | 2 +- core/l10n/it.json | 2 +- core/l10n/ja.js | 2 +- core/l10n/ja.json | 2 +- core/l10n/ka_GE.js | 2 +- core/l10n/ka_GE.json | 2 +- core/l10n/ko.js | 2 +- core/l10n/ko.json | 2 +- core/l10n/lt_LT.js | 2 +- core/l10n/lt_LT.json | 2 +- core/l10n/lv.js | 2 +- core/l10n/lv.json | 2 +- core/l10n/nb.js | 14 +++++++++++++- core/l10n/nb.json | 14 +++++++++++++- core/l10n/nl.js | 2 +- core/l10n/nl.json | 2 +- core/l10n/pl.js | 2 +- core/l10n/pl.json | 2 +- core/l10n/pt_BR.js | 2 +- core/l10n/pt_BR.json | 2 +- core/l10n/pt_PT.js | 2 +- core/l10n/pt_PT.json | 2 +- core/l10n/ro.js | 2 +- core/l10n/ro.json | 2 +- core/l10n/ru.js | 2 +- core/l10n/ru.json | 2 +- core/l10n/sk.js | 2 +- core/l10n/sk.json | 2 +- core/l10n/sl.js | 2 +- core/l10n/sl.json | 2 +- core/l10n/sq.js | 2 +- core/l10n/sq.json | 2 +- core/l10n/sr.js | 2 +- core/l10n/sr.json | 2 +- core/l10n/sv.js | 2 +- core/l10n/sv.json | 2 +- core/l10n/tr.js | 2 +- core/l10n/tr.json | 2 +- core/l10n/uk.js | 2 +- core/l10n/uk.json | 2 +- core/l10n/vi.js | 2 +- core/l10n/vi.json | 2 +- core/l10n/zh_CN.js | 2 +- core/l10n/zh_CN.json | 2 +- core/l10n/zh_TW.js | 2 +- core/l10n/zh_TW.json | 2 +- lib/l10n/es_419.js | 2 +- lib/l10n/es_419.json | 2 +- lib/l10n/es_AR.js | 1 + lib/l10n/es_AR.json | 1 + lib/l10n/es_CL.js | 2 +- lib/l10n/es_CL.json | 2 +- lib/l10n/es_CO.js | 2 +- lib/l10n/es_CO.json | 2 +- lib/l10n/es_CR.js | 2 +- lib/l10n/es_CR.json | 2 +- lib/l10n/es_DO.js | 2 +- lib/l10n/es_DO.json | 2 +- lib/l10n/es_EC.js | 2 +- lib/l10n/es_EC.json | 2 +- lib/l10n/es_GT.js | 2 +- lib/l10n/es_GT.json | 2 +- lib/l10n/es_HN.js | 2 +- lib/l10n/es_HN.json | 2 +- lib/l10n/es_NI.js | 2 +- lib/l10n/es_NI.json | 2 +- lib/l10n/es_PA.js | 2 +- lib/l10n/es_PA.json | 2 +- lib/l10n/es_PE.js | 2 +- lib/l10n/es_PE.json | 2 +- lib/l10n/es_PR.js | 2 +- lib/l10n/es_PR.json | 2 +- lib/l10n/es_PY.js | 2 +- lib/l10n/es_PY.json | 2 +- lib/l10n/es_SV.js | 2 +- lib/l10n/es_SV.json | 2 +- lib/l10n/es_UY.js | 2 +- lib/l10n/es_UY.json | 2 +- 148 files changed, 178 insertions(+), 144 deletions(-) diff --git a/apps/files_external/l10n/nb.js b/apps/files_external/l10n/nb.js index a96f89e83190e..5e6cc04a85565 100644 --- a/apps/files_external/l10n/nb.js +++ b/apps/files_external/l10n/nb.js @@ -75,6 +75,7 @@ OC.L10N.register( "Region" : "Området", "Enable SSL" : "Aktiver SSL", "Enable Path Style" : "Aktiver Path Style", + "Legacy (v2) authentication" : "Foreldet (v2-) autentisering", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Ekstern undermappe", diff --git a/apps/files_external/l10n/nb.json b/apps/files_external/l10n/nb.json index 3cf8c0d42b156..64df466979390 100644 --- a/apps/files_external/l10n/nb.json +++ b/apps/files_external/l10n/nb.json @@ -73,6 +73,7 @@ "Region" : "Området", "Enable SSL" : "Aktiver SSL", "Enable Path Style" : "Aktiver Path Style", + "Legacy (v2) authentication" : "Foreldet (v2-) autentisering", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Ekstern undermappe", diff --git a/core/l10n/bg.js b/core/l10n/bg.js index 78d5cc84e4f82..8dcd596b798ba 100644 --- a/core/l10n/bg.js +++ b/core/l10n/bg.js @@ -41,7 +41,6 @@ OC.L10N.register( "Reset log level" : "Възстанови ниво на лог", "Starting code integrity check" : "Стартиране на проверка за цялостта на кода", "Finished code integrity check" : "Приключена проверка за цялостта на кода", - "%s (3rdparty)" : "%s (3-ти лица)", "%s (incompatible)" : "%s (несъвместим)", "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", "Already up to date" : "Вече е актуална", @@ -228,6 +227,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", "Thank you for your patience." : "Благодарим за търпението.", + "%s (3rdparty)" : "%s (3-ти лица)", "Problem loading page, reloading in 5 seconds" : "Проблем при зареждане на страницата, презареждане след 5 секунди", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Файловете Ви са криптирани. Ако не сте настроили ключ за възстановяване, няма да можете да възстановите данните си след смяна на паролата.
Ако не сте сигурни какво да направите, моля, свържете се с Вашия администратор преди да продължите.
Наистина ли желаете да продължите?", "Ok" : "Добре", diff --git a/core/l10n/bg.json b/core/l10n/bg.json index 81414f57ed2f4..3a9482603d3ea 100644 --- a/core/l10n/bg.json +++ b/core/l10n/bg.json @@ -39,7 +39,6 @@ "Reset log level" : "Възстанови ниво на лог", "Starting code integrity check" : "Стартиране на проверка за цялостта на кода", "Finished code integrity check" : "Приключена проверка за цялостта на кода", - "%s (3rdparty)" : "%s (3-ти лица)", "%s (incompatible)" : "%s (несъвместим)", "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", "Already up to date" : "Вече е актуална", @@ -226,6 +225,7 @@ "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", "Thank you for your patience." : "Благодарим за търпението.", + "%s (3rdparty)" : "%s (3-ти лица)", "Problem loading page, reloading in 5 seconds" : "Проблем при зареждане на страницата, презареждане след 5 секунди", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Файловете Ви са криптирани. Ако не сте настроили ключ за възстановяване, няма да можете да възстановите данните си след смяна на паролата.
Ако не сте сигурни какво да направите, моля, свържете се с Вашия администратор преди да продължите.
Наистина ли желаете да продължите?", "Ok" : "Добре", diff --git a/core/l10n/ca.js b/core/l10n/ca.js index 8024cc213d125..d4d036f9b4a30 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Reinicia el nivell de registre", "Starting code integrity check" : "Inicia el test d'integrigtat del codi", "Finished code integrity check" : "Finalitzat el test d'integritat del codi", - "%s (3rdparty)" : "%s (de tercers)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Les aplicacions següents s'han deshabilitat: %s", "Already up to date" : "Ja actualitzat", @@ -289,6 +288,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Aquesta pàgina s'actualitzarà automàticament quan la instància %s estigui disponible de nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacteu amb l'administrador del sistema si aquest missatge persisteix o apareix inesperadament.", "Thank you for your patience." : "Gràcies per la paciència.", + "%s (3rdparty)" : "%s (de tercers)", "Problem loading page, reloading in 5 seconds" : "Problemes carregant la pagina, recarregant en 5 segons", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Els vostres fitxers estan encriptats. Si no heu habilitat la clau de recuperació no hi haurà manera de recuperar les dades després que reestabliu la contrasenya.
Si sabeu què fer, contacteu amb l'administrador abans de continuar.
Voleu continuar?", "Ok" : "D'acord", diff --git a/core/l10n/ca.json b/core/l10n/ca.json index 1173d9ac41b6c..fb7fde6718744 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -48,7 +48,6 @@ "Reset log level" : "Reinicia el nivell de registre", "Starting code integrity check" : "Inicia el test d'integrigtat del codi", "Finished code integrity check" : "Finalitzat el test d'integritat del codi", - "%s (3rdparty)" : "%s (de tercers)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Les aplicacions següents s'han deshabilitat: %s", "Already up to date" : "Ja actualitzat", @@ -287,6 +286,7 @@ "This page will refresh itself when the %s instance is available again." : "Aquesta pàgina s'actualitzarà automàticament quan la instància %s estigui disponible de nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacteu amb l'administrador del sistema si aquest missatge persisteix o apareix inesperadament.", "Thank you for your patience." : "Gràcies per la paciència.", + "%s (3rdparty)" : "%s (de tercers)", "Problem loading page, reloading in 5 seconds" : "Problemes carregant la pagina, recarregant en 5 segons", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Els vostres fitxers estan encriptats. Si no heu habilitat la clau de recuperació no hi haurà manera de recuperar les dades després que reestabliu la contrasenya.
Si sabeu què fer, contacteu amb l'administrador abans de continuar.
Voleu continuar?", "Ok" : "D'acord", diff --git a/core/l10n/cs.js b/core/l10n/cs.js index 043a4e425e6aa..2e0873a71345f 100644 --- a/core/l10n/cs.js +++ b/core/l10n/cs.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Resetovat úroveň logování", "Starting code integrity check" : "Spouští se kontrola integrity kódu", "Finished code integrity check" : "Kontrola integrity kódu dokončena", - "%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í", @@ -293,6 +292,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Tato stránka se automaticky načte poté, co bude opět dostupná instance %s.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správce systému, pokud se tato zpráva objevuje opakovaně nebo nečekaně.", "Thank you for your patience." : "Děkujeme za vaši trpělivost.", + "%s (3rdparty)" : "%s (3. strana)", "Problem loading page, reloading in 5 seconds" : "Problém s načítáním stránky, stránka se obnoví za 5 sekund", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vaše soubory jsou šifrovány. Pokud jste nepovolili klíč pro obnovení, neexistuje způsob jak získat po změně hesla vaše data zpět.
Pokud si nejste jisti co dělat, kontaktujte nejprve svého správce systému, než budete pokračovat.
Opravdu si přejete pokračovat?", "Ok" : "Ok", diff --git a/core/l10n/cs.json b/core/l10n/cs.json index 7adf6c4a5acf8..9f979550b1885 100644 --- a/core/l10n/cs.json +++ b/core/l10n/cs.json @@ -48,7 +48,6 @@ "Reset log level" : "Resetovat úroveň logování", "Starting code integrity check" : "Spouští se kontrola integrity kódu", "Finished code integrity check" : "Kontrola integrity kódu dokončena", - "%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í", @@ -291,6 +290,7 @@ "This page will refresh itself when the %s instance is available again." : "Tato stránka se automaticky načte poté, co bude opět dostupná instance %s.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správce systému, pokud se tato zpráva objevuje opakovaně nebo nečekaně.", "Thank you for your patience." : "Děkujeme za vaši trpělivost.", + "%s (3rdparty)" : "%s (3. strana)", "Problem loading page, reloading in 5 seconds" : "Problém s načítáním stránky, stránka se obnoví za 5 sekund", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vaše soubory jsou šifrovány. Pokud jste nepovolili klíč pro obnovení, neexistuje způsob jak získat po změně hesla vaše data zpět.
Pokud si nejste jisti co dělat, kontaktujte nejprve svého správce systému, než budete pokračovat.
Opravdu si přejete pokračovat?", "Ok" : "Ok", diff --git a/core/l10n/da.js b/core/l10n/da.js index 455d991fd1532..285a5aa13f342 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Nulstil logningsniveau", "Starting code integrity check" : "Begynder tjek af kodeintegritet", "Finished code integrity check" : "Fuldførte tjek af kodeintegritet", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (inkombatible)", "Following apps have been disabled: %s" : "Følgende apps er blevet deaktiveret: %s", "Already up to date" : "Allerede opdateret", @@ -297,6 +296,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Denne side vil genopfriske sig selv, når %s-instancen er tilgængelig igen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren, hvis denne meddelelse fortsætter eller optrådte uventet.", "Thank you for your patience." : "Tak for din tålmodighed.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Problem med indlæsning af side, genindlæser om 5 sekunder", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dine filer er krypterede. Hvis du ikke har aktiveret gendannelsesnøglen kan du ikke få dine data tilbage efter at du har ændret adgangskode.
Hvis du ikke er sikker på, hvad du skal gøre så kontakt din administrator før du fortsætter.
Vil du fortsætte?", "Ok" : "OK", diff --git a/core/l10n/da.json b/core/l10n/da.json index c0bd92220dcd6..ff46d6061c607 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -48,7 +48,6 @@ "Reset log level" : "Nulstil logningsniveau", "Starting code integrity check" : "Begynder tjek af kodeintegritet", "Finished code integrity check" : "Fuldførte tjek af kodeintegritet", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (inkombatible)", "Following apps have been disabled: %s" : "Følgende apps er blevet deaktiveret: %s", "Already up to date" : "Allerede opdateret", @@ -295,6 +294,7 @@ "This page will refresh itself when the %s instance is available again." : "Denne side vil genopfriske sig selv, når %s-instancen er tilgængelig igen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren, hvis denne meddelelse fortsætter eller optrådte uventet.", "Thank you for your patience." : "Tak for din tålmodighed.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Problem med indlæsning af side, genindlæser om 5 sekunder", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dine filer er krypterede. Hvis du ikke har aktiveret gendannelsesnøglen kan du ikke få dine data tilbage efter at du har ændret adgangskode.
Hvis du ikke er sikker på, hvad du skal gøre så kontakt din administrator før du fortsætter.
Vil du fortsætte?", "Ok" : "OK", diff --git a/core/l10n/de.js b/core/l10n/de.js index 07573d2aaaba2..c37588a6ace0d 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Ursprüngliches Log-Level wiederhergestellt", "Starting code integrity check" : "Code-Integrität wird überprüft", "Finished code integrity check" : "Code-Integritätsprüfung abgeschlossen", - "%s (3rdparty)" : "%s (Drittanbieter)", "%s (incompatible)" : "%s (inkompatibel)", "Following apps have been disabled: %s" : "Die folgenden Apps wurden deaktiviert: %s", "Already up to date" : "Bereits aktuell", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktiere den Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", "Thank you for your patience." : "Vielen Dank für deine Geduld.", + "%s (3rdparty)" : "%s (Drittanbieter)", "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Deine Dateien sind verschlüsselt. Solltest du den Wiederherstellungsschlüssel nicht aktiviert haben, gibt es keine Möglichkeit, deine Daten zurückzuerlangen, nachdem dein Passwort zurückgesetzt wurde.
Falls du dir nicht sicher bist, was zu tun ist, kontaktiere bitte deinen Administrator, bevor du fortfährst
Möchtest du wirklich fortfahren?", "Ok" : "OK", diff --git a/core/l10n/de.json b/core/l10n/de.json index 38eaf2b478c55..fd0560623973b 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -48,7 +48,6 @@ "Reset log level" : "Ursprüngliches Log-Level wiederhergestellt", "Starting code integrity check" : "Code-Integrität wird überprüft", "Finished code integrity check" : "Code-Integritätsprüfung abgeschlossen", - "%s (3rdparty)" : "%s (Drittanbieter)", "%s (incompatible)" : "%s (inkompatibel)", "Following apps have been disabled: %s" : "Die folgenden Apps wurden deaktiviert: %s", "Already up to date" : "Bereits aktuell", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktiere den Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", "Thank you for your patience." : "Vielen Dank für deine Geduld.", + "%s (3rdparty)" : "%s (Drittanbieter)", "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Deine Dateien sind verschlüsselt. Solltest du den Wiederherstellungsschlüssel nicht aktiviert haben, gibt es keine Möglichkeit, deine Daten zurückzuerlangen, nachdem dein Passwort zurückgesetzt wurde.
Falls du dir nicht sicher bist, was zu tun ist, kontaktiere bitte deinen Administrator, bevor du fortfährst
Möchtest du wirklich fortfahren?", "Ok" : "OK", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index dc4908c58f752..dd6449ad55627 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Ursprüngliches Log-Level wiederhergestellt", "Starting code integrity check" : "Code-Integrität wird überprüft", "Finished code integrity check" : "Code-Integritätsprüfung abgeschlossen", - "%s (3rdparty)" : "%s (Drittanbieter)", "%s (incompatible)" : "%s (inkompatibel)", "Following apps have been disabled: %s" : "Die folgenden Apps wurden deaktiviert: %s", "Already up to date" : "Bereits aktuell", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktieren Sie Ihren Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", "Thank you for your patience." : "Vielen Dank für Ihre Geduld.", + "%s (3rdparty)" : "%s (Drittanbieter)", "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keine Möglichkeit geben, um Ihre Daten wieder zu erhalten, nachdem Ihr Passwort zurückgesetzt wurde.
Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren.
Wollen Sie wirklich fortfahren?", "Ok" : "OK", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index 6dc2d76a8fc54..d00cb8b58b314 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -48,7 +48,6 @@ "Reset log level" : "Ursprüngliches Log-Level wiederhergestellt", "Starting code integrity check" : "Code-Integrität wird überprüft", "Finished code integrity check" : "Code-Integritätsprüfung abgeschlossen", - "%s (3rdparty)" : "%s (Drittanbieter)", "%s (incompatible)" : "%s (inkompatibel)", "Following apps have been disabled: %s" : "Die folgenden Apps wurden deaktiviert: %s", "Already up to date" : "Bereits aktuell", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktieren Sie Ihren Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", "Thank you for your patience." : "Vielen Dank für Ihre Geduld.", + "%s (3rdparty)" : "%s (Drittanbieter)", "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keine Möglichkeit geben, um Ihre Daten wieder zu erhalten, nachdem Ihr Passwort zurückgesetzt wurde.
Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren.
Wollen Sie wirklich fortfahren?", "Ok" : "OK", diff --git a/core/l10n/el.js b/core/l10n/el.js index 55c9db6b2697a..f852dcace119d 100644 --- a/core/l10n/el.js +++ b/core/l10n/el.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Επαναφορά επιπέδου ιστορικού", "Starting code integrity check" : "Εκκίνηση ελέγχου ακεραιότητας του κώδικα", "Finished code integrity check" : "Ολοκληρώθηκε ο έλεγχος ακεραιότητας του κώδικα", - "%s (3rdparty)" : "%s (3ων παρόχων)", "%s (incompatible)" : "%s (ασύμβατη)", "Following apps have been disabled: %s" : "Οι ακόλουθες εφαρμογές έχουν απενεργοποιηθεί: %s", "Already up to date" : "Ήδη ενημερωμένο", @@ -287,6 +286,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Αυτή η σελίδα θα ανανεωθεί από μόνη της όταν η %s εγκατάσταση είναι διαθέσιμη ξανά.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Επικοινωνήστε με το διαχειριστή του συστήματος αν αυτό το μήνυμα συνεχίζει να εμφανίζεται ή εμφανίστηκε απρόσμενα.", "Thank you for your patience." : "Σας ευχαριστούμε για την υπομονή σας.", + "%s (3rdparty)" : "%s (3ων παρόχων)", "Problem loading page, reloading in 5 seconds" : "Πρόβλημα φόρτωσης σελίδας, φόρτωση ξανά σε 5 λεπτά", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Τα αρχεία σας είναι κρυπτογραφημένα. Εάν δεν έχετε ενεργοποιήσει το κλειδί επαναφοράς, δεν θα υπάρχει τρόπος να ανακτήσετε τα δεδομένα σας μετά την επαναφορά του συνθηματικού σας.
Εάν δεν είστε σίγουροι για το τι θα θέλατε να κάνετε, παρακαλώ επικοινωνήστε με το διαχειριστή σας πριν συνεχίσετε.
Θέλετε να συνεχίσετε;", "Ok" : "ΟΚ", diff --git a/core/l10n/el.json b/core/l10n/el.json index 466dede6bf1af..a96587e84fed8 100644 --- a/core/l10n/el.json +++ b/core/l10n/el.json @@ -48,7 +48,6 @@ "Reset log level" : "Επαναφορά επιπέδου ιστορικού", "Starting code integrity check" : "Εκκίνηση ελέγχου ακεραιότητας του κώδικα", "Finished code integrity check" : "Ολοκληρώθηκε ο έλεγχος ακεραιότητας του κώδικα", - "%s (3rdparty)" : "%s (3ων παρόχων)", "%s (incompatible)" : "%s (ασύμβατη)", "Following apps have been disabled: %s" : "Οι ακόλουθες εφαρμογές έχουν απενεργοποιηθεί: %s", "Already up to date" : "Ήδη ενημερωμένο", @@ -285,6 +284,7 @@ "This page will refresh itself when the %s instance is available again." : "Αυτή η σελίδα θα ανανεωθεί από μόνη της όταν η %s εγκατάσταση είναι διαθέσιμη ξανά.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Επικοινωνήστε με το διαχειριστή του συστήματος αν αυτό το μήνυμα συνεχίζει να εμφανίζεται ή εμφανίστηκε απρόσμενα.", "Thank you for your patience." : "Σας ευχαριστούμε για την υπομονή σας.", + "%s (3rdparty)" : "%s (3ων παρόχων)", "Problem loading page, reloading in 5 seconds" : "Πρόβλημα φόρτωσης σελίδας, φόρτωση ξανά σε 5 λεπτά", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Τα αρχεία σας είναι κρυπτογραφημένα. Εάν δεν έχετε ενεργοποιήσει το κλειδί επαναφοράς, δεν θα υπάρχει τρόπος να ανακτήσετε τα δεδομένα σας μετά την επαναφορά του συνθηματικού σας.
Εάν δεν είστε σίγουροι για το τι θα θέλατε να κάνετε, παρακαλώ επικοινωνήστε με το διαχειριστή σας πριν συνεχίσετε.
Θέλετε να συνεχίσετε;", "Ok" : "ΟΚ", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index 58e9ddbfbc6be..ea56157601003 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Reset log level", "Starting code integrity check" : "Starting code integrity check", "Finished code integrity check" : "Finished code integrity check", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Following apps have been disabled: %s", "Already up to date" : "Already up to date", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "This page will refresh itself when the %s instance is available again.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contact your system administrator if this message persists or appeared unexpectedly.", "Thank you for your patience." : "Thank you for your patience.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Problem loading page, reloading in 5 seconds", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?", "Ok" : "OK", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index 6c542d356e78c..d709ca0586289 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -48,7 +48,6 @@ "Reset log level" : "Reset log level", "Starting code integrity check" : "Starting code integrity check", "Finished code integrity check" : "Finished code integrity check", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Following apps have been disabled: %s", "Already up to date" : "Already up to date", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "This page will refresh itself when the %s instance is available again.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contact your system administrator if this message persists or appeared unexpectedly.", "Thank you for your patience." : "Thank you for your patience.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Problem loading page, reloading in 5 seconds", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?", "Ok" : "OK", diff --git a/core/l10n/es.js b/core/l10n/es.js index c6498e6641282..6667a0dd91a5b 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer el nivel de registro", "Starting code integrity check" : "Comenzando comprobación de integridad de código", "Finished code integrity check" : "Terminando comprobación de integridad de código", - "%s (3rdparty)" : "%s (tercero)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya actualizado", @@ -277,6 +276,7 @@ OC.L10N.register( "Username or email" : "Nombre de usuario o email", "Log in" : "Iniciar sesión", "Wrong password." : "Contraseña incorrecta.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Hemos detectado múltiples intentos inválidos desde tu IP. Por tanto, tu próximo intento se retrasará 30 segundos.", "Stay logged in" : "Permanecer autenticado", "Forgot password?" : "¿Contraseña olvidada?", "Back to log in" : "Volver al registro", @@ -316,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "La página se refrescará cuando la instalación %s vuelva a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", "Thank you for your patience." : "Gracias por su paciencia.", + "%s (3rdparty)" : "%s (tercero)", "Problem loading page, reloading in 5 seconds" : "Problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están cifrados. Si no ha activado la clave de recuperación, no habrá manera de recuperar los datos una vez su contraseña sea restablecida.
Si no está seguro de lo que debe hacer, por favor contacte con su administrador antes de continuar.
¿Realmente desea continuar?", "Ok" : "Aceptar", diff --git a/core/l10n/es.json b/core/l10n/es.json index 732b6c5b8d69f..a69eac985b01e 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer el nivel de registro", "Starting code integrity check" : "Comenzando comprobación de integridad de código", "Finished code integrity check" : "Terminando comprobación de integridad de código", - "%s (3rdparty)" : "%s (tercero)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya actualizado", @@ -275,6 +274,7 @@ "Username or email" : "Nombre de usuario o email", "Log in" : "Iniciar sesión", "Wrong password." : "Contraseña incorrecta.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Hemos detectado múltiples intentos inválidos desde tu IP. Por tanto, tu próximo intento se retrasará 30 segundos.", "Stay logged in" : "Permanecer autenticado", "Forgot password?" : "¿Contraseña olvidada?", "Back to log in" : "Volver al registro", @@ -314,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "La página se refrescará cuando la instalación %s vuelva a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", "Thank you for your patience." : "Gracias por su paciencia.", + "%s (3rdparty)" : "%s (tercero)", "Problem loading page, reloading in 5 seconds" : "Problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están cifrados. Si no ha activado la clave de recuperación, no habrá manera de recuperar los datos una vez su contraseña sea restablecida.
Si no está seguro de lo que debe hacer, por favor contacte con su administrador antes de continuar.
¿Realmente desea continuar?", "Ok" : "Aceptar", diff --git a/core/l10n/es_419.js b/core/l10n/es_419.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_419.js +++ b/core/l10n/es_419.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_419.json b/core/l10n/es_419.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_419.json +++ b/core/l10n/es_419.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_AR.js b/core/l10n/es_AR.js index 7f1fd78612c8a..db24f1d0573c1 100644 --- a/core/l10n/es_AR.js +++ b/core/l10n/es_AR.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Verificación de integridad del código terminó", - "%s (3rdparty)" : "%s (de3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -281,6 +280,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte a su administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por su paciencia.", + "%s (3rdparty)" : "%s (de3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. Si no ha habilitado la llave de recuperación, no habrá manera de que pueda recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de lo que está haciendo, favor de contactar a su adminstrador antes de continuar.
¿Realmente desea continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json index 61ade5ed941ba..1a1e353d297fe 100644 --- a/core/l10n/es_AR.json +++ b/core/l10n/es_AR.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Verificación de integridad del código terminó", - "%s (3rdparty)" : "%s (de3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -279,6 +278,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte a su administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por su paciencia.", + "%s (3rdparty)" : "%s (de3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. Si no ha habilitado la llave de recuperación, no habrá manera de que pueda recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de lo que está haciendo, favor de contactar a su adminstrador antes de continuar.
¿Realmente desea continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_CL.js b/core/l10n/es_CL.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_CL.js +++ b/core/l10n/es_CL.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_CL.json b/core/l10n/es_CL.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_CL.json +++ b/core/l10n/es_CL.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_CO.js b/core/l10n/es_CO.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_CO.js +++ b/core/l10n/es_CO.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_CO.json b/core/l10n/es_CO.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_CO.json +++ b/core/l10n/es_CO.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_CR.js b/core/l10n/es_CR.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_CR.js +++ b/core/l10n/es_CR.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_CR.json b/core/l10n/es_CR.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_CR.json +++ b/core/l10n/es_CR.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_DO.js b/core/l10n/es_DO.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_DO.js +++ b/core/l10n/es_DO.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_DO.json b/core/l10n/es_DO.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_DO.json +++ b/core/l10n/es_DO.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_EC.js b/core/l10n/es_EC.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_EC.js +++ b/core/l10n/es_EC.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_EC.json b/core/l10n/es_EC.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_EC.json +++ b/core/l10n/es_EC.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_GT.js b/core/l10n/es_GT.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_GT.js +++ b/core/l10n/es_GT.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_GT.json b/core/l10n/es_GT.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_GT.json +++ b/core/l10n/es_GT.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_HN.js b/core/l10n/es_HN.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_HN.js +++ b/core/l10n/es_HN.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_HN.json b/core/l10n/es_HN.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_HN.json +++ b/core/l10n/es_HN.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_MX.js b/core/l10n/es_MX.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_MX.js +++ b/core/l10n/es_MX.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_MX.json b/core/l10n/es_MX.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_MX.json +++ b/core/l10n/es_MX.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_NI.js b/core/l10n/es_NI.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_NI.js +++ b/core/l10n/es_NI.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_NI.json b/core/l10n/es_NI.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_NI.json +++ b/core/l10n/es_NI.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PA.js b/core/l10n/es_PA.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_PA.js +++ b/core/l10n/es_PA.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PA.json b/core/l10n/es_PA.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_PA.json +++ b/core/l10n/es_PA.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PE.js b/core/l10n/es_PE.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_PE.js +++ b/core/l10n/es_PE.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PE.json b/core/l10n/es_PE.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_PE.json +++ b/core/l10n/es_PE.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PR.js b/core/l10n/es_PR.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_PR.js +++ b/core/l10n/es_PR.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PR.json b/core/l10n/es_PR.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_PR.json +++ b/core/l10n/es_PR.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PY.js b/core/l10n/es_PY.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_PY.js +++ b/core/l10n/es_PY.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_PY.json b/core/l10n/es_PY.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_PY.json +++ b/core/l10n/es_PY.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_SV.js b/core/l10n/es_SV.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_SV.js +++ b/core/l10n/es_SV.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_SV.json b/core/l10n/es_SV.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_SV.json +++ b/core/l10n/es_SV.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_UY.js b/core/l10n/es_UY.js index 93e2871d2c2ec..90fe230c60d80 100644 --- a/core/l10n/es_UY.js +++ b/core/l10n/es_UY.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/es_UY.json b/core/l10n/es_UY.json index d6acd263efa5d..5c08874223b23 100644 --- a/core/l10n/es_UY.json +++ b/core/l10n/es_UY.json @@ -48,7 +48,6 @@ "Reset log level" : "Restablecer nivel de bitácora", "Starting code integrity check" : "Comenzando verificación de integridad del código", "Finished code integrity check" : "Terminó la verificación de integridad del código ", - "%s (3rdparty)" : "%s (de 3ros)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", "Already up to date" : "Ya está actualizado", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", "Thank you for your patience." : "Gracias por tu paciencia.", + "%s (3rdparty)" : "%s (de 3ros)", "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", "Ok" : "Ok", diff --git a/core/l10n/et_EE.js b/core/l10n/et_EE.js index fc2ee6e084d72..6de41aa6428b3 100644 --- a/core/l10n/et_EE.js +++ b/core/l10n/et_EE.js @@ -48,7 +48,6 @@ OC.L10N.register( "Reset log level" : "Lähtesta logi tase", "Starting code integrity check" : "Koodi terviklikkuse kontrolli alustamine", "Finished code integrity check" : "Koodi terviklikkuse kontrolli lõpp", - "%s (3rdparty)" : "%s (3nda osapoole arendaja)", "%s (incompatible)" : "%s (pole ühilduv)", "Following apps have been disabled: %s" : "Järgnevad rakendused on välja lülitatud: %s", "Already up to date" : "On juba ajakohane", @@ -288,6 +287,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Se leht laetakse uuesti, kui %s instantsi on uuesti saadaval.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakteeru oma süsteemihalduriga, kui see teade püsib või on tekkinud ootamatult.", "Thank you for your patience." : "Täname kannatlikkuse eest.", + "%s (3rdparty)" : "%s (3nda osapoole arendaja)", "Problem loading page, reloading in 5 seconds" : "Tõrge lehe laadimisel, ümberlaadimine 5 sekundi pärast", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sinu failid on krüpteeritud. Kui sa pole taastamise võtit veel määranud, siis pole präast parooli taastamist mingit võimalust sinu andmeid tagasi saada.
Kui sa pole kindel, mida teha, siis palun väta enne jätkamist ühendust oma administaatoriga.
Oled sa kindel, et sa soovid jätkata?", "Ok" : "Ok", diff --git a/core/l10n/et_EE.json b/core/l10n/et_EE.json index e2e6a6f33875c..de4de4bbaa292 100644 --- a/core/l10n/et_EE.json +++ b/core/l10n/et_EE.json @@ -46,7 +46,6 @@ "Reset log level" : "Lähtesta logi tase", "Starting code integrity check" : "Koodi terviklikkuse kontrolli alustamine", "Finished code integrity check" : "Koodi terviklikkuse kontrolli lõpp", - "%s (3rdparty)" : "%s (3nda osapoole arendaja)", "%s (incompatible)" : "%s (pole ühilduv)", "Following apps have been disabled: %s" : "Järgnevad rakendused on välja lülitatud: %s", "Already up to date" : "On juba ajakohane", @@ -286,6 +285,7 @@ "This page will refresh itself when the %s instance is available again." : "Se leht laetakse uuesti, kui %s instantsi on uuesti saadaval.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakteeru oma süsteemihalduriga, kui see teade püsib või on tekkinud ootamatult.", "Thank you for your patience." : "Täname kannatlikkuse eest.", + "%s (3rdparty)" : "%s (3nda osapoole arendaja)", "Problem loading page, reloading in 5 seconds" : "Tõrge lehe laadimisel, ümberlaadimine 5 sekundi pärast", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sinu failid on krüpteeritud. Kui sa pole taastamise võtit veel määranud, siis pole präast parooli taastamist mingit võimalust sinu andmeid tagasi saada.
Kui sa pole kindel, mida teha, siis palun väta enne jätkamist ühendust oma administaatoriga.
Oled sa kindel, et sa soovid jätkata?", "Ok" : "Ok", diff --git a/core/l10n/eu.js b/core/l10n/eu.js index d4dfee052ae4a..c3accbfe225da 100644 --- a/core/l10n/eu.js +++ b/core/l10n/eu.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Log maila berrezarri", "Starting code integrity check" : "Kodearen integritate egiaztapena hasten", "Finished code integrity check" : "Kodearen integritate egiaztapena bukatuta", - "%s (3rdparty)" : "%s (hirugarrenekoa)", "%s (incompatible)" : "%s (bateraezina)", "Following apps have been disabled: %s" : "Hurrengo aplikazioak desgaitu egin dira: %s", "Already up to date" : "Dagoeneko eguneratuta", @@ -290,6 +289,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Orri honek bere burua eguneratuko du %s instantzia berriz prest dagoenean.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Jarri harremanetan zure sistema administratzailearekin mezu hau irauten badu edo bat-batean agertu bada.", "Thank you for your patience." : "Milesker zure patzientziagatik.", + "%s (3rdparty)" : "%s (hirugarrenekoa)", "Problem loading page, reloading in 5 seconds" : "Arazoa orria kargatzerakoan, 5 segundotan birkargatzen", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo.
Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik.
Ziur zaude aurrera jarraitu nahi duzula?", "Ok" : "Ados", diff --git a/core/l10n/eu.json b/core/l10n/eu.json index b679c5b338606..cd7b932584748 100644 --- a/core/l10n/eu.json +++ b/core/l10n/eu.json @@ -48,7 +48,6 @@ "Reset log level" : "Log maila berrezarri", "Starting code integrity check" : "Kodearen integritate egiaztapena hasten", "Finished code integrity check" : "Kodearen integritate egiaztapena bukatuta", - "%s (3rdparty)" : "%s (hirugarrenekoa)", "%s (incompatible)" : "%s (bateraezina)", "Following apps have been disabled: %s" : "Hurrengo aplikazioak desgaitu egin dira: %s", "Already up to date" : "Dagoeneko eguneratuta", @@ -288,6 +287,7 @@ "This page will refresh itself when the %s instance is available again." : "Orri honek bere burua eguneratuko du %s instantzia berriz prest dagoenean.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Jarri harremanetan zure sistema administratzailearekin mezu hau irauten badu edo bat-batean agertu bada.", "Thank you for your patience." : "Milesker zure patzientziagatik.", + "%s (3rdparty)" : "%s (hirugarrenekoa)", "Problem loading page, reloading in 5 seconds" : "Arazoa orria kargatzerakoan, 5 segundotan birkargatzen", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo.
Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik.
Ziur zaude aurrera jarraitu nahi duzula?", "Ok" : "Ados", diff --git a/core/l10n/fa.js b/core/l10n/fa.js index 7c3155de252ce..e01bfacd6546c 100644 --- a/core/l10n/fa.js +++ b/core/l10n/fa.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Reset log level", "Starting code integrity check" : "Starting code integrity check", "Finished code integrity check" : "Finished code integrity check", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "برنامه های زیر غیر فعال شده اند %s", "Already up to date" : "در حال حاضر بروز است", @@ -269,6 +268,7 @@ OC.L10N.register( "Detailed logs" : "Detailed logs", "Update needed" : "نیاز به روز رسانی دارد", "Thank you for your patience." : "از صبر شما متشکریم", + "%s (3rdparty)" : "%s (3rdparty)", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری شده اند. اگر شما کلید بازیابی را فعال نکرده اید، پس از راه اندازی مجدد رمزعبور هیچ راهی برای بازگشت اطلاعاتتان وجود نخواهد داشت.در صورت عدم اطمینان به انجام کار، لطفا ابتدا با مدیر خود تماس بگیرید. آیا واقعا میخواهید ادامه دهید ؟", "Ok" : "قبول", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "وب سرور شما هنوز به درستی برای هماهنگ سازی فایل تنظیم نشده است WebDAV به نظر می رسد خراب است.", diff --git a/core/l10n/fa.json b/core/l10n/fa.json index 7e14c2a1a2f3f..fa87cb808f478 100644 --- a/core/l10n/fa.json +++ b/core/l10n/fa.json @@ -48,7 +48,6 @@ "Reset log level" : "Reset log level", "Starting code integrity check" : "Starting code integrity check", "Finished code integrity check" : "Finished code integrity check", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "برنامه های زیر غیر فعال شده اند %s", "Already up to date" : "در حال حاضر بروز است", @@ -267,6 +266,7 @@ "Detailed logs" : "Detailed logs", "Update needed" : "نیاز به روز رسانی دارد", "Thank you for your patience." : "از صبر شما متشکریم", + "%s (3rdparty)" : "%s (3rdparty)", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری شده اند. اگر شما کلید بازیابی را فعال نکرده اید، پس از راه اندازی مجدد رمزعبور هیچ راهی برای بازگشت اطلاعاتتان وجود نخواهد داشت.در صورت عدم اطمینان به انجام کار، لطفا ابتدا با مدیر خود تماس بگیرید. آیا واقعا میخواهید ادامه دهید ؟", "Ok" : "قبول", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "وب سرور شما هنوز به درستی برای هماهنگ سازی فایل تنظیم نشده است WebDAV به نظر می رسد خراب است.", diff --git a/core/l10n/fi.js b/core/l10n/fi.js index 3e25a12d36bdf..763b39182909f 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -49,7 +49,6 @@ OC.L10N.register( "Reset log level" : "Nollattu lokitaso", "Starting code integrity check" : "Aloitetaan koodin eheystarkistus", "Finished code integrity check" : "Koodin eheystarkistus suoritettu", - "%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", @@ -290,6 +289,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Tämä sivu päivittää itsensä, kun %s on jälleen käytettävissä.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", + "%s (3rdparty)" : "%s (kolmannen osapuolen)", "Problem loading page, reloading in 5 seconds" : "Ongelma sivun lataamisessa, päivitetään 5 sekunnin kuluttua", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tiedostosi on salattu. Jos et ole ottanut käyttöön palautusavainta, tietojasi ei ole mahdollista palauttaa salasanan nollaamisen jälkeen.
Jos et ole varma mitä tehdä, ota yhteys ylläpitäjään.
Haluatko varmasti jatkaa?", "Ok" : "Ok", diff --git a/core/l10n/fi.json b/core/l10n/fi.json index 7da9715ab0bdf..f719fb600b92f 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -47,7 +47,6 @@ "Reset log level" : "Nollattu lokitaso", "Starting code integrity check" : "Aloitetaan koodin eheystarkistus", "Finished code integrity check" : "Koodin eheystarkistus suoritettu", - "%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", @@ -288,6 +287,7 @@ "This page will refresh itself when the %s instance is available again." : "Tämä sivu päivittää itsensä, kun %s on jälleen käytettävissä.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", + "%s (3rdparty)" : "%s (kolmannen osapuolen)", "Problem loading page, reloading in 5 seconds" : "Ongelma sivun lataamisessa, päivitetään 5 sekunnin kuluttua", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tiedostosi on salattu. Jos et ole ottanut käyttöön palautusavainta, tietojasi ei ole mahdollista palauttaa salasanan nollaamisen jälkeen.
Jos et ole varma mitä tehdä, ota yhteys ylläpitäjään.
Haluatko varmasti jatkaa?", "Ok" : "Ok", diff --git a/core/l10n/fr.js b/core/l10n/fr.js index c840f17ffd875..167d65781e5a2 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Réinitialisation du niveau de journalisation", "Starting code integrity check" : "Lancement de la vérification d'intégrité du code", "Finished code integrity check" : "Fin de la vérification d’intégrité du code", - "%s (3rdparty)" : "%s (origine tierce)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Les applications suivantes ont été désactivées : %s", "Already up to date" : "Déjà à jour", @@ -122,6 +121,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Vous trouverez plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Rescanner…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution en bloquant votre installation. Nous vous recommandons vivement d'activer cette fonction.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Votre PHP ne prend pas en charge FreeType, provoquant la casse des images de profil et de l'interface des paramètres.", "Error occurred while checking server setup" : "Une erreur s'est produite lors de la vérification de la configuration du serveur", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\". Ceci constitue un risque potentiel relatif à la sécurité et à la vie privée étant donné qu'il est recommandé d'ajuster ce paramètre.", @@ -276,6 +276,7 @@ OC.L10N.register( "Username or email" : "Nom d'utilisateur ou adresse de courriel", "Log in" : "Se connecter", "Wrong password." : "Mot de passe incorrect.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Nous avons détecté plusieurs tentatives de connexion invalide depuis votre adresse IP. C'est pourquoi votre prochaine connexion sera retardée de 30 secondes.", "Stay logged in" : "Rester connecté", "Forgot password?" : "Mot de passe oublié ?", "Back to log in" : "Retour à la page de connexion", @@ -315,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Cette page se rafraîchira d'elle-même lorsque l'instance %s sera à nouveau disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Veuillez contacter votre administrateur système si ce message persiste ou apparaît de façon inattendue.", "Thank you for your patience." : "Merci de votre patience.", + "%s (3rdparty)" : "%s (origine tierce)", "Problem loading page, reloading in 5 seconds" : "Problème de chargement de la page, actualisation dans 5 secondes", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vos fichiers sont chiffrés. Si vous n'avez pas activé la clé de récupération, il n'y aura aucun moyen de récupérer vos données une fois le mot de passe réinitialisé.
Si vous n'êtes pas sûr de ce que vous faites, veuillez contacter votre administrateur avant de continuer.
Voulez-vous vraiment continuer ?", "Ok" : "Ok", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index 00b91b4d82063..4ab798721b943 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -48,7 +48,6 @@ "Reset log level" : "Réinitialisation du niveau de journalisation", "Starting code integrity check" : "Lancement de la vérification d'intégrité du code", "Finished code integrity check" : "Fin de la vérification d’intégrité du code", - "%s (3rdparty)" : "%s (origine tierce)", "%s (incompatible)" : "%s (incompatible)", "Following apps have been disabled: %s" : "Les applications suivantes ont été désactivées : %s", "Already up to date" : "Déjà à jour", @@ -120,6 +119,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Vous trouverez plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Rescanner…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution en bloquant votre installation. Nous vous recommandons vivement d'activer cette fonction.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Votre PHP ne prend pas en charge FreeType, provoquant la casse des images de profil et de l'interface des paramètres.", "Error occurred while checking server setup" : "Une erreur s'est produite lors de la vérification de la configuration du serveur", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\". Ceci constitue un risque potentiel relatif à la sécurité et à la vie privée étant donné qu'il est recommandé d'ajuster ce paramètre.", @@ -274,6 +274,7 @@ "Username or email" : "Nom d'utilisateur ou adresse de courriel", "Log in" : "Se connecter", "Wrong password." : "Mot de passe incorrect.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Nous avons détecté plusieurs tentatives de connexion invalide depuis votre adresse IP. C'est pourquoi votre prochaine connexion sera retardée de 30 secondes.", "Stay logged in" : "Rester connecté", "Forgot password?" : "Mot de passe oublié ?", "Back to log in" : "Retour à la page de connexion", @@ -313,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Cette page se rafraîchira d'elle-même lorsque l'instance %s sera à nouveau disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Veuillez contacter votre administrateur système si ce message persiste ou apparaît de façon inattendue.", "Thank you for your patience." : "Merci de votre patience.", + "%s (3rdparty)" : "%s (origine tierce)", "Problem loading page, reloading in 5 seconds" : "Problème de chargement de la page, actualisation dans 5 secondes", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vos fichiers sont chiffrés. Si vous n'avez pas activé la clé de récupération, il n'y aura aucun moyen de récupérer vos données une fois le mot de passe réinitialisé.
Si vous n'êtes pas sûr de ce que vous faites, veuillez contacter votre administrateur avant de continuer.
Voulez-vous vraiment continuer ?", "Ok" : "Ok", diff --git a/core/l10n/hu.js b/core/l10n/hu.js index 8ff16a20d5e9c..358089010e3ec 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Naplózási szint visszaállítása", "Starting code integrity check" : "Kódintegritás ellenőrzés elindítása", "Finished code integrity check" : "Kódintegritás ellenőrzés befejezve!", - "%s (3rdparty)" : "%s (harmadik fél által)", "%s (incompatible)" : "%s (nem kompatibilis)", "Following apps have been disabled: %s" : "A következő alkalmazások le lettek tiltva: %s", "Already up to date" : "Már a legfrissebb változat", @@ -316,6 +315,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Ez az oldal frissíteni fogja magát amint a(z) %s példány ismét elérhető.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ha ez az üzenet ismételten vagy indokolatlanul megjelenik, akkor keresse fel a rendszergazdáját!", "Thank you for your patience." : "Köszönjük a türelmét!", + "%s (3rdparty)" : "%s (harmadik fél által)", "Problem loading page, reloading in 5 seconds" : "Probléma adódott az oldal betöltése közben, újratöltés 5 másodpercen belül", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Az Ön fájljai titkosítva vannak. Ha nem engedélyezte korábban az adatok visszanyeréséhez szükséges kulcs használatát, akkor a jelszó megváltoztatását követően nem fog hozzáférni az adataihoz. Ha nem biztos abban, hogy mit kellene tennie, akkor kérdezze meg a rendszergazdát, mielőtt továbbmenne.
Biztos, hogy folytatni kívánja?", "Ok" : "Ok", diff --git a/core/l10n/hu.json b/core/l10n/hu.json index 2db6b928b7c2e..3cb81e0364326 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -48,7 +48,6 @@ "Reset log level" : "Naplózási szint visszaállítása", "Starting code integrity check" : "Kódintegritás ellenőrzés elindítása", "Finished code integrity check" : "Kódintegritás ellenőrzés befejezve!", - "%s (3rdparty)" : "%s (harmadik fél által)", "%s (incompatible)" : "%s (nem kompatibilis)", "Following apps have been disabled: %s" : "A következő alkalmazások le lettek tiltva: %s", "Already up to date" : "Már a legfrissebb változat", @@ -314,6 +313,7 @@ "This page will refresh itself when the %s instance is available again." : "Ez az oldal frissíteni fogja magát amint a(z) %s példány ismét elérhető.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ha ez az üzenet ismételten vagy indokolatlanul megjelenik, akkor keresse fel a rendszergazdáját!", "Thank you for your patience." : "Köszönjük a türelmét!", + "%s (3rdparty)" : "%s (harmadik fél által)", "Problem loading page, reloading in 5 seconds" : "Probléma adódott az oldal betöltése közben, újratöltés 5 másodpercen belül", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Az Ön fájljai titkosítva vannak. Ha nem engedélyezte korábban az adatok visszanyeréséhez szükséges kulcs használatát, akkor a jelszó megváltoztatását követően nem fog hozzáférni az adataihoz. Ha nem biztos abban, hogy mit kellene tennie, akkor kérdezze meg a rendszergazdát, mielőtt továbbmenne.
Biztos, hogy folytatni kívánja?", "Ok" : "Ok", diff --git a/core/l10n/id.js b/core/l10n/id.js index e5e9f59ca6248..942d9c486ff47 100644 --- a/core/l10n/id.js +++ b/core/l10n/id.js @@ -41,7 +41,6 @@ OC.L10N.register( "Reset log level" : "Atur ulang log level", "Starting code integrity check" : "Memulai pengecekan integritas kode", "Finished code integrity check" : "Pengecekan integritas kode selesai", - "%s (3rdparty)" : "%s (pihak ke-3)", "%s (incompatible)" : "%s (tidak kompatibel)", "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", "Already up to date" : "Sudah yang terbaru", @@ -232,6 +231,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Halaman ini akan disegarkan dengan sendiri saat instansi %s tersebut tersedia kembali.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hubungi administrator sistem anda jika pesan ini terus muncul atau muncul tiba-tiba.", "Thank you for your patience." : "Terima kasih atas kesabaran anda.", + "%s (3rdparty)" : "%s (pihak ke-3)", "Problem loading page, reloading in 5 seconds" : "Terjadi masalah dalam memuat laman, mencoba lagi dalam 5 detik", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", "Ok" : "Oke", diff --git a/core/l10n/id.json b/core/l10n/id.json index bc2e45f392290..d4ebc26d05eb2 100644 --- a/core/l10n/id.json +++ b/core/l10n/id.json @@ -39,7 +39,6 @@ "Reset log level" : "Atur ulang log level", "Starting code integrity check" : "Memulai pengecekan integritas kode", "Finished code integrity check" : "Pengecekan integritas kode selesai", - "%s (3rdparty)" : "%s (pihak ke-3)", "%s (incompatible)" : "%s (tidak kompatibel)", "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", "Already up to date" : "Sudah yang terbaru", @@ -230,6 +229,7 @@ "This page will refresh itself when the %s instance is available again." : "Halaman ini akan disegarkan dengan sendiri saat instansi %s tersebut tersedia kembali.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hubungi administrator sistem anda jika pesan ini terus muncul atau muncul tiba-tiba.", "Thank you for your patience." : "Terima kasih atas kesabaran anda.", + "%s (3rdparty)" : "%s (pihak ke-3)", "Problem loading page, reloading in 5 seconds" : "Terjadi masalah dalam memuat laman, mencoba lagi dalam 5 detik", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", "Ok" : "Oke", diff --git a/core/l10n/is.js b/core/l10n/is.js index 333dbff6eb560..4b15e2e8f6e7c 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Frumstilla annálsstig", "Starting code integrity check" : "Ræsi athugun á áreiðanleika kóða", "Finished code integrity check" : "Lauk athugun á áreiðanleika kóða", - "%s (3rdparty)" : "%s (frá 3. aðila)", "%s (incompatible)" : "%s (ósamhæft)", "Following apps have been disabled: %s" : "Eftirfarandi forrit hafa verið gerð óvirk: %s", "Already up to date" : "Allt uppfært nú þegar", @@ -297,6 +296,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Þessi síða mun uppfæra sig þegar %s er í boði á ný.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hafðu samband við kerfisstjóra ef þessi skilaboð eru viðvarandi eða birtust óvænt.", "Thank you for your patience." : "Þakka þér fyrir biðlundina.", + "%s (3rdparty)" : "%s (frá 3. aðila)", "Problem loading page, reloading in 5 seconds" : "Vandamál við að hlaða inn síðu, endurhleð eftir 5 sekúndur", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Skrárnar þínar eru dulritaðar. Ef þú hefur ekki virkjað endurheimtingarlykilinn, þá verður engin leið til að fá gögnin þín til baka eftir lykilorðið þitt er endurstillt.
Ef þú ert ekki viss hvað eigi að gera, skaltu hafa samband við kerfisstjórann áður en þú heldur áfram.
Viltu halda áfram?", "Ok" : "Í lagi", diff --git a/core/l10n/is.json b/core/l10n/is.json index 2c9595439b91b..1e19e51b81b6e 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -48,7 +48,6 @@ "Reset log level" : "Frumstilla annálsstig", "Starting code integrity check" : "Ræsi athugun á áreiðanleika kóða", "Finished code integrity check" : "Lauk athugun á áreiðanleika kóða", - "%s (3rdparty)" : "%s (frá 3. aðila)", "%s (incompatible)" : "%s (ósamhæft)", "Following apps have been disabled: %s" : "Eftirfarandi forrit hafa verið gerð óvirk: %s", "Already up to date" : "Allt uppfært nú þegar", @@ -295,6 +294,7 @@ "This page will refresh itself when the %s instance is available again." : "Þessi síða mun uppfæra sig þegar %s er í boði á ný.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hafðu samband við kerfisstjóra ef þessi skilaboð eru viðvarandi eða birtust óvænt.", "Thank you for your patience." : "Þakka þér fyrir biðlundina.", + "%s (3rdparty)" : "%s (frá 3. aðila)", "Problem loading page, reloading in 5 seconds" : "Vandamál við að hlaða inn síðu, endurhleð eftir 5 sekúndur", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Skrárnar þínar eru dulritaðar. Ef þú hefur ekki virkjað endurheimtingarlykilinn, þá verður engin leið til að fá gögnin þín til baka eftir lykilorðið þitt er endurstillt.
Ef þú ert ekki viss hvað eigi að gera, skaltu hafa samband við kerfisstjórann áður en þú heldur áfram.
Viltu halda áfram?", "Ok" : "Í lagi", diff --git a/core/l10n/it.js b/core/l10n/it.js index 72ee0826b46d3..7875e40504b1b 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Ripristina il livello del log", "Starting code integrity check" : "Avvio del controllo di integrità del codice", "Finished code integrity check" : "Controllo di integrità del codice terminato", - "%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", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Questa pagina si aggiornerà quando l'istanza di %s sarà nuovamente disponibile.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contatta il tuo amministratore di sistema se questo messaggio persiste o appare inaspettatamente.", "Thank you for your patience." : "Grazie per la pazienza.", + "%s (3rdparty)" : "%s (terze parti)", "Problem loading page, reloading in 5 seconds" : "Problema durante il caricamento della pagina, aggiornamento tra 5 secondi", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "I tuoi file sono cifrati. Se non hai precedentemente abilitato la chiave di ripristino, non sarà più possibile ritrovare i tuoi dati una volta che la password sarà reimpostata.
Se non sei sicuro, contatta l'amministratore prima di proseguire.
Vuoi davvero continuare?", "Ok" : "Ok", diff --git a/core/l10n/it.json b/core/l10n/it.json index bed416428232c..2002e12bb7e6f 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -48,7 +48,6 @@ "Reset log level" : "Ripristina il livello del log", "Starting code integrity check" : "Avvio del controllo di integrità del codice", "Finished code integrity check" : "Controllo di integrità del codice terminato", - "%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", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Questa pagina si aggiornerà quando l'istanza di %s sarà nuovamente disponibile.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contatta il tuo amministratore di sistema se questo messaggio persiste o appare inaspettatamente.", "Thank you for your patience." : "Grazie per la pazienza.", + "%s (3rdparty)" : "%s (terze parti)", "Problem loading page, reloading in 5 seconds" : "Problema durante il caricamento della pagina, aggiornamento tra 5 secondi", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "I tuoi file sono cifrati. Se non hai precedentemente abilitato la chiave di ripristino, non sarà più possibile ritrovare i tuoi dati una volta che la password sarà reimpostata.
Se non sei sicuro, contatta l'amministratore prima di proseguire.
Vuoi davvero continuare?", "Ok" : "Ok", diff --git a/core/l10n/ja.js b/core/l10n/ja.js index 74bc2a53808e9..4a92eaf07c23b 100644 --- a/core/l10n/ja.js +++ b/core/l10n/ja.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "ログレベルをリセット", "Starting code integrity check" : "コード整合性の確認を開始", "Finished code integrity check" : "コード整合性の確認が終了", - "%s (3rdparty)" : "%s (サードパーティー)", "%s (incompatible)" : "%s (非互換)", "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", "Already up to date" : "すべて更新済", @@ -286,6 +285,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "この画面は、サーバー %s の再起動後に自動的に更新されます。", "Contact your system administrator if this message persists or appeared unexpectedly." : "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に問い合わせてください。", "Thank you for your patience." : "しばらくお待ちください。", + "%s (3rdparty)" : "%s (サードパーティー)", "Problem loading page, reloading in 5 seconds" : "ページ読込に問題がありました。5秒後に再読込します", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。リカバリーキーが有効でない場合は、パスワードをリセットした後にあなたのデータを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", "Ok" : "OK", diff --git a/core/l10n/ja.json b/core/l10n/ja.json index 057fbbdc14353..4e09f6c72aa8a 100644 --- a/core/l10n/ja.json +++ b/core/l10n/ja.json @@ -48,7 +48,6 @@ "Reset log level" : "ログレベルをリセット", "Starting code integrity check" : "コード整合性の確認を開始", "Finished code integrity check" : "コード整合性の確認が終了", - "%s (3rdparty)" : "%s (サードパーティー)", "%s (incompatible)" : "%s (非互換)", "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", "Already up to date" : "すべて更新済", @@ -284,6 +283,7 @@ "This page will refresh itself when the %s instance is available again." : "この画面は、サーバー %s の再起動後に自動的に更新されます。", "Contact your system administrator if this message persists or appeared unexpectedly." : "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に問い合わせてください。", "Thank you for your patience." : "しばらくお待ちください。", + "%s (3rdparty)" : "%s (サードパーティー)", "Problem loading page, reloading in 5 seconds" : "ページ読込に問題がありました。5秒後に再読込します", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。リカバリーキーが有効でない場合は、パスワードをリセットした後にあなたのデータを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", "Ok" : "OK", diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index 984be98ce02e4..80000fc1948d9 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "ლოგის დონის დაყენება საწყის პარამეტრზე", "Starting code integrity check" : "კოდის ერთიანობის შემოწმების დაწყება", "Finished code integrity check" : "დასრულდა კოდის ერთიანობის შემოწმება", - "%s (3rdparty)" : "%s (მესამე მხარე)", "%s (incompatible)" : "%s (არაა თავსებადი)", "Following apps have been disabled: %s" : "შემდეგი აპლიკაციები გაითიშა: %s", "Already up to date" : "უკვე განახლებულია", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "გვერდი ავტომატურად განახლდება, როდესაც %s ინსტანცია იქნება ხელმისაწვდომელი.", "Contact your system administrator if this message persists or appeared unexpectedly." : "თუ ეს წერილი გამოჩნდა მოულოდნელად ან მისი გამოჩენა გრძელდება, დაუკავშირდით სისტემის ადმინისტრატორს.", "Thank you for your patience." : "მადლობთ მოთმინებისთვის.", + "%s (3rdparty)" : "%s (მესამე მხარე)", "Problem loading page, reloading in 5 seconds" : "პრობლემა გვერდის ჩატვირთვისას, ახლიდან ჩაიტვირთება 5 წამში", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ფაილები კოდირებულია. თუ არ ჩაგირთავთ აღდგენის გასაღები, არ იქნება არანაირი გზა აღადგინოთ თვენი მონაცემები პაროლის ცვლილების შემდეგ.
თუ არ იცით რა გააკეთოთ, გაგრძელებამდე მიმართეთ თქვენს ადმინისტრატორს.
დარწმუნებული ხართ რომ გსურთ გაგრძელება?", "Ok" : "დიახ", diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index c3b05aa93d635..23815b1865db0 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -48,7 +48,6 @@ "Reset log level" : "ლოგის დონის დაყენება საწყის პარამეტრზე", "Starting code integrity check" : "კოდის ერთიანობის შემოწმების დაწყება", "Finished code integrity check" : "დასრულდა კოდის ერთიანობის შემოწმება", - "%s (3rdparty)" : "%s (მესამე მხარე)", "%s (incompatible)" : "%s (არაა თავსებადი)", "Following apps have been disabled: %s" : "შემდეგი აპლიკაციები გაითიშა: %s", "Already up to date" : "უკვე განახლებულია", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "გვერდი ავტომატურად განახლდება, როდესაც %s ინსტანცია იქნება ხელმისაწვდომელი.", "Contact your system administrator if this message persists or appeared unexpectedly." : "თუ ეს წერილი გამოჩნდა მოულოდნელად ან მისი გამოჩენა გრძელდება, დაუკავშირდით სისტემის ადმინისტრატორს.", "Thank you for your patience." : "მადლობთ მოთმინებისთვის.", + "%s (3rdparty)" : "%s (მესამე მხარე)", "Problem loading page, reloading in 5 seconds" : "პრობლემა გვერდის ჩატვირთვისას, ახლიდან ჩაიტვირთება 5 წამში", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ფაილები კოდირებულია. თუ არ ჩაგირთავთ აღდგენის გასაღები, არ იქნება არანაირი გზა აღადგინოთ თვენი მონაცემები პაროლის ცვლილების შემდეგ.
თუ არ იცით რა გააკეთოთ, გაგრძელებამდე მიმართეთ თქვენს ადმინისტრატორს.
დარწმუნებული ხართ რომ გსურთ გაგრძელება?", "Ok" : "დიახ", diff --git a/core/l10n/ko.js b/core/l10n/ko.js index ad15a25ec8e32..325164b025409 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "로그 단계 초기화", "Starting code integrity check" : "코드 무결성 검사 시작 중", "Finished code integrity check" : "코드 무결성 검사 완료됨", - "%s (3rdparty)" : "%s(제 3사)", "%s (incompatible)" : "%s(호환 불가)", "Following apps have been disabled: %s" : "다음 앱이 비활성화되었습니다: %s", "Already up to date" : "최신 상태임", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "%s 인스턴스를 다시 사용할 수 있으면 자동으로 새로 고칩니다.", "Contact your system administrator if this message persists or appeared unexpectedly." : "이 메시지가 계속 표시되거나, 예상하지 못하였을 때 표시된다면 시스템 관리자에게 연락하십시오.", "Thank you for your patience." : "기다려 주셔서 감사합니다.", + "%s (3rdparty)" : "%s(제 3사)", "Problem loading page, reloading in 5 seconds" : "페이지 불러오기 오류, 5초 후 새로 고침", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "내 파일이 암호화되어 있습니다. 복구 키를 활성화하지 않았다면 암호를 초기화한 후 데이터를 복구할 수 없습니다.
무엇을 해야 할 지 잘 모르겠으면 계속하기 전에 관리자에게 연락하십시오.
그래도 계속 진행하시겠습니까?", "Ok" : "확인", diff --git a/core/l10n/ko.json b/core/l10n/ko.json index a09328cf6000c..3968ea2b8aeed 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -48,7 +48,6 @@ "Reset log level" : "로그 단계 초기화", "Starting code integrity check" : "코드 무결성 검사 시작 중", "Finished code integrity check" : "코드 무결성 검사 완료됨", - "%s (3rdparty)" : "%s(제 3사)", "%s (incompatible)" : "%s(호환 불가)", "Following apps have been disabled: %s" : "다음 앱이 비활성화되었습니다: %s", "Already up to date" : "최신 상태임", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "%s 인스턴스를 다시 사용할 수 있으면 자동으로 새로 고칩니다.", "Contact your system administrator if this message persists or appeared unexpectedly." : "이 메시지가 계속 표시되거나, 예상하지 못하였을 때 표시된다면 시스템 관리자에게 연락하십시오.", "Thank you for your patience." : "기다려 주셔서 감사합니다.", + "%s (3rdparty)" : "%s(제 3사)", "Problem loading page, reloading in 5 seconds" : "페이지 불러오기 오류, 5초 후 새로 고침", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "내 파일이 암호화되어 있습니다. 복구 키를 활성화하지 않았다면 암호를 초기화한 후 데이터를 복구할 수 없습니다.
무엇을 해야 할 지 잘 모르겠으면 계속하기 전에 관리자에게 연락하십시오.
그래도 계속 진행하시겠습니까?", "Ok" : "확인", diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index de8ed3bc46776..703ce8a8c26ee 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Atstatyti numatytąjį žurnalo išvesties lygį", "Starting code integrity check" : "Pradedama kodo vientisumo patikra", "Finished code integrity check" : "Kodo vientisumo patikra užbaigta", - "%s (3rdparty)" : "%s (trečiųjų asmenų programinė įranga)", "%s (incompatible)" : "%s (nesuderinama programinė įranga)", "Following apps have been disabled: %s" : "Šie įskiepiai buvo išjungti: %s", "Already up to date" : "Naudojama naujausia versija", @@ -297,6 +296,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", + "%s (3rdparty)" : "%s (trečiųjų asmenų programinė įranga)", "Problem loading page, reloading in 5 seconds" : "Problemos įkeliant puslapį. Įkeliama iš naujo po 5 sekundžių", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsų duomenys yra šifruoti. Jei neturite atstatymo rakto, duomenų naudojimas bus nebeįmanomas po slaptažodžio atstatymo.
Jei nesate tikras dėl to, ką norite padaryti, susisiekite su sistemos administratoriumi.
Ar norite tęsti?", "Ok" : "Gerai", diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index d807e7aa1434d..26e60cd36a5db 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -48,7 +48,6 @@ "Reset log level" : "Atstatyti numatytąjį žurnalo išvesties lygį", "Starting code integrity check" : "Pradedama kodo vientisumo patikra", "Finished code integrity check" : "Kodo vientisumo patikra užbaigta", - "%s (3rdparty)" : "%s (trečiųjų asmenų programinė įranga)", "%s (incompatible)" : "%s (nesuderinama programinė įranga)", "Following apps have been disabled: %s" : "Šie įskiepiai buvo išjungti: %s", "Already up to date" : "Naudojama naujausia versija", @@ -295,6 +294,7 @@ "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", + "%s (3rdparty)" : "%s (trečiųjų asmenų programinė įranga)", "Problem loading page, reloading in 5 seconds" : "Problemos įkeliant puslapį. Įkeliama iš naujo po 5 sekundžių", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsų duomenys yra šifruoti. Jei neturite atstatymo rakto, duomenų naudojimas bus nebeįmanomas po slaptažodžio atstatymo.
Jei nesate tikras dėl to, ką norite padaryti, susisiekite su sistemos administratoriumi.
Ar norite tęsti?", "Ok" : "Gerai", diff --git a/core/l10n/lv.js b/core/l10n/lv.js index 764b03f8f5d05..fb8e65cdc1a41 100644 --- a/core/l10n/lv.js +++ b/core/l10n/lv.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Atiestatīt žurnāla rakstīšanas režīmu", "Starting code integrity check" : "Uzsākta koda integritātes pārbaude", "Finished code integrity check" : "Pabeigta koda integritātes pārbaude", - "%s (3rdparty)" : "%s (citu izstrādātāju)", "%s (incompatible)" : "%s (nesaderīgs)", "Following apps have been disabled: %s" : "Sekojošas programmas tika atslēgtas: %s", "Already up to date" : "Jau ir jaunākā", @@ -270,6 +269,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Lapa tiks atsvaidzināta kad %s instance atkal ir pieejama.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Sazinieties ar sistēmas administratoru, ja šis ziņojums tiek rādīts.. vai parādījās negaidīti", "Thank you for your patience." : "Paldies par jūsu pacietību.", + "%s (3rdparty)" : "%s (citu izstrādātāju)", "Problem loading page, reloading in 5 seconds" : "Problēma ielādējot lapu, pārlādēšana pēc 5 sekundēm", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu faili ir šifrēti. Ja neesat iespējojis atkopšanas atslēgu, nevarēsiet atgūt datus atpakaļ, pēc jūsu paroles atiestatīšanas.
Ja neesat pārliecināts par to, ko darīt, lūdzu, pirms turpināt, sazinieties ar administratoru.
Vai tiešām vēlaties turpināt?", "Ok" : "Labi", diff --git a/core/l10n/lv.json b/core/l10n/lv.json index baa005a39c4ff..bd8afeed8ca85 100644 --- a/core/l10n/lv.json +++ b/core/l10n/lv.json @@ -48,7 +48,6 @@ "Reset log level" : "Atiestatīt žurnāla rakstīšanas režīmu", "Starting code integrity check" : "Uzsākta koda integritātes pārbaude", "Finished code integrity check" : "Pabeigta koda integritātes pārbaude", - "%s (3rdparty)" : "%s (citu izstrādātāju)", "%s (incompatible)" : "%s (nesaderīgs)", "Following apps have been disabled: %s" : "Sekojošas programmas tika atslēgtas: %s", "Already up to date" : "Jau ir jaunākā", @@ -268,6 +267,7 @@ "This page will refresh itself when the %s instance is available again." : "Lapa tiks atsvaidzināta kad %s instance atkal ir pieejama.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Sazinieties ar sistēmas administratoru, ja šis ziņojums tiek rādīts.. vai parādījās negaidīti", "Thank you for your patience." : "Paldies par jūsu pacietību.", + "%s (3rdparty)" : "%s (citu izstrādātāju)", "Problem loading page, reloading in 5 seconds" : "Problēma ielādējot lapu, pārlādēšana pēc 5 sekundēm", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu faili ir šifrēti. Ja neesat iespējojis atkopšanas atslēgu, nevarēsiet atgūt datus atpakaļ, pēc jūsu paroles atiestatīšanas.
Ja neesat pārliecināts par to, ko darīt, lūdzu, pirms turpināt, sazinieties ar administratoru.
Vai tiešām vēlaties turpināt?", "Ok" : "Labi", diff --git a/core/l10n/nb.js b/core/l10n/nb.js index b9a6029a04f16..036912797cab3 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Nullstill loggnivå", "Starting code integrity check" : "Starter sjekk av kode-integritet", "Finished code integrity check" : "Fullførte sjekk av kodeintegritet", - "%s (3rdparty)" : "%s (3dje-part)", "%s (incompatible)" : "%s (ikke kompatibel)", "Following apps have been disabled: %s" : "Følgende programmer har blitt avskrudd: %s", "Already up to date" : "Allerede oppdatert", @@ -111,11 +110,23 @@ OC.L10N.register( "Good password" : "Bra passord", "Strong password" : "Sterkt passord", "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i dokumentasjonen.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the Internet to enjoy all features." : "Denne tjeneren har ingen fungerende internett-forbindelse. Dette betyr at noen funksjoner, som tilknytning av eksterne lagre, varslinger om oppdateringer eller installering av tredjepartsprogrammer ikke vil virke. Fjerntilgang til filer og utsending av varsler på e-post vil kanskje ikke virke heller. Det anbefales å aktivere en internett-forbindelse for denne tjeneren hvis du vil ha full funksjonalitet.", + "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Inget hurtigminne har blitt satt opp. For å øke ytelsen bør du sette opp et hurtigminne hvis det er tilgjengelig. Mer informasjon finnes i dokumentasjonen.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom er ikke lesbar for PHP, noe som frarådes av sikkerhetsgrunner. Mer informasjon finnes i dokumentasjonen.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Oppgrader PHP-versjonen for å utnytte ytelsen og sikkerhetsoppdateringene som tilbys av PHP Groupdocumentation." : "Det omvendte mellomtjener-hodet er ikke satt opp rett, eller du kobler til Nextcloud fra en betrodd mellomtjener. Hvis ikke, er dette et sikkerhetsproblem, og kan tillate en angriper å forfalske deres IP-adresse slik den er synlig for Nextcloud. Ytterligere informasjon er å finne i dokumentasjonen.", "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 memcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien om begge modulene.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Noen filer besto ikke gyldighetssjekken. Ytterligere informasjon om hvordan dette problemet kan løses finnes i dokumentasjonen. (Liste over ugyldige filer… / Skann på ny…)", + "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt.", "Error occurred while checking server setup" : "Feil oppstod ved sjekking av tjener-oppsett", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", + "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP-hodet \"{header}\" er ikke satt opp likt \"{expected}\". Dette kan være en sikkerhet- eller personvernsrisiko og det anbefales at denne innstillingen endres.", + "The \"{header}\" HTTP header is not set to \"{expected}\". Some features might not work correctly, as it is recommended to adjust this setting accordingly." : "HTTP-hodet \"{header}\" er ikke satt opp til å være likt \"{expected}\". Det kan hende noen funksjoner ikke fungerer rett, og det anbefales å justere denne innstillingen henholdsvis.", + "The \"Strict-Transport-Security\" HTTP header is not set to at least \"{seconds}\" seconds. For enhanced security, it is recommended to enable HSTS as described in the security tips." : "\"Strict-Transport-Security\"- (Streng transportsikkerhet) HTTP-hodet er ikke satt opp til minst \"{seconds}\" sekunder. For bedret sikkerhet anbefales det å skru på HSTS som beskrevet i sikkerhetstipsene.", "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : "Du besøker denne nettsiden via HTTP. Det anbefales sterkt at du setter opp tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstipsene.", "Shared" : "Delt", "Shared with" : "Delt med", @@ -304,6 +315,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", "Thank you for your patience." : "Takk for din tålmodighet.", + "%s (3rdparty)" : "%s (3dje-part)", "Problem loading page, reloading in 5 seconds" : "Det oppstod et problem ved lasting av side, laster på nytt om 5 sekunder", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Filene dine er kryptert. Hvis du ikke har aktivert gjenopprettingsnøkkelen, vil det være helt umulig å få tilbake dataene dine etter at pasordet ditt er tilbakestilt.
Hvis du er usikker på hva du skal gjøre, kontakt administratoren din før du fortsetter.
Vil du virkelig fortsette?", "Ok" : "OK", diff --git a/core/l10n/nb.json b/core/l10n/nb.json index e68df762d04a3..e18ea6b7dfb37 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -48,7 +48,6 @@ "Reset log level" : "Nullstill loggnivå", "Starting code integrity check" : "Starter sjekk av kode-integritet", "Finished code integrity check" : "Fullførte sjekk av kodeintegritet", - "%s (3rdparty)" : "%s (3dje-part)", "%s (incompatible)" : "%s (ikke kompatibel)", "Following apps have been disabled: %s" : "Følgende programmer har blitt avskrudd: %s", "Already up to date" : "Allerede oppdatert", @@ -109,11 +108,23 @@ "Good password" : "Bra passord", "Strong password" : "Sterkt passord", "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i dokumentasjonen.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the Internet to enjoy all features." : "Denne tjeneren har ingen fungerende internett-forbindelse. Dette betyr at noen funksjoner, som tilknytning av eksterne lagre, varslinger om oppdateringer eller installering av tredjepartsprogrammer ikke vil virke. Fjerntilgang til filer og utsending av varsler på e-post vil kanskje ikke virke heller. Det anbefales å aktivere en internett-forbindelse for denne tjeneren hvis du vil ha full funksjonalitet.", + "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Inget hurtigminne har blitt satt opp. For å øke ytelsen bør du sette opp et hurtigminne hvis det er tilgjengelig. Mer informasjon finnes i dokumentasjonen.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom er ikke lesbar for PHP, noe som frarådes av sikkerhetsgrunner. Mer informasjon finnes i dokumentasjonen.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Oppgrader PHP-versjonen for å utnytte ytelsen og sikkerhetsoppdateringene som tilbys av PHP Groupdocumentation." : "Det omvendte mellomtjener-hodet er ikke satt opp rett, eller du kobler til Nextcloud fra en betrodd mellomtjener. Hvis ikke, er dette et sikkerhetsproblem, og kan tillate en angriper å forfalske deres IP-adresse slik den er synlig for Nextcloud. Ytterligere informasjon er å finne i dokumentasjonen.", "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 memcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien om begge modulene.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Noen filer besto ikke gyldighetssjekken. Ytterligere informasjon om hvordan dette problemet kan løses finnes i dokumentasjonen. (Liste over ugyldige filer… / Skann på ny…)", + "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP OPcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt.", "Error occurred while checking server setup" : "Feil oppstod ved sjekking av tjener-oppsett", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", + "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "HTTP-hodet \"{header}\" er ikke satt opp likt \"{expected}\". Dette kan være en sikkerhet- eller personvernsrisiko og det anbefales at denne innstillingen endres.", + "The \"{header}\" HTTP header is not set to \"{expected}\". Some features might not work correctly, as it is recommended to adjust this setting accordingly." : "HTTP-hodet \"{header}\" er ikke satt opp til å være likt \"{expected}\". Det kan hende noen funksjoner ikke fungerer rett, og det anbefales å justere denne innstillingen henholdsvis.", + "The \"Strict-Transport-Security\" HTTP header is not set to at least \"{seconds}\" seconds. For enhanced security, it is recommended to enable HSTS as described in the security tips." : "\"Strict-Transport-Security\"- (Streng transportsikkerhet) HTTP-hodet er ikke satt opp til minst \"{seconds}\" sekunder. For bedret sikkerhet anbefales det å skru på HSTS som beskrevet i sikkerhetstipsene.", "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : "Du besøker denne nettsiden via HTTP. Det anbefales sterkt at du setter opp tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstipsene.", "Shared" : "Delt", "Shared with" : "Delt med", @@ -302,6 +313,7 @@ "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", "Thank you for your patience." : "Takk for din tålmodighet.", + "%s (3rdparty)" : "%s (3dje-part)", "Problem loading page, reloading in 5 seconds" : "Det oppstod et problem ved lasting av side, laster på nytt om 5 sekunder", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Filene dine er kryptert. Hvis du ikke har aktivert gjenopprettingsnøkkelen, vil det være helt umulig å få tilbake dataene dine etter at pasordet ditt er tilbakestilt.
Hvis du er usikker på hva du skal gjøre, kontakt administratoren din før du fortsetter.
Vil du virkelig fortsette?", "Ok" : "OK", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index ca04471895fa6..322400b3b56ba 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Terugzetten logniveau", "Starting code integrity check" : "Starten code betrouwbaarheidscontrole", "Finished code integrity check" : "Code betrouwbaarheidscontrole beeindigd", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (incompatibel)", "Following apps have been disabled: %s" : "De volgende apps zijn uitgeschakeld: %s", "Already up to date" : "Al bijgewerkt", @@ -315,6 +314,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Deze pagina wordt ververst als de %s-installatie weer beschikbaar is.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Neem contact op met je systeembeheerder als deze melding aanhoudt of onverwacht verscheen.", "Thank you for your patience." : "Bedankt voor je geduld.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Kan de pagina niet laden, verversen in 5 seconden", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Je bestanden zijn versleuteld. Als je de herstelsleutel niet hebt ingeschakeld, is het niet mogelijk om je gegevens terug te krijgen nadat je wachtwoord is hersteld.
Als je niet weet wat je moet doen, neem dan eerst contact op met je beheerder.
Wil je echt verder gaan?", "Ok" : "Ok", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 301d7e0d6c370..671415a5dc512 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -48,7 +48,6 @@ "Reset log level" : "Terugzetten logniveau", "Starting code integrity check" : "Starten code betrouwbaarheidscontrole", "Finished code integrity check" : "Code betrouwbaarheidscontrole beeindigd", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (incompatibel)", "Following apps have been disabled: %s" : "De volgende apps zijn uitgeschakeld: %s", "Already up to date" : "Al bijgewerkt", @@ -313,6 +312,7 @@ "This page will refresh itself when the %s instance is available again." : "Deze pagina wordt ververst als de %s-installatie weer beschikbaar is.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Neem contact op met je systeembeheerder als deze melding aanhoudt of onverwacht verscheen.", "Thank you for your patience." : "Bedankt voor je geduld.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Kan de pagina niet laden, verversen in 5 seconden", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Je bestanden zijn versleuteld. Als je de herstelsleutel niet hebt ingeschakeld, is het niet mogelijk om je gegevens terug te krijgen nadat je wachtwoord is hersteld.
Als je niet weet wat je moet doen, neem dan eerst contact op met je beheerder.
Wil je echt verder gaan?", "Ok" : "Ok", diff --git a/core/l10n/pl.js b/core/l10n/pl.js index c867c91fa3224..a9326055ff55a 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Zresetuj poziom logowania", "Starting code integrity check" : "Rozpoczynam sprawdzanie spójności kodu", "Finished code integrity check" : "Zakończono sprawdzanie spójności kodu", - "%s (3rdparty)" : "%s (od innych)", "%s (incompatible)" : "%s (niekompatybilne)", "Following apps have been disabled: %s" : "Poniższe aplikacje zostały wyłączone: %s", "Already up to date" : "Już zaktualizowano", @@ -314,6 +313,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Strona odświeży się gdy instancja %s będzie ponownie dostępna.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Skontaktuj się z administratorem, jeśli ten komunikat pojawił się nieoczekiwanie lub wyświetla się ciągle.", "Thank you for your patience." : "Dziękuję za cierpliwość.", + "%s (3rdparty)" : "%s (od innych)", "Problem loading page, reloading in 5 seconds" : "Błąd podczas ładowania strony, odświeżanie w ciągu 5 sekund.", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Twoje pliki są zaszyfrowane. Jeśli nie włączyłeś klucza odzyskiwania, nie będzie możliwości odszyfrowania tych plików po zresetowaniu hasła.
Jeśli nie jesteś pewien co zrobić, skontaktuj się ze swoim administratorem, zanim bedziesz kontynuował.
Czy chcesz kontynuować?\n ", "Ok" : "OK", diff --git a/core/l10n/pl.json b/core/l10n/pl.json index b54e30d01eeb3..274b5e1e1d059 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -48,7 +48,6 @@ "Reset log level" : "Zresetuj poziom logowania", "Starting code integrity check" : "Rozpoczynam sprawdzanie spójności kodu", "Finished code integrity check" : "Zakończono sprawdzanie spójności kodu", - "%s (3rdparty)" : "%s (od innych)", "%s (incompatible)" : "%s (niekompatybilne)", "Following apps have been disabled: %s" : "Poniższe aplikacje zostały wyłączone: %s", "Already up to date" : "Już zaktualizowano", @@ -312,6 +311,7 @@ "This page will refresh itself when the %s instance is available again." : "Strona odświeży się gdy instancja %s będzie ponownie dostępna.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Skontaktuj się z administratorem, jeśli ten komunikat pojawił się nieoczekiwanie lub wyświetla się ciągle.", "Thank you for your patience." : "Dziękuję za cierpliwość.", + "%s (3rdparty)" : "%s (od innych)", "Problem loading page, reloading in 5 seconds" : "Błąd podczas ładowania strony, odświeżanie w ciągu 5 sekund.", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Twoje pliki są zaszyfrowane. Jeśli nie włączyłeś klucza odzyskiwania, nie będzie możliwości odszyfrowania tych plików po zresetowaniu hasła.
Jeśli nie jesteś pewien co zrobić, skontaktuj się ze swoim administratorem, zanim bedziesz kontynuował.
Czy chcesz kontynuować?\n ", "Ok" : "OK", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 99cb9f793f976..dcf862fb2d13b 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Redefinir o nível do log", "Starting code integrity check" : "Inicializando a verificação da integridade do código", "Finished code integrity check" : "Finalizada a verificação de integridade do código", - "%s (3rdparty)" : "%s (parceiros)", "%s (incompatible)" : "%s (incompatível)", "Following apps have been disabled: %s" : "Os seguintes aplicativos foram desabilitados: %s", "Already up to date" : "Já está atualizado", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página será atualizada automaticamente quando o %s estiver disponível novamente.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o administrador do sistema se esta mensagem persistir ou aparecer inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "%s (3rdparty)" : "%s (parceiros)", "Problem loading page, reloading in 5 seconds" : "Problema no carregamento da página, recarregando em 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Seus arquivos estão criptografados. Se você não ativou a chave de recuperação, não haverá maneira de obter seus dados de volta após a sua senha ser redefinida.
Se não tiver certeza do que deve fazer, contate o administrador antes de continuar.
Deseja realmente continuar?", "Ok" : "Ok", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index 96a69fec9bbfa..da057e700210c 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -48,7 +48,6 @@ "Reset log level" : "Redefinir o nível do log", "Starting code integrity check" : "Inicializando a verificação da integridade do código", "Finished code integrity check" : "Finalizada a verificação de integridade do código", - "%s (3rdparty)" : "%s (parceiros)", "%s (incompatible)" : "%s (incompatível)", "Following apps have been disabled: %s" : "Os seguintes aplicativos foram desabilitados: %s", "Already up to date" : "Já está atualizado", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página será atualizada automaticamente quando o %s estiver disponível novamente.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o administrador do sistema se esta mensagem persistir ou aparecer inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "%s (3rdparty)" : "%s (parceiros)", "Problem loading page, reloading in 5 seconds" : "Problema no carregamento da página, recarregando em 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Seus arquivos estão criptografados. Se você não ativou a chave de recuperação, não haverá maneira de obter seus dados de volta após a sua senha ser redefinida.
Se não tiver certeza do que deve fazer, contate o administrador antes de continuar.
Deseja realmente continuar?", "Ok" : "Ok", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 6d874789abd07..ce4dcb40ddff6 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -48,7 +48,6 @@ OC.L10N.register( "Reset log level" : "Reiniciar nível de registo", "Starting code integrity check" : "A iniciar a verificação da integridade do código", "Finished code integrity check" : "Terminada a verificação da integridade do código", - "%s (3rdparty)" : "%s (terceiros)", "%s (incompatible)" : "%s (incompatível)", "Following apps have been disabled: %s" : "Foram desativadas as seguintes aplicações: %s", "Already up to date" : "Já está atualizado", @@ -278,6 +277,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "%s (3rdparty)" : "%s (terceiros)", "Problem loading page, reloading in 5 seconds" : "Problema a carregar a página, a recarregar em 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Se não ativou a chave de recuperação, não terá nenhum modo para voltar obter os seus dados depois de reiniciar a sua senha.
Se não tem a certeza do que fazer, por favor, contacte o seu administrador antes de continuar.
Tem a certeza que quer continuar?", "Ok" : "CONFIRMAR", diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index 952f669ca7f67..98cd5e8b19b7f 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -46,7 +46,6 @@ "Reset log level" : "Reiniciar nível de registo", "Starting code integrity check" : "A iniciar a verificação da integridade do código", "Finished code integrity check" : "Terminada a verificação da integridade do código", - "%s (3rdparty)" : "%s (terceiros)", "%s (incompatible)" : "%s (incompatível)", "Following apps have been disabled: %s" : "Foram desativadas as seguintes aplicações: %s", "Already up to date" : "Já está atualizado", @@ -276,6 +275,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "%s (3rdparty)" : "%s (terceiros)", "Problem loading page, reloading in 5 seconds" : "Problema a carregar a página, a recarregar em 5 segundos", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Se não ativou a chave de recuperação, não terá nenhum modo para voltar obter os seus dados depois de reiniciar a sua senha.
Se não tem a certeza do que fazer, por favor, contacte o seu administrador antes de continuar.
Tem a certeza que quer continuar?", "Ok" : "CONFIRMAR", diff --git a/core/l10n/ro.js b/core/l10n/ro.js index 37e7c42b8e36f..fdcede3b30540 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Resetează nivelul de logare", "Starting code integrity check" : "Începe verificarea integrității codului", "Finished code integrity check" : "Verificarea integrității codului a fost finalizată", - "%s (3rdparty)" : "%s (terță parte)", "%s (incompatible)" : "%s (incompatibil)", "Following apps have been disabled: %s" : "Următoarele aplicații au fost dezactivate: %s", "Already up to date" : "Deja actualizat", @@ -288,6 +287,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Această pagină se va reîmprospăta atunci când %s instance e disponibil din nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contactează-ți administratorul de sistem dacă acest mesaj persistă sau a apărut neașteptat.", "Thank you for your patience." : "Îți mulțumim pentru răbdare.", + "%s (3rdparty)" : "%s (terță parte)", "Problem loading page, reloading in 5 seconds" : "A apărut o problemă la încărcarea paginii, se reîncearcă în 5 secunde", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Fișierele tale sunt criptate. Dacă nu ai activat o cheie de restabilire, e posibil să nu mai poți accesa informațiile tale după o resetare a parolei.
Dacă nu ești sigur ce trebuie să faci, contactează administratorul înainte de a continua.
Sigur vrei să continui?", "Ok" : "Ok", diff --git a/core/l10n/ro.json b/core/l10n/ro.json index 2a99b79ba4398..5a117d12e068f 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -48,7 +48,6 @@ "Reset log level" : "Resetează nivelul de logare", "Starting code integrity check" : "Începe verificarea integrității codului", "Finished code integrity check" : "Verificarea integrității codului a fost finalizată", - "%s (3rdparty)" : "%s (terță parte)", "%s (incompatible)" : "%s (incompatibil)", "Following apps have been disabled: %s" : "Următoarele aplicații au fost dezactivate: %s", "Already up to date" : "Deja actualizat", @@ -286,6 +285,7 @@ "This page will refresh itself when the %s instance is available again." : "Această pagină se va reîmprospăta atunci când %s instance e disponibil din nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contactează-ți administratorul de sistem dacă acest mesaj persistă sau a apărut neașteptat.", "Thank you for your patience." : "Îți mulțumim pentru răbdare.", + "%s (3rdparty)" : "%s (terță parte)", "Problem loading page, reloading in 5 seconds" : "A apărut o problemă la încărcarea paginii, se reîncearcă în 5 secunde", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Fișierele tale sunt criptate. Dacă nu ai activat o cheie de restabilire, e posibil să nu mai poți accesa informațiile tale după o resetare a parolei.
Dacă nu ești sigur ce trebuie să faci, contactează administratorul înainte de a continua.
Sigur vrei să continui?", "Ok" : "Ok", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 00003354f4141..495a5419158bf 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Сброс уровня протоколирования", "Starting code integrity check" : "Начинается проверка целостности кода", "Finished code integrity check" : "Проверка целостности кода завершена", - "%s (3rdparty)" : "%s (стороннее)", "%s (incompatible)" : "%s (несовместимое)", "Following apps have been disabled: %s" : "Были отключены следующие приложения: %s", "Already up to date" : "Не нуждается в обновлении", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Эта страница обновится автоматически когда сервер %s снова станет доступен.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", "Thank you for your patience." : "Спасибо за терпение.", + "%s (3rdparty)" : "%s (стороннее)", "Problem loading page, reloading in 5 seconds" : "Возникла проблема при загрузке страницы, повторная попытка через 5 секунд", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваши файлы зашифрованы. Если вы не включили ключ восстановления, то ваши данные будут недоступны после сброса пароля.
Если вы не уверены что делать дальше - обратитесь к вашему администратору.
Вы действительно хотите продолжить?", "Ok" : "Ок", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index afa35516b8e83..e72f4f0c7ebcf 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -48,7 +48,6 @@ "Reset log level" : "Сброс уровня протоколирования", "Starting code integrity check" : "Начинается проверка целостности кода", "Finished code integrity check" : "Проверка целостности кода завершена", - "%s (3rdparty)" : "%s (стороннее)", "%s (incompatible)" : "%s (несовместимое)", "Following apps have been disabled: %s" : "Были отключены следующие приложения: %s", "Already up to date" : "Не нуждается в обновлении", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Эта страница обновится автоматически когда сервер %s снова станет доступен.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", "Thank you for your patience." : "Спасибо за терпение.", + "%s (3rdparty)" : "%s (стороннее)", "Problem loading page, reloading in 5 seconds" : "Возникла проблема при загрузке страницы, повторная попытка через 5 секунд", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваши файлы зашифрованы. Если вы не включили ключ восстановления, то ваши данные будут недоступны после сброса пароля.
Если вы не уверены что делать дальше - обратитесь к вашему администратору.
Вы действительно хотите продолжить?", "Ok" : "Ок", diff --git a/core/l10n/sk.js b/core/l10n/sk.js index f152095eae63b..d2d165e4643ea 100644 --- a/core/l10n/sk.js +++ b/core/l10n/sk.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Obnoviť úroveň záznamu", "Starting code integrity check" : "Začína kontrola integrity kódu", "Finished code integrity check" : "Kontrola integrity kódu ukončená", - "%s (3rdparty)" : "%s (od tretej strany)", "%s (incompatible)" : "%s (nekompatibilná)", "Following apps have been disabled: %s" : "Nasledovné aplikácie boli zakázané: %s", "Already up to date" : "Už aktuálne", @@ -298,6 +297,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Táto stránka sa obnoví sama hneď ako bude %s inštancia znovu dostupná.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správcu systému, ak sa táto správa objavuje opakovane alebo neočakávane.", "Thank you for your patience." : "Ďakujeme za Vašu trpezlivosť.", + "%s (3rdparty)" : "%s (od tretej strany)", "Problem loading page, reloading in 5 seconds" : "Nastal problém pri načítaní stránky, pokus sa zopakuje o 5 sekúnd", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Súbory sú zašifrované. Ak ste nepovolili kľúč pre obnovenie, neexistuje žiadny spôsob, ako obnoviť vaše dáta po obnovení vášho hesla.
Ak si nie ste istí čo urobiť, prosím skôr než budete pokračovať, obráťte sa na administrátora.
Naozaj chcete pokračovať?", "Ok" : "Ok", diff --git a/core/l10n/sk.json b/core/l10n/sk.json index eb530cb4830ab..7905a4b298883 100644 --- a/core/l10n/sk.json +++ b/core/l10n/sk.json @@ -48,7 +48,6 @@ "Reset log level" : "Obnoviť úroveň záznamu", "Starting code integrity check" : "Začína kontrola integrity kódu", "Finished code integrity check" : "Kontrola integrity kódu ukončená", - "%s (3rdparty)" : "%s (od tretej strany)", "%s (incompatible)" : "%s (nekompatibilná)", "Following apps have been disabled: %s" : "Nasledovné aplikácie boli zakázané: %s", "Already up to date" : "Už aktuálne", @@ -296,6 +295,7 @@ "This page will refresh itself when the %s instance is available again." : "Táto stránka sa obnoví sama hneď ako bude %s inštancia znovu dostupná.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správcu systému, ak sa táto správa objavuje opakovane alebo neočakávane.", "Thank you for your patience." : "Ďakujeme za Vašu trpezlivosť.", + "%s (3rdparty)" : "%s (od tretej strany)", "Problem loading page, reloading in 5 seconds" : "Nastal problém pri načítaní stránky, pokus sa zopakuje o 5 sekúnd", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Súbory sú zašifrované. Ak ste nepovolili kľúč pre obnovenie, neexistuje žiadny spôsob, ako obnoviť vaše dáta po obnovení vášho hesla.
Ak si nie ste istí čo urobiť, prosím skôr než budete pokračovať, obráťte sa na administrátora.
Naozaj chcete pokračovať?", "Ok" : "Ok", diff --git a/core/l10n/sl.js b/core/l10n/sl.js index 2d656926184be..f515fdc1e1f89 100644 --- a/core/l10n/sl.js +++ b/core/l10n/sl.js @@ -47,7 +47,6 @@ OC.L10N.register( "Reset log level" : "Počisti raven beleženja", "Starting code integrity check" : "Začenjanje preverjanja stanja kode", "Finished code integrity check" : "Končano preverjanje stanja kode", - "%s (3rdparty)" : "%s (zunanje)", "%s (incompatible)" : "%s (neskladno)", "Following apps have been disabled: %s" : "Navedeni programi so onemogočeni: %s", "Already up to date" : "Sistem je že posodobljen", @@ -264,6 +263,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Stran bo osvežena ko bo %s spet na voljo.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", "Thank you for your patience." : "Hvala za potrpežljivost!", + "%s (3rdparty)" : "%s (zunanje)", "Problem loading page, reloading in 5 seconds" : "Napaka nalaganja strani! Poskus ponovnega nalaganja bo izveden čez 5 sekund.", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Datoteke so šifrirane. Če niste omogočili obnovitvenega ključa, po ponastavitvi gesla ne bo mogoč dostop do datotek.
V primeru, da niste prepričani, kaj storiti, stopite v stik s skrbnikom sistema.
Ali ste prepričani, da želite nadaljevati?", "Ok" : "V redu", diff --git a/core/l10n/sl.json b/core/l10n/sl.json index 70d29984ab698..f0bff847f67d9 100644 --- a/core/l10n/sl.json +++ b/core/l10n/sl.json @@ -45,7 +45,6 @@ "Reset log level" : "Počisti raven beleženja", "Starting code integrity check" : "Začenjanje preverjanja stanja kode", "Finished code integrity check" : "Končano preverjanje stanja kode", - "%s (3rdparty)" : "%s (zunanje)", "%s (incompatible)" : "%s (neskladno)", "Following apps have been disabled: %s" : "Navedeni programi so onemogočeni: %s", "Already up to date" : "Sistem je že posodobljen", @@ -262,6 +261,7 @@ "This page will refresh itself when the %s instance is available again." : "Stran bo osvežena ko bo %s spet na voljo.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", "Thank you for your patience." : "Hvala za potrpežljivost!", + "%s (3rdparty)" : "%s (zunanje)", "Problem loading page, reloading in 5 seconds" : "Napaka nalaganja strani! Poskus ponovnega nalaganja bo izveden čez 5 sekund.", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Datoteke so šifrirane. Če niste omogočili obnovitvenega ključa, po ponastavitvi gesla ne bo mogoč dostop do datotek.
V primeru, da niste prepričani, kaj storiti, stopite v stik s skrbnikom sistema.
Ali ste prepričani, da želite nadaljevati?", "Ok" : "V redu", diff --git a/core/l10n/sq.js b/core/l10n/sq.js index c853f1b9ff3a5..ebd22894464a9 100644 --- a/core/l10n/sq.js +++ b/core/l10n/sq.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Rikthe te parazgjedhja shkallën e regjistrimit", "Starting code integrity check" : "Po fillohet kontroll integriteti për kodin", "Finished code integrity check" : "Përfundoi kontrolli i integritetit për kodin", - "%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", @@ -279,6 +278,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Kjo faqe do të rifreskohet vetiu, sapo instanca %s të jetë sërish gati.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Nëse ky mesazh shfaqet vazhdimisht ose u shfaq papritmas, lidhuni me përgjegjësin e sistemit.", "Thank you for your patience." : "Ju faleminderit për durimin.", + "%s (3rdparty)" : "%s (prej palësh të treta)", "Problem loading page, reloading in 5 seconds" : "Gabim në ngarkimin e faqes, do të ringarkohet pas 5 sekondash", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Kartelat tuaja janë të fshehtëzuara. Nëse s’keni aktivizuar kyçin e rimarrjeve, nuk do të ketë ndonjë rrugë për të marrë sërish të dhënat tuaja pasi të jetë ricaktuar fjalëkalimi juaj.
Nëse s’jeni i sigurt se ç’duhet bërë, ju lutemi, përpara se të vazhdoni, lidhuni me përgjegjësin tuaj.
Doni vërtet të vazhdoni?", "Ok" : "Në rregull", diff --git a/core/l10n/sq.json b/core/l10n/sq.json index 60eecdb293112..01ca43b6bc40a 100644 --- a/core/l10n/sq.json +++ b/core/l10n/sq.json @@ -48,7 +48,6 @@ "Reset log level" : "Rikthe te parazgjedhja shkallën e regjistrimit", "Starting code integrity check" : "Po fillohet kontroll integriteti për kodin", "Finished code integrity check" : "Përfundoi kontrolli i integritetit për kodin", - "%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", @@ -277,6 +276,7 @@ "This page will refresh itself when the %s instance is available again." : "Kjo faqe do të rifreskohet vetiu, sapo instanca %s të jetë sërish gati.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Nëse ky mesazh shfaqet vazhdimisht ose u shfaq papritmas, lidhuni me përgjegjësin e sistemit.", "Thank you for your patience." : "Ju faleminderit për durimin.", + "%s (3rdparty)" : "%s (prej palësh të treta)", "Problem loading page, reloading in 5 seconds" : "Gabim në ngarkimin e faqes, do të ringarkohet pas 5 sekondash", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Kartelat tuaja janë të fshehtëzuara. Nëse s’keni aktivizuar kyçin e rimarrjeve, nuk do të ketë ndonjë rrugë për të marrë sërish të dhënat tuaja pasi të jetë ricaktuar fjalëkalimi juaj.
Nëse s’jeni i sigurt se ç’duhet bërë, ju lutemi, përpara se të vazhdoni, lidhuni me përgjegjësin tuaj.
Doni vërtet të vazhdoni?", "Ok" : "Në rregull", diff --git a/core/l10n/sr.js b/core/l10n/sr.js index 6c40067e71aec..64353db5a96aa 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Поништи ниво уписа у дневник", "Starting code integrity check" : "Почиње провера интегритета кода", "Finished code integrity check" : "Завршена провера интегритета кода", - "%s (3rdparty)" : "%s (од 3. лица)", "%s (incompatible)" : "%s (некомпатибилан)", "Following apps have been disabled: %s" : "Следеће апликације су онемогућене: %s", "Already up to date" : "Већ има последњу верзију", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Ова страница ће се сама освежити када %s постане поново доступан.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Контактирајте администратора ако се порука понавља или се неочекивано појавила.", "Thank you for your patience." : "Хвала Вам на стрпљењу.", + "%s (3rdparty)" : "%s (од 3. лица)", "Problem loading page, reloading in 5 seconds" : "Грешка приликом учитавања стране, покушавам поново за 5 секунди", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваши фајлови су шифровани. Ако нисте укључили кључ за опоравак, нећете моћи да повратите податке након ресетовања лозинке.
Ако нисте сигурни шта да радите, контактирајте администратора пре него што наставите.
Да ли желите да наставите?", "Ok" : "У реду", diff --git a/core/l10n/sr.json b/core/l10n/sr.json index 6717ea164f74b..3b208f967abbc 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -48,7 +48,6 @@ "Reset log level" : "Поништи ниво уписа у дневник", "Starting code integrity check" : "Почиње провера интегритета кода", "Finished code integrity check" : "Завршена провера интегритета кода", - "%s (3rdparty)" : "%s (од 3. лица)", "%s (incompatible)" : "%s (некомпатибилан)", "Following apps have been disabled: %s" : "Следеће апликације су онемогућене: %s", "Already up to date" : "Већ има последњу верзију", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Ова страница ће се сама освежити када %s постане поново доступан.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Контактирајте администратора ако се порука понавља или се неочекивано појавила.", "Thank you for your patience." : "Хвала Вам на стрпљењу.", + "%s (3rdparty)" : "%s (од 3. лица)", "Problem loading page, reloading in 5 seconds" : "Грешка приликом учитавања стране, покушавам поново за 5 секунди", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваши фајлови су шифровани. Ако нисте укључили кључ за опоравак, нећете моћи да повратите податке након ресетовања лозинке.
Ако нисте сигурни шта да радите, контактирајте администратора пре него што наставите.
Да ли желите да наставите?", "Ok" : "У реду", diff --git a/core/l10n/sv.js b/core/l10n/sv.js index b8a46d40d9134..ca1457af15ee2 100644 --- a/core/l10n/sv.js +++ b/core/l10n/sv.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Återställer loggningsnivå", "Starting code integrity check" : "Startar integritetskontroll av kod", "Finished code integrity check" : "Slutförde integritetskontroll av kod", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (inkompatibel)", "Following apps have been disabled: %s" : "Följande appar har inaktiverats: %s", "Already up to date" : "Redan uppdaterad", @@ -298,6 +297,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Denna sida uppdaterar sig själv när %s-instansen är tillgänglig igen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hör av dig till din systemadministratör om detta meddelande fortsätter eller visas oväntat.", "Thank you for your patience." : "Tack för ditt tålamod.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Problem med att ladda sidan, försöker igen om 5 sekunder", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dina filer är krypterade. Om du inte angett någon återställningsnyckel, kommer det att vara omöjligt att få tillbaka dina data efter att lösenordet är återställt..
Om du är osäker på vad du ska göra, vänligen kontakta din administratör innan du fortsätter.
Är du verkligen helt säker på att du vill fortsätta?", "Ok" : "Ok", diff --git a/core/l10n/sv.json b/core/l10n/sv.json index c9dddaa033f3b..4e5faf4704a6e 100644 --- a/core/l10n/sv.json +++ b/core/l10n/sv.json @@ -48,7 +48,6 @@ "Reset log level" : "Återställer loggningsnivå", "Starting code integrity check" : "Startar integritetskontroll av kod", "Finished code integrity check" : "Slutförde integritetskontroll av kod", - "%s (3rdparty)" : "%s (3rdparty)", "%s (incompatible)" : "%s (inkompatibel)", "Following apps have been disabled: %s" : "Följande appar har inaktiverats: %s", "Already up to date" : "Redan uppdaterad", @@ -296,6 +295,7 @@ "This page will refresh itself when the %s instance is available again." : "Denna sida uppdaterar sig själv när %s-instansen är tillgänglig igen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hör av dig till din systemadministratör om detta meddelande fortsätter eller visas oväntat.", "Thank you for your patience." : "Tack för ditt tålamod.", + "%s (3rdparty)" : "%s (3rdparty)", "Problem loading page, reloading in 5 seconds" : "Problem med att ladda sidan, försöker igen om 5 sekunder", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dina filer är krypterade. Om du inte angett någon återställningsnyckel, kommer det att vara omöjligt att få tillbaka dina data efter att lösenordet är återställt..
Om du är osäker på vad du ska göra, vänligen kontakta din administratör innan du fortsätter.
Är du verkligen helt säker på att du vill fortsätta?", "Ok" : "Ok", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index d09c9e8e22531..f723fe293d751 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Günlükleme düzeyini sıfırla", "Starting code integrity check" : "Kod bütünlük sınaması başlatılıyor", "Finished code integrity check" : "Kod bütünlük sınaması bitti", - "%s (3rdparty)" : "%s (3. taraf)", "%s (incompatible)" : "%s (uyumsuz)", "Following apps have been disabled: %s" : "Aşağıdaki uygulamalar devre dışı bırakıldı: %s", "Already up to date" : "Zaten güncel", @@ -317,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Bu sayfa, %s kopyası yeniden kullanılabilir olduğunda kendini yenileyecek.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Bu ileti görüntülenmeye devam ediyor ya da beklenmedik şekilde ortaya çıkıyorsa sistem yöneticinizle görüşün.", "Thank you for your patience." : "Anlayışınız için teşekkür ederiz.", + "%s (3rdparty)" : "%s (3. taraf)", "Problem loading page, reloading in 5 seconds" : "Sayfa yüklenirken sorun çıktı, Sayfa 5 saniye içinde yeniden yüklenecek", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dosyalarınız şifrelenmiş. Kurtarma anahtarını etkinleştirmediyseniz, parola sıfırlama işleminden sonra verilerinize erişemeyeceksiniz.
Ne yapacağınızdan emin değilseniz, ilerlemeden önce sistem yöneticiniz ile görüşün.
Gerçekten devam etmek istiyor musunuz?", "Ok" : "Tamam", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 12a958b3cf005..2d0e61452d49b 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -48,7 +48,6 @@ "Reset log level" : "Günlükleme düzeyini sıfırla", "Starting code integrity check" : "Kod bütünlük sınaması başlatılıyor", "Finished code integrity check" : "Kod bütünlük sınaması bitti", - "%s (3rdparty)" : "%s (3. taraf)", "%s (incompatible)" : "%s (uyumsuz)", "Following apps have been disabled: %s" : "Aşağıdaki uygulamalar devre dışı bırakıldı: %s", "Already up to date" : "Zaten güncel", @@ -315,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Bu sayfa, %s kopyası yeniden kullanılabilir olduğunda kendini yenileyecek.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Bu ileti görüntülenmeye devam ediyor ya da beklenmedik şekilde ortaya çıkıyorsa sistem yöneticinizle görüşün.", "Thank you for your patience." : "Anlayışınız için teşekkür ederiz.", + "%s (3rdparty)" : "%s (3. taraf)", "Problem loading page, reloading in 5 seconds" : "Sayfa yüklenirken sorun çıktı, Sayfa 5 saniye içinde yeniden yüklenecek", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dosyalarınız şifrelenmiş. Kurtarma anahtarını etkinleştirmediyseniz, parola sıfırlama işleminden sonra verilerinize erişemeyeceksiniz.
Ne yapacağınızdan emin değilseniz, ilerlemeden önce sistem yöneticiniz ile görüşün.
Gerçekten devam etmek istiyor musunuz?", "Ok" : "Tamam", diff --git a/core/l10n/uk.js b/core/l10n/uk.js index 0d3ce7f393373..c8ae6e9d49fc3 100644 --- a/core/l10n/uk.js +++ b/core/l10n/uk.js @@ -49,7 +49,6 @@ OC.L10N.register( "Reset log level" : "Скинути налаштування детальності журналу", "Starting code integrity check" : "Початок перевірки цілісності коду", "Finished code integrity check" : "Завершено перевірку цілісності коду", - "%s (3rdparty)" : "%s (стороннє)", "%s (incompatible)" : "%s (несумісне)", "Following apps have been disabled: %s" : "Наступні додатки були вимкнені: %s", "Already up to date" : "Вже актуально", @@ -256,6 +255,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Ця сторінка автоматично перезавантажиться коли екземпляр %s стане знову доступний.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Зверніться до вашого системного адміністратора якщо це повідомлення не зникає або з'являється несподівано.", "Thank you for your patience." : "Дякуємо за ваше терпіння.", + "%s (3rdparty)" : "%s (стороннє)", "Problem loading page, reloading in 5 seconds" : "Проблема під час завантаження сторінки, повторне завантаження за 5 сек.", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваші файли зашифровані. Якщо ви не зробили ключ відновлення, після скидання паролю відновити ваші дані буде неможливо.
Якщо ви не знаєте, що робити, будь ласка, зверніться до адміністратора перед продовженням.
Ви дійсно хочете продовжити?", "Ok" : "Гаразд", diff --git a/core/l10n/uk.json b/core/l10n/uk.json index 6de2357f962e6..82b8a81ba4dd8 100644 --- a/core/l10n/uk.json +++ b/core/l10n/uk.json @@ -47,7 +47,6 @@ "Reset log level" : "Скинути налаштування детальності журналу", "Starting code integrity check" : "Початок перевірки цілісності коду", "Finished code integrity check" : "Завершено перевірку цілісності коду", - "%s (3rdparty)" : "%s (стороннє)", "%s (incompatible)" : "%s (несумісне)", "Following apps have been disabled: %s" : "Наступні додатки були вимкнені: %s", "Already up to date" : "Вже актуально", @@ -254,6 +253,7 @@ "This page will refresh itself when the %s instance is available again." : "Ця сторінка автоматично перезавантажиться коли екземпляр %s стане знову доступний.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Зверніться до вашого системного адміністратора якщо це повідомлення не зникає або з'являється несподівано.", "Thank you for your patience." : "Дякуємо за ваше терпіння.", + "%s (3rdparty)" : "%s (стороннє)", "Problem loading page, reloading in 5 seconds" : "Проблема під час завантаження сторінки, повторне завантаження за 5 сек.", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваші файли зашифровані. Якщо ви не зробили ключ відновлення, після скидання паролю відновити ваші дані буде неможливо.
Якщо ви не знаєте, що робити, будь ласка, зверніться до адміністратора перед продовженням.
Ви дійсно хочете продовжити?", "Ok" : "Гаразд", diff --git a/core/l10n/vi.js b/core/l10n/vi.js index a8bc78ed6ac0a..75bbd20d66541 100644 --- a/core/l10n/vi.js +++ b/core/l10n/vi.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "Thiế lập lại cấp độ ghi nhật ký hệ thống", "Starting code integrity check" : "Bắt đầu mã kiểm tra sự toàn vẹn", "Finished code integrity check" : "Kết thúc mã kiểm tra sự toàn vẹn", - "%s (3rdparty)" : "%s ( hãng thứ 3)", "%s (incompatible)" : "%s (không tương thích)", "Following apps have been disabled: %s" : "Các ứng dụng sau bị vô hiệu hóa: %s", "Already up to date" : "Đã được cập nhật bản mới nhất", @@ -290,6 +289,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Trang này sẽ tự động được làm tươi khi bản cài đặt %s được sẵn sàng.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Liên hệ với người quản trị nếu lỗi này vẫn tồn tại hoặc xuất hiện bất ngờ.", "Thank you for your patience." : "Cảm ơn sự kiên nhẫn của bạn.", + "%s (3rdparty)" : "%s ( hãng thứ 3)", "Problem loading page, reloading in 5 seconds" : "Có vấn đề khi nạp trang, nạp lại trang trong vòng 5 giây", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Các tệp tin của bạn đang bị mã hóa. Nếu bạn chưa bật khóa khôi phục, sẽ không có cách nào lấy lại dữ liệu của bạn khi mật khẩu của bạn bị thiết lập lại.
Nếu bạn không chắc điều gì mình sẽ làm, xin vui lòng liên hệ với quản trị hệ thống để tham vấn trước khi bạn tiếp tục.
Bạn có thực sự muốn làm điều này?", "Ok" : "Đồng ý", diff --git a/core/l10n/vi.json b/core/l10n/vi.json index b6a0c47864445..8f45a04e70455 100644 --- a/core/l10n/vi.json +++ b/core/l10n/vi.json @@ -48,7 +48,6 @@ "Reset log level" : "Thiế lập lại cấp độ ghi nhật ký hệ thống", "Starting code integrity check" : "Bắt đầu mã kiểm tra sự toàn vẹn", "Finished code integrity check" : "Kết thúc mã kiểm tra sự toàn vẹn", - "%s (3rdparty)" : "%s ( hãng thứ 3)", "%s (incompatible)" : "%s (không tương thích)", "Following apps have been disabled: %s" : "Các ứng dụng sau bị vô hiệu hóa: %s", "Already up to date" : "Đã được cập nhật bản mới nhất", @@ -288,6 +287,7 @@ "This page will refresh itself when the %s instance is available again." : "Trang này sẽ tự động được làm tươi khi bản cài đặt %s được sẵn sàng.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Liên hệ với người quản trị nếu lỗi này vẫn tồn tại hoặc xuất hiện bất ngờ.", "Thank you for your patience." : "Cảm ơn sự kiên nhẫn của bạn.", + "%s (3rdparty)" : "%s ( hãng thứ 3)", "Problem loading page, reloading in 5 seconds" : "Có vấn đề khi nạp trang, nạp lại trang trong vòng 5 giây", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Các tệp tin của bạn đang bị mã hóa. Nếu bạn chưa bật khóa khôi phục, sẽ không có cách nào lấy lại dữ liệu của bạn khi mật khẩu của bạn bị thiết lập lại.
Nếu bạn không chắc điều gì mình sẽ làm, xin vui lòng liên hệ với quản trị hệ thống để tham vấn trước khi bạn tiếp tục.
Bạn có thực sự muốn làm điều này?", "Ok" : "Đồng ý", diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index c480ef9efe344..b8c10d07471e3 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "重设日志级别", "Starting code integrity check" : "开始代码完整性检查", "Finished code integrity check" : "代码完整性检查完成", - "%s (3rdparty)" : "%s (第三方)", "%s (incompatible)" : "%s (不兼容)", "Following apps have been disabled: %s" : "下列应用已经被禁用: %s", "Already up to date" : "已经是最新", @@ -301,6 +300,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "当实例 %s 再次可用时此页面将刷新.", "Contact your system administrator if this message persists or appeared unexpectedly." : "如果这个消息一直存在或不停出现, 请联系你的系统管理员.", "Thank you for your patience." : "感谢您久等了.", + "%s (3rdparty)" : "%s (第三方)", "Problem loading page, reloading in 5 seconds" : "加载页面出现问题, 在 5 秒内重新加载", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "您的文件已经加密. 如果您没有启用恢复密钥, 当您的密码重置后没有任何方式能恢复您的数据.
如果您不确定, 请在继续前联系您的管理员.
您是否真的要继续?", "Ok" : "确定", diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index 85e660734425f..250cc2be6ba57 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -48,7 +48,6 @@ "Reset log level" : "重设日志级别", "Starting code integrity check" : "开始代码完整性检查", "Finished code integrity check" : "代码完整性检查完成", - "%s (3rdparty)" : "%s (第三方)", "%s (incompatible)" : "%s (不兼容)", "Following apps have been disabled: %s" : "下列应用已经被禁用: %s", "Already up to date" : "已经是最新", @@ -299,6 +298,7 @@ "This page will refresh itself when the %s instance is available again." : "当实例 %s 再次可用时此页面将刷新.", "Contact your system administrator if this message persists or appeared unexpectedly." : "如果这个消息一直存在或不停出现, 请联系你的系统管理员.", "Thank you for your patience." : "感谢您久等了.", + "%s (3rdparty)" : "%s (第三方)", "Problem loading page, reloading in 5 seconds" : "加载页面出现问题, 在 5 秒内重新加载", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "您的文件已经加密. 如果您没有启用恢复密钥, 当您的密码重置后没有任何方式能恢复您的数据.
如果您不确定, 请在继续前联系您的管理员.
您是否真的要继续?", "Ok" : "确定", diff --git a/core/l10n/zh_TW.js b/core/l10n/zh_TW.js index 3f583d49999a5..588ada16eca32 100644 --- a/core/l10n/zh_TW.js +++ b/core/l10n/zh_TW.js @@ -50,7 +50,6 @@ OC.L10N.register( "Reset log level" : "重設記錄層級", "Starting code integrity check" : "開始檢查程式碼完整性", "Finished code integrity check" : "完成程式碼完整性檢查", - "%s (3rdparty)" : "%s (第三方)", "%s (incompatible)" : "%s (不相容的)", "Following apps have been disabled: %s" : "以下應用程式已經被停用:%s", "Already up to date" : "已經是最新版", @@ -310,6 +309,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "%s 安裝恢復可用之後,本頁會自動重新整理", "Contact your system administrator if this message persists or appeared unexpectedly." : "若這個訊息持續出現,請聯絡系統管理員", "Thank you for your patience." : "感謝您的耐心", + "%s (3rdparty)" : "%s (第三方)", "Problem loading page, reloading in 5 seconds" : "載入頁面出錯,5 秒後重新整理", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "您的檔案是加密的,如果您沒有啟用救援金鑰,當您重設密碼之後將無法存取您的資料。
如果不確定該怎麼做,請聯絡您的系統管理員。
您確定要繼續嗎?", "Ok" : "好", diff --git a/core/l10n/zh_TW.json b/core/l10n/zh_TW.json index 7e7f475e72eb8..a7fe7ed66bcaa 100644 --- a/core/l10n/zh_TW.json +++ b/core/l10n/zh_TW.json @@ -48,7 +48,6 @@ "Reset log level" : "重設記錄層級", "Starting code integrity check" : "開始檢查程式碼完整性", "Finished code integrity check" : "完成程式碼完整性檢查", - "%s (3rdparty)" : "%s (第三方)", "%s (incompatible)" : "%s (不相容的)", "Following apps have been disabled: %s" : "以下應用程式已經被停用:%s", "Already up to date" : "已經是最新版", @@ -308,6 +307,7 @@ "This page will refresh itself when the %s instance is available again." : "%s 安裝恢復可用之後,本頁會自動重新整理", "Contact your system administrator if this message persists or appeared unexpectedly." : "若這個訊息持續出現,請聯絡系統管理員", "Thank you for your patience." : "感謝您的耐心", + "%s (3rdparty)" : "%s (第三方)", "Problem loading page, reloading in 5 seconds" : "載入頁面出錯,5 秒後重新整理", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "您的檔案是加密的,如果您沒有啟用救援金鑰,當您重設密碼之後將無法存取您的資料。
如果不確定該怎麼做,請聯絡您的系統管理員。
您確定要繼續嗎?", "Ok" : "好", diff --git a/lib/l10n/es_419.js b/lib/l10n/es_419.js index c3504fda2e4fa..e411731e9838f 100644 --- a/lib/l10n/es_419.js +++ b/lib/l10n/es_419.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Latin America)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_419.json b/lib/l10n/es_419.json index 6d906b6945873..99efb0dd2158b 100644 --- a/lib/l10n/es_419.json +++ b/lib/l10n/es_419.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Latin America)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_AR.js b/lib/l10n/es_AR.js index 476786a647fc4..ffb3ebe977eba 100644 --- a/lib/l10n/es_AR.js +++ b/lib/l10n/es_AR.js @@ -61,6 +61,7 @@ OC.L10N.register( "Encryption" : "Encripción", "Additional settings" : "Configuraciones adicionales", "Tips & tricks" : "Consejos y trucos", + "__language_name__" : "Español (Argentina)", "%s enter the database username and name." : "%s ingrese el nombre del usuario y nombre de la base de datos", "%s enter the database username." : "%s ingresar el nombre de usuario de la base de datos.", "%s enter the database name." : "%s ingresar el nombre de la base de datos", diff --git a/lib/l10n/es_AR.json b/lib/l10n/es_AR.json index 76d5dad03328b..03eb5ad4770ba 100644 --- a/lib/l10n/es_AR.json +++ b/lib/l10n/es_AR.json @@ -59,6 +59,7 @@ "Encryption" : "Encripción", "Additional settings" : "Configuraciones adicionales", "Tips & tricks" : "Consejos y trucos", + "__language_name__" : "Español (Argentina)", "%s enter the database username and name." : "%s ingrese el nombre del usuario y nombre de la base de datos", "%s enter the database username." : "%s ingresar el nombre de usuario de la base de datos.", "%s enter the database name." : "%s ingresar el nombre de la base de datos", diff --git a/lib/l10n/es_CL.js b/lib/l10n/es_CL.js index c3504fda2e4fa..5feb169790e88 100644 --- a/lib/l10n/es_CL.js +++ b/lib/l10n/es_CL.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Chile)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_CL.json b/lib/l10n/es_CL.json index 6d906b6945873..51e3014cf1d0d 100644 --- a/lib/l10n/es_CL.json +++ b/lib/l10n/es_CL.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Chile)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_CO.js b/lib/l10n/es_CO.js index c3504fda2e4fa..1d08eb3dfcaf4 100644 --- a/lib/l10n/es_CO.js +++ b/lib/l10n/es_CO.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Colombia)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_CO.json b/lib/l10n/es_CO.json index 6d906b6945873..e65bf00def942 100644 --- a/lib/l10n/es_CO.json +++ b/lib/l10n/es_CO.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Colombia)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_CR.js b/lib/l10n/es_CR.js index c3504fda2e4fa..e7beef5b863e1 100644 --- a/lib/l10n/es_CR.js +++ b/lib/l10n/es_CR.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Costa Rica)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_CR.json b/lib/l10n/es_CR.json index 6d906b6945873..2ee98c7ff3e40 100644 --- a/lib/l10n/es_CR.json +++ b/lib/l10n/es_CR.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Costa Rica)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_DO.js b/lib/l10n/es_DO.js index c3504fda2e4fa..3f4a41410d982 100644 --- a/lib/l10n/es_DO.js +++ b/lib/l10n/es_DO.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Dominican Republic)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_DO.json b/lib/l10n/es_DO.json index 6d906b6945873..6344dea931a10 100644 --- a/lib/l10n/es_DO.json +++ b/lib/l10n/es_DO.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Dominican Republic)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_EC.js b/lib/l10n/es_EC.js index c3504fda2e4fa..5743caacee51c 100644 --- a/lib/l10n/es_EC.js +++ b/lib/l10n/es_EC.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Ecuador)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_EC.json b/lib/l10n/es_EC.json index 6d906b6945873..b8c002dd6d7b8 100644 --- a/lib/l10n/es_EC.json +++ b/lib/l10n/es_EC.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Ecuador)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_GT.js b/lib/l10n/es_GT.js index c3504fda2e4fa..645b677e6e8a5 100644 --- a/lib/l10n/es_GT.js +++ b/lib/l10n/es_GT.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Guatemala)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_GT.json b/lib/l10n/es_GT.json index 6d906b6945873..7f993a6d4ed0d 100644 --- a/lib/l10n/es_GT.json +++ b/lib/l10n/es_GT.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Guatemala)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_HN.js b/lib/l10n/es_HN.js index c3504fda2e4fa..4c3d0ec62ba3d 100644 --- a/lib/l10n/es_HN.js +++ b/lib/l10n/es_HN.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Honduras)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_HN.json b/lib/l10n/es_HN.json index 6d906b6945873..979a4d26ebff2 100644 --- a/lib/l10n/es_HN.json +++ b/lib/l10n/es_HN.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Honduras)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_NI.js b/lib/l10n/es_NI.js index c3504fda2e4fa..55fdbf10030af 100644 --- a/lib/l10n/es_NI.js +++ b/lib/l10n/es_NI.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Nicaragua)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_NI.json b/lib/l10n/es_NI.json index 6d906b6945873..b32c358cbcf4f 100644 --- a/lib/l10n/es_NI.json +++ b/lib/l10n/es_NI.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Nicaragua)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PA.js b/lib/l10n/es_PA.js index c3504fda2e4fa..ab5766d018e18 100644 --- a/lib/l10n/es_PA.js +++ b/lib/l10n/es_PA.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Panama)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PA.json b/lib/l10n/es_PA.json index 6d906b6945873..5cf43264fd810 100644 --- a/lib/l10n/es_PA.json +++ b/lib/l10n/es_PA.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Panama)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PE.js b/lib/l10n/es_PE.js index c3504fda2e4fa..47c19e43ba175 100644 --- a/lib/l10n/es_PE.js +++ b/lib/l10n/es_PE.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Peru)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PE.json b/lib/l10n/es_PE.json index 6d906b6945873..642f0ba132177 100644 --- a/lib/l10n/es_PE.json +++ b/lib/l10n/es_PE.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Peru)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PR.js b/lib/l10n/es_PR.js index c3504fda2e4fa..c1b1e8043736b 100644 --- a/lib/l10n/es_PR.js +++ b/lib/l10n/es_PR.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Puerto Rico)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PR.json b/lib/l10n/es_PR.json index 6d906b6945873..9b06e73996641 100644 --- a/lib/l10n/es_PR.json +++ b/lib/l10n/es_PR.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Puerto Rico)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PY.js b/lib/l10n/es_PY.js index c3504fda2e4fa..5ed54944e3b6b 100644 --- a/lib/l10n/es_PY.js +++ b/lib/l10n/es_PY.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Paraguay)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_PY.json b/lib/l10n/es_PY.json index 6d906b6945873..3387872375997 100644 --- a/lib/l10n/es_PY.json +++ b/lib/l10n/es_PY.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Paraguay)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_SV.js b/lib/l10n/es_SV.js index c3504fda2e4fa..bccb8a1aac180 100644 --- a/lib/l10n/es_SV.js +++ b/lib/l10n/es_SV.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (El Salvador)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_SV.json b/lib/l10n/es_SV.json index 6d906b6945873..e4f28af7fb438 100644 --- a/lib/l10n/es_SV.json +++ b/lib/l10n/es_SV.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (El Salvador)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_UY.js b/lib/l10n/es_UY.js index c3504fda2e4fa..c0535ba322b0f 100644 --- a/lib/l10n/es_UY.js +++ b/lib/l10n/es_UY.js @@ -75,7 +75,7 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Uruguay)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", diff --git a/lib/l10n/es_UY.json b/lib/l10n/es_UY.json index 6d906b6945873..c298c7ed8d377 100644 --- a/lib/l10n/es_UY.json +++ b/lib/l10n/es_UY.json @@ -73,7 +73,7 @@ "Personal info" : "Información personal", "Sync clients" : "Sincronizar clientes", "Unlimited" : "Ilimitado", - "__language_name__" : "Español (México)", + "__language_name__" : "Español (Uruguay)", "Verifying" : "Verficando", "Verifying …" : "Verficando ...", "Verify" : "Verificar", From 823a14fae6ea0e8d206106e13d6dbc566b0e197c Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Mon, 22 Jan 2018 01:10:53 +0000 Subject: [PATCH 022/251] [tx-robot] updated from transifex --- core/l10n/nl.js | 1 + core/l10n/nl.json | 1 + 2 files changed, 2 insertions(+) diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 322400b3b56ba..3524773762f9b 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -121,6 +121,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden kwamen niet door de betrouwbaarheidscontrole. Meer informatie over het oplossen van dit probleem kan worden gevonden in onze documentatie. (Lijst met ongeldige bestanden… / Opnieuw…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "De PHP OPcache is niet correct geconfigureerd. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren sterk om deze functie in te schakelen.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Je PHP heeft geen FreeType ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface.", "Error occurred while checking server setup" : "Een fout trad op bij checken serverconfiguratie", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "De \"{header}\" HTTP header is niet ingesteld als \"{expected}\". Dit is een potentieel security of privacy risico en we adviseren om deze instelling te wijzigen.", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 671415a5dc512..4cbd47c9cd2c5 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -119,6 +119,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden kwamen niet door de betrouwbaarheidscontrole. Meer informatie over het oplossen van dit probleem kan worden gevonden in onze documentatie. (Lijst met ongeldige bestanden… / Opnieuw…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "De PHP OPcache is niet correct geconfigureerd. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren sterk om deze functie in te schakelen.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Je PHP heeft geen FreeType ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface.", "Error occurred while checking server setup" : "Een fout trad op bij checken serverconfiguratie", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "De \"{header}\" HTTP header is niet ingesteld als \"{expected}\". Dit is een potentieel security of privacy risico en we adviseren om deze instelling te wijzigen.", From 924298f740e7c27b42f951d1f6da8246151caafe Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Tue, 23 Jan 2018 01:11:03 +0000 Subject: [PATCH 023/251] [tx-robot] updated from transifex --- apps/files_versions/l10n/bg.js | 2 ++ apps/files_versions/l10n/bg.json | 2 ++ apps/workflowengine/l10n/bg.js | 2 ++ apps/workflowengine/l10n/bg.json | 2 ++ core/l10n/bg.js | 28 +++++++++++++++++++++++++++- core/l10n/bg.json | 28 +++++++++++++++++++++++++++- core/l10n/nl.js | 1 + core/l10n/nl.json | 1 + settings/l10n/zh_CN.js | 7 +++++++ settings/l10n/zh_CN.json | 7 +++++++ 10 files changed, 78 insertions(+), 2 deletions(-) diff --git a/apps/files_versions/l10n/bg.js b/apps/files_versions/l10n/bg.js index b9bf92b30ee43..84a5c39fe1851 100644 --- a/apps/files_versions/l10n/bg.js +++ b/apps/files_versions/l10n/bg.js @@ -6,6 +6,8 @@ OC.L10N.register( "Failed to revert {file} to revision {timestamp}." : "Грешка при връщане на {file} към версия {timestamp}.", "_%n byte_::_%n bytes_" : ["%n байт","%n байта"], "Restore" : "Възтановяване", + "No earlier versions available" : "Няма други налични по-ранни версии", + "More versions …" : "Още версии ...", "No versions available" : "Няма налични версии", "More versions..." : "Още версии..." }, diff --git a/apps/files_versions/l10n/bg.json b/apps/files_versions/l10n/bg.json index 3b16ecd57bc4b..ea3f3a6d5992b 100644 --- a/apps/files_versions/l10n/bg.json +++ b/apps/files_versions/l10n/bg.json @@ -4,6 +4,8 @@ "Failed to revert {file} to revision {timestamp}." : "Грешка при връщане на {file} към версия {timestamp}.", "_%n byte_::_%n bytes_" : ["%n байт","%n байта"], "Restore" : "Възтановяване", + "No earlier versions available" : "Няма други налични по-ранни версии", + "More versions …" : "Още версии ...", "No versions available" : "Няма налични версии", "More versions..." : "Още версии..." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/workflowengine/l10n/bg.js b/apps/workflowengine/l10n/bg.js index 7646f36302cda..8e456e5a73864 100644 --- a/apps/workflowengine/l10n/bg.js +++ b/apps/workflowengine/l10n/bg.js @@ -1,7 +1,9 @@ OC.L10N.register( "workflowengine", { + "Saved" : "Запазено", "Saving failed:" : "Запазването се провали:", + "File MIME type" : "Тип MIME файл", "is" : "е", "is not" : "не е", "matches" : "съвпадения", diff --git a/apps/workflowengine/l10n/bg.json b/apps/workflowengine/l10n/bg.json index 4788e40881d01..a5693cea290ee 100644 --- a/apps/workflowengine/l10n/bg.json +++ b/apps/workflowengine/l10n/bg.json @@ -1,5 +1,7 @@ { "translations": { + "Saved" : "Запазено", "Saving failed:" : "Запазването се провали:", + "File MIME type" : "Тип MIME файл", "is" : "е", "is not" : "не е", "matches" : "съвпадения", diff --git a/core/l10n/bg.js b/core/l10n/bg.js index 8dcd596b798ba..f22e892cb2fe6 100644 --- a/core/l10n/bg.js +++ b/core/l10n/bg.js @@ -14,10 +14,14 @@ OC.L10N.register( "No crop data provided" : "Липсват данни за изрязването", "No valid crop data provided" : "Липсват данни за изрязването", "Crop is not square" : "Областта не е квадратна", + "Password reset is disabled" : "Възстановяването на парола е изключено", "Couldn't reset password because the token is invalid" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е невалидна", "Couldn't reset password because the token is expired" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е изтекла", "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Имейлът за възстановяване на паролата не може да бъде изпратен защо потребителят няма имейл адрес. Свържете се с администратора.", "%s password reset" : "Паролата на %s е променена", + "Password reset" : "Възстановяване на парола", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следния бутон, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следната връзка, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", "Couldn't send reset email. Please make sure your username is correct." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, уверете се, че потребителското име е правилно.", "Preparing update" : "Подготовка за актуализиране", @@ -44,6 +48,11 @@ OC.L10N.register( "%s (incompatible)" : "%s (несъвместим)", "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", "Already up to date" : "Вече е актуална", + "Search contacts …" : "Търсене на контакти ...", + "No contacts found" : "Няма намерени контакти", + "Show all contacts …" : "Покажи всички контакти ...", + "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", + "Loading your contacts …" : "Зареждане на вашите контакти ...", "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", "Settings" : "Настройки", "Connection to server lost" : "Връзката със сървъра е загубена", @@ -62,12 +71,15 @@ OC.L10N.register( "I know what I'm doing" : "Знам какво правя", "Password can not be changed. Please contact your administrator." : "Паролата не може да бъде промена. Моля, свържете се с администратора.", "Reset password" : "Възстановяване на паролата", + "Sending email …" : "Изпращане на имейл ...", "No" : "Не", "Yes" : "Да", "No files in here" : "Тук няма файлове", "Choose" : "Избиране", "Copy" : "Копиране", + "Move" : "Преместване", "Error loading file picker template: {error}" : "Грешка при зареждането на шаблон за избор на файл: {error}", + "OK" : "ОК", "Error loading message template: {error}" : "Грешка при зареждането на шаблон за съобщения: {error}", "read-only" : "Само за четене", "_{count} file conflict_::_{count} file conflicts_" : ["{count} файлов конфликт","{count} файлови кофликта"], @@ -81,6 +93,8 @@ OC.L10N.register( "({count} selected)" : "({count} избрани)", "Error loading file exists template" : "Грешка при зареждането на шаблон за вече съществуващ файл", "Pending" : "Чакащо", + "Copy to {folder}" : "Копирай в {folder}", + "Move to {folder}" : "Премести в {folder}", "Very weak password" : "Много слаба парола", "Weak password" : "Слаба парола", "So-so password" : "Не особено добра парола", @@ -88,6 +102,8 @@ OC.L10N.register( "Strong password" : "Сигурна парола", "Error occurred while checking server setup" : "Възникна грешка при проверката на настройките на сървъра.", "Shared" : "Споделено", + "Shared with" : "Споделено с", + "Shared by" : "Споделено от", "Error setting expiration date" : "Грешка при настройване на датата за изтичане", "The public link will expire no later than {days} days after it is created" : "Общодостъпната връзка ще изтече не по-късно от {days} дни след създаването ѝ.", "Set expiration date" : "Задаване на дата на изтичане", @@ -113,6 +129,7 @@ OC.L10N.register( "group" : "група", "remote" : "отдалечен", "email" : "имейл", + "shared by {sharer}" : "споделено от {sharer}", "Unshare" : "Прекратяване на споделяне", "Could not unshare" : "Споделянето не е прекратено", "Error while sharing" : "Грешка при споделяне", @@ -204,7 +221,9 @@ OC.L10N.register( "Log in" : "Вписване", "Wrong password." : "Грешна парола", "Stay logged in" : "Остани вписан", + "Forgot password?" : "Забравена парола?", "Alternative Logins" : "Алтернативни методи на вписване", + "Redirecting …" : "Пренасочване ...", "New password" : "Нова парола", "New Password" : "Нова парола", "Two-factor authentication" : "Двуфакторно удостоверяване", @@ -212,6 +231,8 @@ OC.L10N.register( "Cancel log in" : "Откажи вписване", "Use backup code" : "Използвай код за възстановяване", "Error while validating your second factor" : "Грешка при валидиране на втория ви фактор", + "Access through untrusted domain" : "Достъп чрез ненадежден домейн", + "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", "Add \"%s\" as trusted domain" : "Добави \"%s\" като сигурен домейн", "App update required" : "Изисква се обновяване на добавката", "%s will be updated to version %s" : "%s ще бъде обновен до версия %s", @@ -223,6 +244,8 @@ OC.L10N.register( "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "За да избегнеш таймаутове при по-големи инсталации, можеш да изпълниш следните команди в инсталанционната директория:", "Detailed logs" : "Подробни логове", "Update needed" : "Нужно е обновяване", + "For help, see the documentation." : "За помощ, вижте документацията.", + "Upgrade via web on my own risk" : "Актуализиране чрез интернет на собствен риск", "This %s instance is currently in maintenance mode, which may take a while." : "В момента този %s се обновява, а това може да отнеме време.", "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", @@ -285,6 +308,9 @@ OC.L10N.register( "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимост от конфигурацията, като администратор натискайки долния бутон можете да маркирате домейна като сигурен.", "Please use the command line updater because you have a big instance." : "Моля използвайте съветникът за обновяване в команден ред, защото инстанцията ви е голяма.", - "For help, see the documentation." : "За помощ, вижте документацията." + "For help, see the documentation." : "За помощ, вижте документацията.", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не е правилно конфигуриран. За по-добри резултати препоръчваме да използвате следните настройки в php.ini:", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддържа FreeType. Това ще доведе до неправилното показване на профилните снимки и настройките на интерфейса" }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/bg.json b/core/l10n/bg.json index 3a9482603d3ea..bd38c76cf562c 100644 --- a/core/l10n/bg.json +++ b/core/l10n/bg.json @@ -12,10 +12,14 @@ "No crop data provided" : "Липсват данни за изрязването", "No valid crop data provided" : "Липсват данни за изрязването", "Crop is not square" : "Областта не е квадратна", + "Password reset is disabled" : "Възстановяването на парола е изключено", "Couldn't reset password because the token is invalid" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е невалидна", "Couldn't reset password because the token is expired" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е изтекла", "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Имейлът за възстановяване на паролата не може да бъде изпратен защо потребителят няма имейл адрес. Свържете се с администратора.", "%s password reset" : "Паролата на %s е променена", + "Password reset" : "Възстановяване на парола", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следния бутон, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следната връзка, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", "Couldn't send reset email. Please make sure your username is correct." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, уверете се, че потребителското име е правилно.", "Preparing update" : "Подготовка за актуализиране", @@ -42,6 +46,11 @@ "%s (incompatible)" : "%s (несъвместим)", "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", "Already up to date" : "Вече е актуална", + "Search contacts …" : "Търсене на контакти ...", + "No contacts found" : "Няма намерени контакти", + "Show all contacts …" : "Покажи всички контакти ...", + "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", + "Loading your contacts …" : "Зареждане на вашите контакти ...", "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", "Settings" : "Настройки", "Connection to server lost" : "Връзката със сървъра е загубена", @@ -60,12 +69,15 @@ "I know what I'm doing" : "Знам какво правя", "Password can not be changed. Please contact your administrator." : "Паролата не може да бъде промена. Моля, свържете се с администратора.", "Reset password" : "Възстановяване на паролата", + "Sending email …" : "Изпращане на имейл ...", "No" : "Не", "Yes" : "Да", "No files in here" : "Тук няма файлове", "Choose" : "Избиране", "Copy" : "Копиране", + "Move" : "Преместване", "Error loading file picker template: {error}" : "Грешка при зареждането на шаблон за избор на файл: {error}", + "OK" : "ОК", "Error loading message template: {error}" : "Грешка при зареждането на шаблон за съобщения: {error}", "read-only" : "Само за четене", "_{count} file conflict_::_{count} file conflicts_" : ["{count} файлов конфликт","{count} файлови кофликта"], @@ -79,6 +91,8 @@ "({count} selected)" : "({count} избрани)", "Error loading file exists template" : "Грешка при зареждането на шаблон за вече съществуващ файл", "Pending" : "Чакащо", + "Copy to {folder}" : "Копирай в {folder}", + "Move to {folder}" : "Премести в {folder}", "Very weak password" : "Много слаба парола", "Weak password" : "Слаба парола", "So-so password" : "Не особено добра парола", @@ -86,6 +100,8 @@ "Strong password" : "Сигурна парола", "Error occurred while checking server setup" : "Възникна грешка при проверката на настройките на сървъра.", "Shared" : "Споделено", + "Shared with" : "Споделено с", + "Shared by" : "Споделено от", "Error setting expiration date" : "Грешка при настройване на датата за изтичане", "The public link will expire no later than {days} days after it is created" : "Общодостъпната връзка ще изтече не по-късно от {days} дни след създаването ѝ.", "Set expiration date" : "Задаване на дата на изтичане", @@ -111,6 +127,7 @@ "group" : "група", "remote" : "отдалечен", "email" : "имейл", + "shared by {sharer}" : "споделено от {sharer}", "Unshare" : "Прекратяване на споделяне", "Could not unshare" : "Споделянето не е прекратено", "Error while sharing" : "Грешка при споделяне", @@ -202,7 +219,9 @@ "Log in" : "Вписване", "Wrong password." : "Грешна парола", "Stay logged in" : "Остани вписан", + "Forgot password?" : "Забравена парола?", "Alternative Logins" : "Алтернативни методи на вписване", + "Redirecting …" : "Пренасочване ...", "New password" : "Нова парола", "New Password" : "Нова парола", "Two-factor authentication" : "Двуфакторно удостоверяване", @@ -210,6 +229,8 @@ "Cancel log in" : "Откажи вписване", "Use backup code" : "Използвай код за възстановяване", "Error while validating your second factor" : "Грешка при валидиране на втория ви фактор", + "Access through untrusted domain" : "Достъп чрез ненадежден домейн", + "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", "Add \"%s\" as trusted domain" : "Добави \"%s\" като сигурен домейн", "App update required" : "Изисква се обновяване на добавката", "%s will be updated to version %s" : "%s ще бъде обновен до версия %s", @@ -221,6 +242,8 @@ "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "За да избегнеш таймаутове при по-големи инсталации, можеш да изпълниш следните команди в инсталанционната директория:", "Detailed logs" : "Подробни логове", "Update needed" : "Нужно е обновяване", + "For help, see the documentation." : "За помощ, вижте документацията.", + "Upgrade via web on my own risk" : "Актуализиране чрез интернет на собствен риск", "This %s instance is currently in maintenance mode, which may take a while." : "В момента този %s се обновява, а това може да отнеме време.", "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", @@ -283,6 +306,9 @@ "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимост от конфигурацията, като администратор натискайки долния бутон можете да маркирате домейна като сигурен.", "Please use the command line updater because you have a big instance." : "Моля използвайте съветникът за обновяване в команден ред, защото инстанцията ви е голяма.", - "For help, see the documentation." : "За помощ, вижте документацията." + "For help, see the documentation." : "За помощ, вижте документацията.", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не е правилно конфигуриран. За по-добри резултати препоръчваме да използвате следните настройки в php.ini:", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддържа FreeType. Това ще доведе до неправилното показване на профилните снимки и настройките на интерфейса" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 3524773762f9b..23c0271dd122a 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -276,6 +276,7 @@ OC.L10N.register( "Username or email" : "Gebruikersnaam of email", "Log in" : "Inloggen", "Wrong password." : "Onjuist wachtwoord.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "We hebben meerdere foutieve inlogverzoeken van jouw IP gedetecteerd. Hierdoor wordt je volgende inlogverzoek 30 seconden uitgesteld.", "Stay logged in" : "Ingelogd blijven", "Forgot password?" : "Wachtwoord vergeten?", "Back to log in" : "Terug naar inloggen", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 4cbd47c9cd2c5..176145eca3a82 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -274,6 +274,7 @@ "Username or email" : "Gebruikersnaam of email", "Log in" : "Inloggen", "Wrong password." : "Onjuist wachtwoord.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "We hebben meerdere foutieve inlogverzoeken van jouw IP gedetecteerd. Hierdoor wordt je volgende inlogverzoek 30 seconden uitgesteld.", "Stay logged in" : "Ingelogd blijven", "Forgot password?" : "Wachtwoord vergeten?", "Back to log in" : "Terug naar inloggen", diff --git a/settings/l10n/zh_CN.js b/settings/l10n/zh_CN.js index 5c0f2bd392dea..ad35e90389e9c 100644 --- a/settings/l10n/zh_CN.js +++ b/settings/l10n/zh_CN.js @@ -103,9 +103,15 @@ OC.L10N.register( "Error: This app can not be enabled because it makes the server unstable" : "错误: 无法启用应用因为它会导致服务器不稳定", "Error: Could not disable broken app" : "错误: 无法禁用损坏的应用", "Error while disabling broken app" : "禁用损坏的应用时出错", + "App up to date" : "已是最新应用", + "Upgrading …" : "正在更新。。。", + "Could not upgrade app" : "无法更新应用", "Updated" : "已更新", "Removing …" : "正在移除...", + "Could not remove app" : "无法移除应用", "Remove" : "移除", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "已启用该应用,但需要升级。 您将在5秒内跳转到升级页面。", + "App upgrade" : "应用更新", "Approved" : "已认证", "Experimental" : "实验", "No apps found for {query}" : "找不到符合 {query} 的应用", @@ -256,6 +262,7 @@ OC.L10N.register( "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "我们强烈建议在您的系统中安装需要的包以支持下列区域: %s.", "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "如果您不是安装在域名的根目录, 并且使用系统 cron 服务时, 可能导致 URL 生成问题. 为了避免这些问题, 请在您的 config.php 文件中设置 \"overwrite.cli.url\" 选项为您的安装根目录路径 (建议: \"%s\")", "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "由于下列的技术错误, 无法通过 CLI 执行计划任务:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "请仔细检查安装指南,并检查日志中是否有错误或警告。", "All checks passed." : "所有检查已通过.", "Background jobs" : "后台任务", "Last job ran %s." : "上次定时任务执行于: %s.", diff --git a/settings/l10n/zh_CN.json b/settings/l10n/zh_CN.json index 81ea2021786f6..173f4e0a17c6f 100644 --- a/settings/l10n/zh_CN.json +++ b/settings/l10n/zh_CN.json @@ -101,9 +101,15 @@ "Error: This app can not be enabled because it makes the server unstable" : "错误: 无法启用应用因为它会导致服务器不稳定", "Error: Could not disable broken app" : "错误: 无法禁用损坏的应用", "Error while disabling broken app" : "禁用损坏的应用时出错", + "App up to date" : "已是最新应用", + "Upgrading …" : "正在更新。。。", + "Could not upgrade app" : "无法更新应用", "Updated" : "已更新", "Removing …" : "正在移除...", + "Could not remove app" : "无法移除应用", "Remove" : "移除", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "已启用该应用,但需要升级。 您将在5秒内跳转到升级页面。", + "App upgrade" : "应用更新", "Approved" : "已认证", "Experimental" : "实验", "No apps found for {query}" : "找不到符合 {query} 的应用", @@ -254,6 +260,7 @@ "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "我们强烈建议在您的系统中安装需要的包以支持下列区域: %s.", "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "如果您不是安装在域名的根目录, 并且使用系统 cron 服务时, 可能导致 URL 生成问题. 为了避免这些问题, 请在您的 config.php 文件中设置 \"overwrite.cli.url\" 选项为您的安装根目录路径 (建议: \"%s\")", "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "由于下列的技术错误, 无法通过 CLI 执行计划任务:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "请仔细检查安装指南,并检查日志中是否有错误或警告。", "All checks passed." : "所有检查已通过.", "Background jobs" : "后台任务", "Last job ran %s." : "上次定时任务执行于: %s.", From 3d10c3ace563f401004d1893a4cef1bb96cc4804 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Mon, 22 Jan 2018 17:08:24 +0100 Subject: [PATCH 024/251] increase the time we wait for smb notifications in the test Signed-off-by: Robin Appelman --- apps/files_external/tests/Storage/SmbTest.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/files_external/tests/Storage/SmbTest.php b/apps/files_external/tests/Storage/SmbTest.php index edacb498d5e0c..e3c0408114d81 100644 --- a/apps/files_external/tests/Storage/SmbTest.php +++ b/apps/files_external/tests/Storage/SmbTest.php @@ -96,11 +96,11 @@ public function testStorageId() { public function testNotifyGetChanges() { $notifyHandler = $this->instance->notify(''); - usleep(100 * 1000); //give time for the notify to start + sleep(1); //give time for the notify to start $this->instance->file_put_contents('/newfile.txt', 'test content'); $this->instance->rename('/newfile.txt', 'renamed.txt'); $this->instance->unlink('/renamed.txt'); - usleep(100 * 1000); //time for all changes to be processed + sleep(1); //time for all changes to be processed $changes = $notifyHandler->getChanges(); $notifyHandler->stop(); From 3b35c226ce7ba755ec933b57e008a7748a9a0195 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Wed, 24 Jan 2018 01:11:02 +0000 Subject: [PATCH 025/251] [tx-robot] updated from transifex --- core/l10n/bg.js | 2 +- core/l10n/bg.json | 2 +- core/l10n/ca.js | 2 +- core/l10n/ca.json | 2 +- core/l10n/cs.js | 2 +- core/l10n/cs.json | 2 +- core/l10n/da.js | 2 +- core/l10n/da.json | 2 +- core/l10n/de.js | 2 +- core/l10n/de.json | 2 +- core/l10n/de_DE.js | 2 +- core/l10n/de_DE.json | 2 +- core/l10n/el.js | 2 +- core/l10n/el.json | 2 +- core/l10n/en_GB.js | 2 +- core/l10n/en_GB.json | 2 +- core/l10n/es.js | 2 +- core/l10n/es.json | 2 +- core/l10n/es_419.js | 2 +- core/l10n/es_419.json | 2 +- core/l10n/es_AR.js | 2 +- core/l10n/es_AR.json | 2 +- core/l10n/es_CL.js | 2 +- core/l10n/es_CL.json | 2 +- core/l10n/es_CO.js | 2 +- core/l10n/es_CO.json | 2 +- core/l10n/es_CR.js | 2 +- core/l10n/es_CR.json | 2 +- core/l10n/es_DO.js | 2 +- core/l10n/es_DO.json | 2 +- core/l10n/es_EC.js | 2 +- core/l10n/es_EC.json | 2 +- core/l10n/es_GT.js | 2 +- core/l10n/es_GT.json | 2 +- core/l10n/es_HN.js | 2 +- core/l10n/es_HN.json | 2 +- core/l10n/es_MX.js | 2 +- core/l10n/es_MX.json | 2 +- core/l10n/es_NI.js | 2 +- core/l10n/es_NI.json | 2 +- core/l10n/es_PA.js | 2 +- core/l10n/es_PA.json | 2 +- core/l10n/es_PE.js | 2 +- core/l10n/es_PE.json | 2 +- core/l10n/es_PR.js | 2 +- core/l10n/es_PR.json | 2 +- core/l10n/es_PY.js | 2 +- core/l10n/es_PY.json | 2 +- core/l10n/es_SV.js | 2 +- core/l10n/es_SV.json | 2 +- core/l10n/es_UY.js | 2 +- core/l10n/es_UY.json | 2 +- core/l10n/et_EE.js | 2 +- core/l10n/et_EE.json | 2 +- core/l10n/eu.js | 2 +- core/l10n/eu.json | 2 +- core/l10n/fa.js | 2 +- core/l10n/fa.json | 2 +- core/l10n/fi.js | 2 +- core/l10n/fi.json | 2 +- core/l10n/fr.js | 2 +- core/l10n/fr.json | 2 +- core/l10n/hu.js | 3 ++- core/l10n/hu.json | 3 ++- core/l10n/is.js | 2 +- core/l10n/is.json | 2 +- core/l10n/it.js | 2 +- core/l10n/it.json | 2 +- core/l10n/ja.js | 2 +- core/l10n/ja.json | 2 +- core/l10n/ka_GE.js | 2 +- core/l10n/ka_GE.json | 2 +- core/l10n/ko.js | 4 +++- core/l10n/ko.json | 4 +++- core/l10n/lt_LT.js | 2 +- core/l10n/lt_LT.json | 2 +- core/l10n/lv.js | 4 ++-- core/l10n/lv.json | 4 ++-- core/l10n/nb.js | 2 +- core/l10n/nb.json | 2 +- core/l10n/nl.js | 2 +- core/l10n/nl.json | 2 +- core/l10n/pl.js | 2 +- core/l10n/pl.json | 2 +- core/l10n/pt_BR.js | 2 +- core/l10n/pt_BR.json | 2 +- core/l10n/pt_PT.js | 2 +- core/l10n/pt_PT.json | 2 +- core/l10n/ro.js | 2 +- core/l10n/ro.json | 2 +- core/l10n/ru.js | 2 +- core/l10n/ru.json | 2 +- core/l10n/sk.js | 2 +- core/l10n/sk.json | 2 +- core/l10n/sl.js | 4 ++-- core/l10n/sl.json | 4 ++-- core/l10n/sq.js | 2 +- core/l10n/sq.json | 2 +- core/l10n/sr.js | 2 +- core/l10n/sr.json | 2 +- core/l10n/sv.js | 2 +- core/l10n/sv.json | 2 +- core/l10n/tr.js | 2 +- core/l10n/tr.json | 2 +- core/l10n/uk.js | 2 +- core/l10n/uk.json | 2 +- core/l10n/vi.js | 2 +- core/l10n/vi.json | 2 +- core/l10n/zh_CN.js | 2 +- core/l10n/zh_CN.json | 2 +- core/l10n/zh_TW.js | 2 +- core/l10n/zh_TW.json | 2 +- 112 files changed, 122 insertions(+), 116 deletions(-) diff --git a/core/l10n/bg.js b/core/l10n/bg.js index f22e892cb2fe6..5cc6f1077be6b 100644 --- a/core/l10n/bg.js +++ b/core/l10n/bg.js @@ -51,7 +51,6 @@ OC.L10N.register( "Search contacts …" : "Търсене на контакти ...", "No contacts found" : "Няма намерени контакти", "Show all contacts …" : "Покажи всички контакти ...", - "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", "Loading your contacts …" : "Зареждане на вашите контакти ...", "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", "Settings" : "Настройки", @@ -309,6 +308,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимост от конфигурацията, като администратор натискайки долния бутон можете да маркирате домейна като сигурен.", "Please use the command line updater because you have a big instance." : "Моля използвайте съветникът за обновяване в команден ред, защото инстанцията ви е голяма.", "For help, see the documentation." : "За помощ, вижте документацията.", + "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не е правилно конфигуриран. За по-добри резултати препоръчваме да използвате следните настройки в php.ini:", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддържа FreeType. Това ще доведе до неправилното показване на профилните снимки и настройките на интерфейса" diff --git a/core/l10n/bg.json b/core/l10n/bg.json index bd38c76cf562c..a96b65a85a5de 100644 --- a/core/l10n/bg.json +++ b/core/l10n/bg.json @@ -49,7 +49,6 @@ "Search contacts …" : "Търсене на контакти ...", "No contacts found" : "Няма намерени контакти", "Show all contacts …" : "Покажи всички контакти ...", - "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", "Loading your contacts …" : "Зареждане на вашите контакти ...", "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", "Settings" : "Настройки", @@ -307,6 +306,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимост от конфигурацията, като администратор натискайки долния бутон можете да маркирате домейна като сигурен.", "Please use the command line updater because you have a big instance." : "Моля използвайте съветникът за обновяване в команден ред, защото инстанцията ви е голяма.", "For help, see the documentation." : "За помощ, вижте документацията.", + "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не е правилно конфигуриран. За по-добри резултати препоръчваме да използвате следните настройки в php.ini:", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддържа FreeType. Това ще доведе до неправилното показване на профилните снимки и настройките на интерфейса" diff --git a/core/l10n/ca.js b/core/l10n/ca.js index d4d036f9b4a30..3f399457c37f1 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Cerca contactes …", "No contacts found" : "No s'han trobat contactes", "Show all contacts …" : "Mostra tots els contactes …", - "There was an error loading your contacts" : "Hi ha hagut un error al carregar els teus contactes", "Loading your contacts …" : "Carregant els teus contactes …", "Looking for {term} …" : "Buscant {term} …", "There were problems with the code integrity check. More information…" : "Hi ha hagut problemes amb la comprovació d'integritat del codi. Més informació…", @@ -347,6 +346,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En funció de la teva configuració, com a administrador podries utilitzar el botó d'abaix per confiar en aquest domini.", "Please use the command line updater because you have a big instance." : "Si us plau, utilitza l'actualització per línia de comandes perquè tens una instància gran.", "For help, see the documentation." : "Per obtenir ajuda, mira la documentació.", + "There was an error loading your contacts" : "Hi ha hagut un error al carregar els teus contactes", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La OPcache de PHP no està configurada correctament. Per millor rendiment recomanem utilitzar-la seguint la configuració en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funció PHP \"set_time_limit\" no està disponible. Això podria resultar en scripts que s’aturin a mig execució, trencant la instal·lació. Us recomanem activar aquesta funció.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "El teu directori de dades i fitxers són probablement accessibles des d'Internet. L'arxiu .htaccess no està funcionant. Es recomana que configureu el servidor web de manera que el directori de dades no estigui accessible o moure el directori de dades fora de l'arrel de document de servidor de web.", diff --git a/core/l10n/ca.json b/core/l10n/ca.json index fb7fde6718744..d4af5065c3f5f 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -54,7 +54,6 @@ "Search contacts …" : "Cerca contactes …", "No contacts found" : "No s'han trobat contactes", "Show all contacts …" : "Mostra tots els contactes …", - "There was an error loading your contacts" : "Hi ha hagut un error al carregar els teus contactes", "Loading your contacts …" : "Carregant els teus contactes …", "Looking for {term} …" : "Buscant {term} …", "There were problems with the code integrity check. More information…" : "Hi ha hagut problemes amb la comprovació d'integritat del codi. Més informació…", @@ -345,6 +344,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En funció de la teva configuració, com a administrador podries utilitzar el botó d'abaix per confiar en aquest domini.", "Please use the command line updater because you have a big instance." : "Si us plau, utilitza l'actualització per línia de comandes perquè tens una instància gran.", "For help, see the documentation." : "Per obtenir ajuda, mira la documentació.", + "There was an error loading your contacts" : "Hi ha hagut un error al carregar els teus contactes", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La OPcache de PHP no està configurada correctament. Per millor rendiment recomanem utilitzar-la seguint la configuració en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funció PHP \"set_time_limit\" no està disponible. Això podria resultar en scripts que s’aturin a mig execució, trencant la instal·lació. Us recomanem activar aquesta funció.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "El teu directori de dades i fitxers són probablement accessibles des d'Internet. L'arxiu .htaccess no està funcionant. Es recomana que configureu el servidor web de manera que el directori de dades no estigui accessible o moure el directori de dades fora de l'arrel de document de servidor de web.", diff --git a/core/l10n/cs.js b/core/l10n/cs.js index 2e0873a71345f..f271dbcb04390 100644 --- a/core/l10n/cs.js +++ b/core/l10n/cs.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Prohledat kontakty...", "No contacts found" : "Nebyly nalezeny žádné kontakty", "Show all contacts …" : "Zobrazit všechny kontakty …", - "There was an error loading your contacts" : "Při načítání vašich kontaktů došlo k chybě", "Loading your contacts …" : "Načítání vašich kontaktů …", "Looking for {term} …" : "Hledání {term} …", "There were problems with the code integrity check. More information…" : "Došlo k problémům při kontrole integrity kódu. Více informací…", @@ -351,6 +350,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na vaší konfiguraci vám může být, jako správci, umožněno použití tlačítka níže k označení této domény jako důvěryhodné.", "Please use the command line updater because you have a big instance." : "Prosím použijte aktualizační příkazový řádek, protože máte velkou instanci.", "For help, see the documentation." : "Pro pomoc, shlédněte dokumentaci.", + "There was an error loading your contacts" : "Při načítání vašich kontaktů došlo k chybě", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache není správně nakonfigurována.Pro lepší výkon doporučujeme použít následující nastavení v php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funkce \"set_time_limit\" není dostupná. To může způsobit ukončení skriptů uprostřed provádění a další problémy s instalací. Doporučujeme tuto funkc povolit.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš datový adresář a vaše soubory jsou pravděpodobně dostupné z internetu. Soubor .htaccess nefunguje. Je velmi doporučeno zajistit, aby tento adresář již nebyl dostupný z internetu, nebo byl přesunut mimo document root webového serveru.", diff --git a/core/l10n/cs.json b/core/l10n/cs.json index 9f979550b1885..455574355fbef 100644 --- a/core/l10n/cs.json +++ b/core/l10n/cs.json @@ -54,7 +54,6 @@ "Search contacts …" : "Prohledat kontakty...", "No contacts found" : "Nebyly nalezeny žádné kontakty", "Show all contacts …" : "Zobrazit všechny kontakty …", - "There was an error loading your contacts" : "Při načítání vašich kontaktů došlo k chybě", "Loading your contacts …" : "Načítání vašich kontaktů …", "Looking for {term} …" : "Hledání {term} …", "There were problems with the code integrity check. More information…" : "Došlo k problémům při kontrole integrity kódu. Více informací…", @@ -349,6 +348,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na vaší konfiguraci vám může být, jako správci, umožněno použití tlačítka níže k označení této domény jako důvěryhodné.", "Please use the command line updater because you have a big instance." : "Prosím použijte aktualizační příkazový řádek, protože máte velkou instanci.", "For help, see the documentation." : "Pro pomoc, shlédněte dokumentaci.", + "There was an error loading your contacts" : "Při načítání vašich kontaktů došlo k chybě", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache není správně nakonfigurována.Pro lepší výkon doporučujeme použít následující nastavení v php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funkce \"set_time_limit\" není dostupná. To může způsobit ukončení skriptů uprostřed provádění a další problémy s instalací. Doporučujeme tuto funkc povolit.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš datový adresář a vaše soubory jsou pravděpodobně dostupné z internetu. Soubor .htaccess nefunguje. Je velmi doporučeno zajistit, aby tento adresář již nebyl dostupný z internetu, nebo byl přesunut mimo document root webového serveru.", diff --git a/core/l10n/da.js b/core/l10n/da.js index 285a5aa13f342..222180aff652d 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Søg efter brugere ...", "No contacts found" : "Ingen kontakter", "Show all contacts …" : "Vis alle kontakter …", - "There was an error loading your contacts" : "Der opstod en fejl under indlæsning af dine kontakter", "Loading your contacts …" : "Henter dine kontakter …", "Looking for {term} …" : "Leder efter {term} …", "There were problems with the code integrity check. More information…" : "Der var problemer med integritetskontrollen af koden. Mere information...", @@ -355,6 +354,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhænger af din konfiguration, da du som administrator eventuelt også er i stand til at gøre brug af knappen nedenfor til at tildele tillid til dette domæne.", "Please use the command line updater because you have a big instance." : "Brug venligst kommandolinje til at opdatere fordi du har en stor installation", "For help, see the documentation." : "For hjælp se dokumentationen.", + "There was an error loading your contacts" : "Der opstod en fejl under indlæsning af dine kontakter", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache er ikke rigtigt konfigureret. For bedre performance anbefaler vi at bruge følgende indstillinger i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funktionen \"set_time_limit\" er ikke tilgængelig. Dette kan resultere i at scripts stopper halvvejs og din installation fejler. Vi anbefaler at aktivere denne funktion.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din data-mappe og dine filer ser ud til at være tilgængelig på intetnettet. Din .htaccess fungere ikke korrekt. Du anbefales på det kraftigste til at sætte din webserver op så din data-mappe ikke længere er tilgængelig på intetnettet eller flytte data-mappen væk fra webserverens dokumentrod.", diff --git a/core/l10n/da.json b/core/l10n/da.json index ff46d6061c607..4885bce46eccd 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -54,7 +54,6 @@ "Search contacts …" : "Søg efter brugere ...", "No contacts found" : "Ingen kontakter", "Show all contacts …" : "Vis alle kontakter …", - "There was an error loading your contacts" : "Der opstod en fejl under indlæsning af dine kontakter", "Loading your contacts …" : "Henter dine kontakter …", "Looking for {term} …" : "Leder efter {term} …", "There were problems with the code integrity check. More information…" : "Der var problemer med integritetskontrollen af koden. Mere information...", @@ -353,6 +352,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhænger af din konfiguration, da du som administrator eventuelt også er i stand til at gøre brug af knappen nedenfor til at tildele tillid til dette domæne.", "Please use the command line updater because you have a big instance." : "Brug venligst kommandolinje til at opdatere fordi du har en stor installation", "For help, see the documentation." : "For hjælp se dokumentationen.", + "There was an error loading your contacts" : "Der opstod en fejl under indlæsning af dine kontakter", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache er ikke rigtigt konfigureret. For bedre performance anbefaler vi at bruge følgende indstillinger i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funktionen \"set_time_limit\" er ikke tilgængelig. Dette kan resultere i at scripts stopper halvvejs og din installation fejler. Vi anbefaler at aktivere denne funktion.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din data-mappe og dine filer ser ud til at være tilgængelig på intetnettet. Din .htaccess fungere ikke korrekt. Du anbefales på det kraftigste til at sætte din webserver op så din data-mappe ikke længere er tilgængelig på intetnettet eller flytte data-mappen væk fra webserverens dokumentrod.", diff --git a/core/l10n/de.js b/core/l10n/de.js index c37588a6ace0d..386a710edcf9e 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", - "There was an error loading your contacts" : "Fehler beim Laden Deiner Kontakte", "Loading your contacts …" : "Lade Deine Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Deine Konfiguration zulässt, kannst Du als Administrator die folgende Schaltfläche benutzen, um diese Domain als vertrauenswürdig einzustufen.", "Please use the command line updater because you have a big instance." : "Da Du eine große Instanz nutzt, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", "For help, see the documentation." : "Für weitere Hilfen, schaue bitte in die Dokumentation.", + "There was an error loading your contacts" : "Fehler beim Laden Deiner Kontakte", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", diff --git a/core/l10n/de.json b/core/l10n/de.json index fd0560623973b..0ab1a7da96445 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -54,7 +54,6 @@ "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", - "There was an error loading your contacts" : "Fehler beim Laden Deiner Kontakte", "Loading your contacts …" : "Lade Deine Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Deine Konfiguration zulässt, kannst Du als Administrator die folgende Schaltfläche benutzen, um diese Domain als vertrauenswürdig einzustufen.", "Please use the command line updater because you have a big instance." : "Da Du eine große Instanz nutzt, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", "For help, see the documentation." : "Für weitere Hilfen, schaue bitte in die Dokumentation.", + "There was an error loading your contacts" : "Fehler beim Laden Deiner Kontakte", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index dd6449ad55627..99a4095ac3f87 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", - "There was an error loading your contacts" : "Fehler beim Laden Ihrer Kontakte", "Loading your contacts …" : "Lade Ihre Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Ihre Konfiguration zulässt, können Sie als Administrator gegebenenfalls den Button unten benutzen, um diese Domain als vertrauenswürdig einzustufen.", "Please use the command line updater because you have a big instance." : "Da Sie eine große Instanz von Nextcloud besitzen, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", "For help, see the documentation." : "Für weitere Hilfen, schauen Sie bitte in die Dokumentation.", + "There was an error loading your contacts" : "Fehler beim Laden Ihrer Kontakte", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index d00cb8b58b314..8b8d0aa8e8be9 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -54,7 +54,6 @@ "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", - "There was an error loading your contacts" : "Fehler beim Laden Ihrer Kontakte", "Loading your contacts …" : "Lade Ihre Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Ihre Konfiguration zulässt, können Sie als Administrator gegebenenfalls den Button unten benutzen, um diese Domain als vertrauenswürdig einzustufen.", "Please use the command line updater because you have a big instance." : "Da Sie eine große Instanz von Nextcloud besitzen, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", "For help, see the documentation." : "Für weitere Hilfen, schauen Sie bitte in die Dokumentation.", + "There was an error loading your contacts" : "Fehler beim Laden Ihrer Kontakte", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", diff --git a/core/l10n/el.js b/core/l10n/el.js index f852dcace119d..999de534091e9 100644 --- a/core/l10n/el.js +++ b/core/l10n/el.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Αναζήτηση επαφών ...", "No contacts found" : "Δεν βρέθηκαν επαφές", "Show all contacts …" : "Εμφάνιση όλων των επαφών ...", - "There was an error loading your contacts" : "Υπήρξε σφάλμα κατά την φόρτωση των επαφών σας", "Loading your contacts …" : "Φόρτωση των επαφών σας ...", "Looking for {term} …" : "Αναζήτηση για {term} …", "There were problems with the code integrity check. More information…" : "Υπήρξαν προβλήματα κατά τον έλεγχο ακεραιότητας κώδικα. Περισσότερες πληροφορίες…", @@ -345,6 +344,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Ανάλογα με τις ρυθμίσεις σας, σαν διαχειριστής θα μπορούσατε επίσης να χρησιμοποιήσετε το παρακάτω κουμπί για να εμπιστευθείτε αυτόν τον τομέα.", "Please use the command line updater because you have a big instance." : "Παρακαλούμε χρησιμοποιήστε την ενημέρωση μέσω γραμμής εντολών διότι έχετε μεγάλη εγκατάσταση.", "For help, see the documentation." : "Για βοήθεια, δείτε στην τεκμηρίωση.", + "There was an error loading your contacts" : "Υπήρξε σφάλμα κατά την φόρτωση των επαφών σας", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "H PHP OPcache δεν είναι σωστά διαμορφωμένη. Για καλύτερη απόδοση προτείνεταινα χρησιμοποιήσετε τις εξής ρυθμίσεις στο php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Μη διαθέσιμη η λειτουργία της PHP \"set_time_limit\". Αυτό μπορεί να διακόψει την εκτέλεση των διαφόρων scripts με αποτέλεσμα να διακοπεί η εγκατάστασή σας. Σας συνιστούμε να ενεργοποιήσετε αυτή τη λειτουργία.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ο κατάλογος δεδομένων και τα αρχεία σας είναι πιθανόν προσβάσιμα από το διαδίκτυο. Το αρχείο .htaccess δεν λειτουργεί. Σας προτείνουμε να ρυθμίσετε το διακομιστή σας με τέτοιο τρόπο ώστε ο κατάλογος δεδομένων να μην είναι πλέον προσβάσιμος ή να μετακινήσετε τον κατάλογο δεδομένων εκτός του ριζικού καταλόγου εγγράφων του διακομιστή.", diff --git a/core/l10n/el.json b/core/l10n/el.json index a96587e84fed8..2c6d01a5581b7 100644 --- a/core/l10n/el.json +++ b/core/l10n/el.json @@ -54,7 +54,6 @@ "Search contacts …" : "Αναζήτηση επαφών ...", "No contacts found" : "Δεν βρέθηκαν επαφές", "Show all contacts …" : "Εμφάνιση όλων των επαφών ...", - "There was an error loading your contacts" : "Υπήρξε σφάλμα κατά την φόρτωση των επαφών σας", "Loading your contacts …" : "Φόρτωση των επαφών σας ...", "Looking for {term} …" : "Αναζήτηση για {term} …", "There were problems with the code integrity check. More information…" : "Υπήρξαν προβλήματα κατά τον έλεγχο ακεραιότητας κώδικα. Περισσότερες πληροφορίες…", @@ -343,6 +342,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Ανάλογα με τις ρυθμίσεις σας, σαν διαχειριστής θα μπορούσατε επίσης να χρησιμοποιήσετε το παρακάτω κουμπί για να εμπιστευθείτε αυτόν τον τομέα.", "Please use the command line updater because you have a big instance." : "Παρακαλούμε χρησιμοποιήστε την ενημέρωση μέσω γραμμής εντολών διότι έχετε μεγάλη εγκατάσταση.", "For help, see the documentation." : "Για βοήθεια, δείτε στην τεκμηρίωση.", + "There was an error loading your contacts" : "Υπήρξε σφάλμα κατά την φόρτωση των επαφών σας", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "H PHP OPcache δεν είναι σωστά διαμορφωμένη. Για καλύτερη απόδοση προτείνεταινα χρησιμοποιήσετε τις εξής ρυθμίσεις στο php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Μη διαθέσιμη η λειτουργία της PHP \"set_time_limit\". Αυτό μπορεί να διακόψει την εκτέλεση των διαφόρων scripts με αποτέλεσμα να διακοπεί η εγκατάστασή σας. Σας συνιστούμε να ενεργοποιήσετε αυτή τη λειτουργία.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ο κατάλογος δεδομένων και τα αρχεία σας είναι πιθανόν προσβάσιμα από το διαδίκτυο. Το αρχείο .htaccess δεν λειτουργεί. Σας προτείνουμε να ρυθμίσετε το διακομιστή σας με τέτοιο τρόπο ώστε ο κατάλογος δεδομένων να μην είναι πλέον προσβάσιμος ή να μετακινήσετε τον κατάλογο δεδομένων εκτός του ριζικού καταλόγου εγγράφων του διακομιστή.", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index ea56157601003..5c22003ae3dbd 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Search contacts …", "No contacts found" : "No contacts found", "Show all contacts …" : "Show all contacts …", - "There was an error loading your contacts" : "There was an error loading your contacts", "Loading your contacts …" : "Loading your contacts …", "Looking for {term} …" : "Looking for {term} …", "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain.", "Please use the command line updater because you have a big instance." : "Please use the command line updater because you have a big instance.", "For help, see the documentation." : "For help, see the documentation.", + "There was an error loading your contacts" : "There was an error loading your contacts", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index d709ca0586289..9784e04afa454 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -54,7 +54,6 @@ "Search contacts …" : "Search contacts …", "No contacts found" : "No contacts found", "Show all contacts …" : "Show all contacts …", - "There was an error loading your contacts" : "There was an error loading your contacts", "Loading your contacts …" : "Loading your contacts …", "Looking for {term} …" : "Looking for {term} …", "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain.", "Please use the command line updater because you have a big instance." : "Please use the command line updater because you have a big instance.", "For help, see the documentation." : "For help, see the documentation.", + "There was an error loading your contacts" : "There was an error loading your contacts", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", diff --git a/core/l10n/es.js b/core/l10n/es.js index 6667a0dd91a5b..8163d69b02095 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos...", "No contacts found" : "No se han encontrado contactos", "Show all contacts …" : "Mostrar todos los contactos...", - "There was an error loading your contacts" : "Ha habido un error cargando tus contactos", "Loading your contacts …" : "Cargando tus contactos...", "Looking for {term} …" : "Buscando {term}...", "There were problems with the code integrity check. More information…" : "Ha habido problemas durante la comprobación de la integridad del código. Más información…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como administrador, debería poder usar el botón de abajo para confiar en este dominio.", "Please use the command line updater because you have a big instance." : "Por favor utilice la actualización mediante la linea de comandos porque tiene pendiente una gran actualización.", "For help, see the documentation." : "Para ayuda, mirar la documentación.", + "There was an error loading your contacts" : "Ha habido un error cargando tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La caché OPCache de PHP no ha sido configurada correctamente. Para un mejor funcionamiento recomendamos usar la siguiente configuración en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_limit_time\" no esta disponible. Esto podría resultar en el script siendo terminado a la mitad de la ejecución, rompiendo la instalación. Le sugerimos considerablemente que active esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", diff --git a/core/l10n/es.json b/core/l10n/es.json index a69eac985b01e..16421ea1bbcb0 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos...", "No contacts found" : "No se han encontrado contactos", "Show all contacts …" : "Mostrar todos los contactos...", - "There was an error loading your contacts" : "Ha habido un error cargando tus contactos", "Loading your contacts …" : "Cargando tus contactos...", "Looking for {term} …" : "Buscando {term}...", "There were problems with the code integrity check. More information…" : "Ha habido problemas durante la comprobación de la integridad del código. Más información…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como administrador, debería poder usar el botón de abajo para confiar en este dominio.", "Please use the command line updater because you have a big instance." : "Por favor utilice la actualización mediante la linea de comandos porque tiene pendiente una gran actualización.", "For help, see the documentation." : "Para ayuda, mirar la documentación.", + "There was an error loading your contacts" : "Ha habido un error cargando tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La caché OPCache de PHP no ha sido configurada correctamente. Para un mejor funcionamiento recomendamos usar la siguiente configuración en el php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_limit_time\" no esta disponible. Esto podría resultar en el script siendo terminado a la mitad de la ejecución, rompiendo la instalación. Le sugerimos considerablemente que active esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", diff --git a/core/l10n/es_419.js b/core/l10n/es_419.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_419.js +++ b/core/l10n/es_419.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_419.json b/core/l10n/es_419.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_419.json +++ b/core/l10n/es_419.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_AR.js b/core/l10n/es_AR.js index db24f1d0573c1..35250e41e2eaa 100644 --- a/core/l10n/es_AR.js +++ b/core/l10n/es_AR.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar sus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Mayor información ...", @@ -339,6 +338,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como adminsitrador podría llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Favor de usar el actualizador de línea de comando porque usted tiene una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulte la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar sus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache no se encuentra correctamente configurado. Para un mejor desempeño le recomendamos↗ usar las siguientes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Le recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente sus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Le recomendamos ámpliamente que configure su servidor web de tal modo que el directorio de datos no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json index 1a1e353d297fe..42fd499096383 100644 --- a/core/l10n/es_AR.json +++ b/core/l10n/es_AR.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar sus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Mayor información ...", @@ -337,6 +336,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como adminsitrador podría llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Favor de usar el actualizador de línea de comando porque usted tiene una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulte la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar sus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache no se encuentra correctamente configurado. Para un mejor desempeño le recomendamos↗ usar las siguientes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Le recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente sus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Le recomendamos ámpliamente que configure su servidor web de tal modo que el directorio de datos no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_CL.js b/core/l10n/es_CL.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_CL.js +++ b/core/l10n/es_CL.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_CL.json b/core/l10n/es_CL.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_CL.json +++ b/core/l10n/es_CL.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_CO.js b/core/l10n/es_CO.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_CO.js +++ b/core/l10n/es_CO.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_CO.json b/core/l10n/es_CO.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_CO.json +++ b/core/l10n/es_CO.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_CR.js b/core/l10n/es_CR.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_CR.js +++ b/core/l10n/es_CR.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_CR.json b/core/l10n/es_CR.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_CR.json +++ b/core/l10n/es_CR.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_DO.js b/core/l10n/es_DO.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_DO.js +++ b/core/l10n/es_DO.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_DO.json b/core/l10n/es_DO.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_DO.json +++ b/core/l10n/es_DO.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_EC.js b/core/l10n/es_EC.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_EC.js +++ b/core/l10n/es_EC.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_EC.json b/core/l10n/es_EC.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_EC.json +++ b/core/l10n/es_EC.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_GT.js b/core/l10n/es_GT.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_GT.js +++ b/core/l10n/es_GT.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_GT.json b/core/l10n/es_GT.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_GT.json +++ b/core/l10n/es_GT.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_HN.js b/core/l10n/es_HN.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_HN.js +++ b/core/l10n/es_HN.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_HN.json b/core/l10n/es_HN.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_HN.json +++ b/core/l10n/es_HN.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_MX.js b/core/l10n/es_MX.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_MX.js +++ b/core/l10n/es_MX.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_MX.json b/core/l10n/es_MX.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_MX.json +++ b/core/l10n/es_MX.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_NI.js b/core/l10n/es_NI.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_NI.js +++ b/core/l10n/es_NI.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_NI.json b/core/l10n/es_NI.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_NI.json +++ b/core/l10n/es_NI.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PA.js b/core/l10n/es_PA.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_PA.js +++ b/core/l10n/es_PA.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PA.json b/core/l10n/es_PA.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_PA.json +++ b/core/l10n/es_PA.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PE.js b/core/l10n/es_PE.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_PE.js +++ b/core/l10n/es_PE.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PE.json b/core/l10n/es_PE.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_PE.json +++ b/core/l10n/es_PE.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PR.js b/core/l10n/es_PR.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_PR.js +++ b/core/l10n/es_PR.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PR.json b/core/l10n/es_PR.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_PR.json +++ b/core/l10n/es_PR.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PY.js b/core/l10n/es_PY.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_PY.js +++ b/core/l10n/es_PY.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_PY.json b/core/l10n/es_PY.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_PY.json +++ b/core/l10n/es_PY.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_SV.js b/core/l10n/es_SV.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_SV.js +++ b/core/l10n/es_SV.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_SV.json b/core/l10n/es_SV.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_SV.json +++ b/core/l10n/es_SV.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_UY.js b/core/l10n/es_UY.js index 90fe230c60d80..394906a92380f 100644 --- a/core/l10n/es_UY.js +++ b/core/l10n/es_UY.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -373,6 +372,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/es_UY.json b/core/l10n/es_UY.json index 5c08874223b23..1a9938bb6f623 100644 --- a/core/l10n/es_UY.json +++ b/core/l10n/es_UY.json @@ -54,7 +54,6 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -371,6 +370,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", + "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", diff --git a/core/l10n/et_EE.js b/core/l10n/et_EE.js index 6de41aa6428b3..136c7e0727e91 100644 --- a/core/l10n/et_EE.js +++ b/core/l10n/et_EE.js @@ -54,7 +54,6 @@ OC.L10N.register( "Search contacts …" : "Otsi kontakte", "No contacts found" : "Kontakte ei leitud", "Show all contacts …" : "Näita kõiki kontakte", - "There was an error loading your contacts" : "Kontaktide laadimisel tekkis tõrge", "Loading your contacts …" : "Sinu kontaktide laadimine ...", "Looking for {term} …" : "Otsin {term} …", "There were problems with the code integrity check. More information…" : "Koodi terviklikkuse kontrollis ilmnes viga. Rohkem infot …", @@ -334,6 +333,7 @@ OC.L10N.register( "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Palun võtke ühendust administraatoriga. Kui te olete administraator, siis seadistage \"trusted_domains\" failis config/config.php. Näidisseadistus on olemas failis config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Sõltuvalt sinu seadetest võib ka administraator kasutada allolevat nuppu, et seda domeeni usaldusväärseks märkida.", "For help, see the documentation." : "Abiinfo saamiseks vaata dokumentatsiooni.", + "There was an error loading your contacts" : "Kontaktide laadimisel tekkis tõrge", "You are about to grant \"%s\" access to your %s account." : "Sa oled andmas \"%s\" ligipääsu oma %s kontole." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/et_EE.json b/core/l10n/et_EE.json index de4de4bbaa292..4a86aa432a58f 100644 --- a/core/l10n/et_EE.json +++ b/core/l10n/et_EE.json @@ -52,7 +52,6 @@ "Search contacts …" : "Otsi kontakte", "No contacts found" : "Kontakte ei leitud", "Show all contacts …" : "Näita kõiki kontakte", - "There was an error loading your contacts" : "Kontaktide laadimisel tekkis tõrge", "Loading your contacts …" : "Sinu kontaktide laadimine ...", "Looking for {term} …" : "Otsin {term} …", "There were problems with the code integrity check. More information…" : "Koodi terviklikkuse kontrollis ilmnes viga. Rohkem infot …", @@ -332,6 +331,7 @@ "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Palun võtke ühendust administraatoriga. Kui te olete administraator, siis seadistage \"trusted_domains\" failis config/config.php. Näidisseadistus on olemas failis config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Sõltuvalt sinu seadetest võib ka administraator kasutada allolevat nuppu, et seda domeeni usaldusväärseks märkida.", "For help, see the documentation." : "Abiinfo saamiseks vaata dokumentatsiooni.", + "There was an error loading your contacts" : "Kontaktide laadimisel tekkis tõrge", "You are about to grant \"%s\" access to your %s account." : "Sa oled andmas \"%s\" ligipääsu oma %s kontole." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/eu.js b/core/l10n/eu.js index c3accbfe225da..0d1323748c780 100644 --- a/core/l10n/eu.js +++ b/core/l10n/eu.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Bilatu kontaktuak ...", "No contacts found" : "Ez da kontakturik aurkitu", "Show all contacts …" : "Erakutsi kontaktu guztiak", - "There was an error loading your contacts" : "Errore bat gertatu da zure kontaktuak kargatzean", "Loading your contacts …" : "Zure kontaktuak kargatzen...", "Looking for {term} …" : "{term} bilatzen...", "There were problems with the code integrity check. More information…" : "Kodearen integritate egiaztapenarekin arazoak egon dira. Informazio gehiago…", @@ -348,6 +347,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Zure ezarpenen gorabehera, administratzaile bezala posible duzu ere azpiko botoia erabiltzea fidatzeko domeinu horrekin.", "Please use the command line updater because you have a big instance." : "Mesedez, erabili komando lerroa eguneratzeko, instantzia handi duzulako.", "For help, see the documentation." : "Laguntza lortzeko, ikusi dokumentazioa.", + "There was an error loading your contacts" : "Errore bat gertatu da zure kontaktuak kargatzean", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache ez dago era egokian ezarrita. Hobe funtzionatzeko gomendatzen dugu hurrengo ezarpenak erabiltzea php.ini fitxategian:", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Zure datu karpeta eta zure fitxategiak Internetetik atzigarri daude. .htaccess fitxategia ez dabil. Bereziki gomendatzen da zure web zerbitzariazure datu karpeta atzigarri ez egoteko konfiguratzea, edo datu-karpeta ateratzeaweb zerbitzariaren errotik" }, diff --git a/core/l10n/eu.json b/core/l10n/eu.json index cd7b932584748..04ab923747b1c 100644 --- a/core/l10n/eu.json +++ b/core/l10n/eu.json @@ -54,7 +54,6 @@ "Search contacts …" : "Bilatu kontaktuak ...", "No contacts found" : "Ez da kontakturik aurkitu", "Show all contacts …" : "Erakutsi kontaktu guztiak", - "There was an error loading your contacts" : "Errore bat gertatu da zure kontaktuak kargatzean", "Loading your contacts …" : "Zure kontaktuak kargatzen...", "Looking for {term} …" : "{term} bilatzen...", "There were problems with the code integrity check. More information…" : "Kodearen integritate egiaztapenarekin arazoak egon dira. Informazio gehiago…", @@ -346,6 +345,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Zure ezarpenen gorabehera, administratzaile bezala posible duzu ere azpiko botoia erabiltzea fidatzeko domeinu horrekin.", "Please use the command line updater because you have a big instance." : "Mesedez, erabili komando lerroa eguneratzeko, instantzia handi duzulako.", "For help, see the documentation." : "Laguntza lortzeko, ikusi dokumentazioa.", + "There was an error loading your contacts" : "Errore bat gertatu da zure kontaktuak kargatzean", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache ez dago era egokian ezarrita. Hobe funtzionatzeko gomendatzen dugu hurrengo ezarpenak erabiltzea php.ini fitxategian:", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Zure datu karpeta eta zure fitxategiak Internetetik atzigarri daude. .htaccess fitxategia ez dabil. Bereziki gomendatzen da zure web zerbitzariazure datu karpeta atzigarri ez egoteko konfiguratzea, edo datu-karpeta ateratzeaweb zerbitzariaren errotik" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/core/l10n/fa.js b/core/l10n/fa.js index e01bfacd6546c..32c5a19213528 100644 --- a/core/l10n/fa.js +++ b/core/l10n/fa.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "جستجو مخاطبین ...", "No contacts found" : "مخاطبین یافت نشد", "Show all contacts …" : "نمایش همه مخاطبین ...", - "There was an error loading your contacts" : "هنگام بارگیری مخاطبین شما خطایی روی داد", "Loading your contacts …" : "بارگیری مخاطبین شما ...", "Looking for {term} …" : "به دنبال {term} …", "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", @@ -307,6 +306,7 @@ OC.L10N.register( "This action requires you to confirm your password:" : "این اقدام نیاز به تایید رمز عبور شما دارد", "Wrong password. Reset it?" : "رمز اشتباه. آیا میخواهید آن را مجدد تنظیم کنید؟", "Use the following link to reset your password: {link}" : "از لینک زیر جهت دوباره سازی پسورد استفاده کنید :\n{link}", + "There was an error loading your contacts" : "هنگام بارگیری مخاطبین شما خطایی روی داد", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.dd" diff --git a/core/l10n/fa.json b/core/l10n/fa.json index fa87cb808f478..10d16ce9058a7 100644 --- a/core/l10n/fa.json +++ b/core/l10n/fa.json @@ -54,7 +54,6 @@ "Search contacts …" : "جستجو مخاطبین ...", "No contacts found" : "مخاطبین یافت نشد", "Show all contacts …" : "نمایش همه مخاطبین ...", - "There was an error loading your contacts" : "هنگام بارگیری مخاطبین شما خطایی روی داد", "Loading your contacts …" : "بارگیری مخاطبین شما ...", "Looking for {term} …" : "به دنبال {term} …", "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", @@ -305,6 +304,7 @@ "This action requires you to confirm your password:" : "این اقدام نیاز به تایید رمز عبور شما دارد", "Wrong password. Reset it?" : "رمز اشتباه. آیا میخواهید آن را مجدد تنظیم کنید؟", "Use the following link to reset your password: {link}" : "از لینک زیر جهت دوباره سازی پسورد استفاده کنید :\n{link}", + "There was an error loading your contacts" : "هنگام بارگیری مخاطبین شما خطایی روی داد", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.dd" diff --git a/core/l10n/fi.js b/core/l10n/fi.js index 763b39182909f..42ae51062c7db 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -55,7 +55,6 @@ OC.L10N.register( "Search contacts …" : "Etsi yhteystietoja…", "No contacts found" : "Yhteystietoja ei löytynyt", "Show all contacts …" : "Näytä kaikki yhteystiedot…", - "There was an error loading your contacts" : "Virhe yhteystietojasi ladatessa", "Loading your contacts …" : "Ladataan yhteystietojasi…", "Looking for {term} …" : "Etsii {term} …", "There were problems with the code integrity check. More information…" : "Eheystarkistus tuotti ongelmia. Lisätietoja…", @@ -347,6 +346,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Riippuen määrityksistä, ylläpitäjänä saatat pystyä alla olevalla painikkeella lisäämään tämän verkkotunnuksen luotetuksi.", "Please use the command line updater because you have a big instance." : "Käytä komentorivipäivitintä, koska käyttämäsi Nextcloud on sen verran suuri.", "For help, see the documentation." : "Apua saat dokumentaatiosta.", + "There was an error loading your contacts" : "Virhe yhteystietojasi ladatessa", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktio \"set_time_limit\" ei ole saatavilla. Tämä saattaa johtaa siihen, että skriptien suoritus jää puolitiehen, ja seurauksena on Nextcloud-asennuksen rikkoutuminen. Suosittelemme ottamaan kyseisen funktion käyttöön.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi.", diff --git a/core/l10n/fi.json b/core/l10n/fi.json index f719fb600b92f..472efa6c03855 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -53,7 +53,6 @@ "Search contacts …" : "Etsi yhteystietoja…", "No contacts found" : "Yhteystietoja ei löytynyt", "Show all contacts …" : "Näytä kaikki yhteystiedot…", - "There was an error loading your contacts" : "Virhe yhteystietojasi ladatessa", "Loading your contacts …" : "Ladataan yhteystietojasi…", "Looking for {term} …" : "Etsii {term} …", "There were problems with the code integrity check. More information…" : "Eheystarkistus tuotti ongelmia. Lisätietoja…", @@ -345,6 +344,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Riippuen määrityksistä, ylläpitäjänä saatat pystyä alla olevalla painikkeella lisäämään tämän verkkotunnuksen luotetuksi.", "Please use the command line updater because you have a big instance." : "Käytä komentorivipäivitintä, koska käyttämäsi Nextcloud on sen verran suuri.", "For help, see the documentation." : "Apua saat dokumentaatiosta.", + "There was an error loading your contacts" : "Virhe yhteystietojasi ladatessa", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktio \"set_time_limit\" ei ole saatavilla. Tämä saattaa johtaa siihen, että skriptien suoritus jää puolitiehen, ja seurauksena on Nextcloud-asennuksen rikkoutuminen. Suosittelemme ottamaan kyseisen funktion käyttöön.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi.", diff --git a/core/l10n/fr.js b/core/l10n/fr.js index 167d65781e5a2..0a899edc21d4f 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Rechercher les contacts...", "No contacts found" : "Aucun contact trouvé", "Show all contacts …" : "Montrer tous les contacts...", - "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", "Loading your contacts …" : "Chargement de vos contacts...", "Looking for {term} …" : "Recherche de {term} ...", "There were problems with the code integrity check. More information…" : "Il y a eu des problèmes à la vérification de l’intégrité du code. Plus d'infos...", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En fonction de votre configuration, en tant qu'administrateur vous pouvez également utiliser le bouton ci-dessous pour approuver ce domaine.", "Please use the command line updater because you have a big instance." : "Veuillez utiliser la mise à jour en ligne de commande car votre instance est volumineuse.", "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation.", + "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index 4ab798721b943..f149ca072f21f 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -54,7 +54,6 @@ "Search contacts …" : "Rechercher les contacts...", "No contacts found" : "Aucun contact trouvé", "Show all contacts …" : "Montrer tous les contacts...", - "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", "Loading your contacts …" : "Chargement de vos contacts...", "Looking for {term} …" : "Recherche de {term} ...", "There were problems with the code integrity check. More information…" : "Il y a eu des problèmes à la vérification de l’intégrité du code. Plus d'infos...", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En fonction de votre configuration, en tant qu'administrateur vous pouvez également utiliser le bouton ci-dessous pour approuver ce domaine.", "Please use the command line updater because you have a big instance." : "Veuillez utiliser la mise à jour en ligne de commande car votre instance est volumineuse.", "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation.", + "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", diff --git a/core/l10n/hu.js b/core/l10n/hu.js index 358089010e3ec..ec75f37c34dd2 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Névjegyek keresése...", "No contacts found" : "Nem találhatók névejegyek", "Show all contacts …" : "Minden névjegy megjelenítése...", - "There was an error loading your contacts" : "Probléma lépett fel a névjegyek betöltése közben", "Loading your contacts …" : "Névjegyek betöltése...", "Looking for {term} …" : "{term} keresése …", "There were problems with the code integrity check. More information…" : "Problémák vannak a kódintegritás ellenőrzéssel. Bővebb információ…", @@ -276,6 +275,7 @@ OC.L10N.register( "Username or email" : "Felhasználói név vagy e-mail cím", "Log in" : "Bejelentkezés", "Wrong password." : "Hibás jelszó.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Többszöri sikertelen bejelentkezési kísérletet érzékeltünk az IP-dről. A legközelebbi kísérleted így 30 másodperccel késleltetve lesz.", "Stay logged in" : "Maradjon bejelentkezve", "Forgot password?" : "Elfelejtett jelszó?", "Back to log in" : "Vissza a bejelentkezéshez", @@ -374,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "A beállításoktól függően, rendszergazdaként lehetséges, hogy az alábbi gombot is használhatja a domain név megbízhatóvá tételéhez.", "Please use the command line updater because you have a big instance." : "Kérjük, a frissítéshez a parancssort használja, mert nagyobb frissítést készül telepíteni.", "For help, see the documentation." : "Segítségért keresse fel a dokumentációt.", + "There was an error loading your contacts" : "Probléma lépett fel a névjegyek betöltése közben", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítmény érdekében használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", diff --git a/core/l10n/hu.json b/core/l10n/hu.json index 3cb81e0364326..9cca070c03be4 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -54,7 +54,6 @@ "Search contacts …" : "Névjegyek keresése...", "No contacts found" : "Nem találhatók névejegyek", "Show all contacts …" : "Minden névjegy megjelenítése...", - "There was an error loading your contacts" : "Probléma lépett fel a névjegyek betöltése közben", "Loading your contacts …" : "Névjegyek betöltése...", "Looking for {term} …" : "{term} keresése …", "There were problems with the code integrity check. More information…" : "Problémák vannak a kódintegritás ellenőrzéssel. Bővebb információ…", @@ -274,6 +273,7 @@ "Username or email" : "Felhasználói név vagy e-mail cím", "Log in" : "Bejelentkezés", "Wrong password." : "Hibás jelszó.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Többszöri sikertelen bejelentkezési kísérletet érzékeltünk az IP-dről. A legközelebbi kísérleted így 30 másodperccel késleltetve lesz.", "Stay logged in" : "Maradjon bejelentkezve", "Forgot password?" : "Elfelejtett jelszó?", "Back to log in" : "Vissza a bejelentkezéshez", @@ -372,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "A beállításoktól függően, rendszergazdaként lehetséges, hogy az alábbi gombot is használhatja a domain név megbízhatóvá tételéhez.", "Please use the command line updater because you have a big instance." : "Kérjük, a frissítéshez a parancssort használja, mert nagyobb frissítést készül telepíteni.", "For help, see the documentation." : "Segítségért keresse fel a dokumentációt.", + "There was an error loading your contacts" : "Probléma lépett fel a névjegyek betöltése közben", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítmény érdekében használd az alábbi beállításokat a php.ini-ben:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", diff --git a/core/l10n/is.js b/core/l10n/is.js index 4b15e2e8f6e7c..0c15c24c56e7f 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Leita í tengiliðum ", "No contacts found" : "Engir tengiliðir fundust", "Show all contacts …" : "Birta alla tengiliði ...", - "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", "Loading your contacts …" : "Hleð inn tengiliðalistum ...", "Looking for {term} …" : "Leita að {term} …", "There were problems with the code integrity check. More information…" : "Það komu upp vandamál með athugun á áreiðanleika kóða. Nánari upplýsingar…", @@ -355,6 +354,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Það fer eftir stillingum þínum, sem stjórnandi þá gætir þú einnig notað hnappinn hér fyrir neðan til að treysta þessu léni.", "Please use the command line updater because you have a big instance." : "Endilega notaðu uppfærslutólið af skipanalínu, því þú ert með mjög stóra uppsetningu.", "For help, see the documentation." : "Til að fá hjálp er best að skoða fyrst hjálparskjölin.", + "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", diff --git a/core/l10n/is.json b/core/l10n/is.json index 1e19e51b81b6e..e18cade69765c 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -54,7 +54,6 @@ "Search contacts …" : "Leita í tengiliðum ", "No contacts found" : "Engir tengiliðir fundust", "Show all contacts …" : "Birta alla tengiliði ...", - "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", "Loading your contacts …" : "Hleð inn tengiliðalistum ...", "Looking for {term} …" : "Leita að {term} …", "There were problems with the code integrity check. More information…" : "Það komu upp vandamál með athugun á áreiðanleika kóða. Nánari upplýsingar…", @@ -353,6 +352,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Það fer eftir stillingum þínum, sem stjórnandi þá gætir þú einnig notað hnappinn hér fyrir neðan til að treysta þessu léni.", "Please use the command line updater because you have a big instance." : "Endilega notaðu uppfærslutólið af skipanalínu, því þú ert með mjög stóra uppsetningu.", "For help, see the documentation." : "Til að fá hjálp er best að skoða fyrst hjálparskjölin.", + "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", diff --git a/core/l10n/it.js b/core/l10n/it.js index 7875e40504b1b..fa329d0d9d0a8 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Cerca contatti...", "No contacts found" : "Nessun contatto trovato", "Show all contacts …" : "Mostra tutti i contatti...", - "There was an error loading your contacts" : "Si è verificato un errore durante il caricamento dei tuoi contatti", "Loading your contacts …" : "Caricamento dei tuoi contatti...", "Looking for {term} …" : "Ricerca di {term} in corso...", "There were problems with the code integrity check. More information…" : "Si sono verificati errori con il controllo di integrità del codice. Ulteriori informazioni…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "In base alla tua configurazione, come amministratore potrai utilizzare anche il pulsante in basso per rendere attendibile questo dominio.", "Please use the command line updater because you have a big instance." : "Utilizza lo strumento da riga di comando per la grandezza della tua istanza.", "For help, see the documentation." : "Per la guida, vedi la documentazione.", + "There was an error loading your contacts" : "Si è verificato un errore durante il caricamento dei tuoi contatti", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", diff --git a/core/l10n/it.json b/core/l10n/it.json index 2002e12bb7e6f..e7e640b185758 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -54,7 +54,6 @@ "Search contacts …" : "Cerca contatti...", "No contacts found" : "Nessun contatto trovato", "Show all contacts …" : "Mostra tutti i contatti...", - "There was an error loading your contacts" : "Si è verificato un errore durante il caricamento dei tuoi contatti", "Loading your contacts …" : "Caricamento dei tuoi contatti...", "Looking for {term} …" : "Ricerca di {term} in corso...", "There were problems with the code integrity check. More information…" : "Si sono verificati errori con il controllo di integrità del codice. Ulteriori informazioni…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "In base alla tua configurazione, come amministratore potrai utilizzare anche il pulsante in basso per rendere attendibile questo dominio.", "Please use the command line updater because you have a big instance." : "Utilizza lo strumento da riga di comando per la grandezza della tua istanza.", "For help, see the documentation." : "Per la guida, vedi la documentazione.", + "There was an error loading your contacts" : "Si è verificato un errore durante il caricamento dei tuoi contatti", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", diff --git a/core/l10n/ja.js b/core/l10n/ja.js index 4a92eaf07c23b..cb7359e940269 100644 --- a/core/l10n/ja.js +++ b/core/l10n/ja.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "連絡先を検索...", "No contacts found" : "連絡先が見つかりません", "Show all contacts …" : "全ての連絡先を表示...", - "There was an error loading your contacts" : "連絡先の読み込みに失敗しました。", "Loading your contacts …" : "連絡先を読み込み中...", "Looking for {term} …" : "{term} を確認中 ...", "There were problems with the code integrity check. More information…" : "コード整合性の確認で問題が発生しました。詳しくはこちら…", @@ -344,6 +343,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "環境により、下のボタンで信頼するドメインに追加する必要があるかもしれません。", "Please use the command line updater because you have a big instance." : "データ量が大きいため、コマンドラインでの更新を利用してください。", "For help, see the documentation." : "不明な場合、ドキュメントを参照してください。", + "There was an error loading your contacts" : "連絡先の読み込みに失敗しました。", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache が正しく設定されていません。 パフォーマンスを向上させるため ↗ php.ini で次の設定を使用することをお勧めします:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 関数 \"set_time_limit\" は使用できません。これにより実行スクリプトが途中で停止されて、インストールを破壊する可能性があります。この機能を有効にすることを強くお勧めします。", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : ".htaccess ファイルが機能していないため、インターネットからあなたのデータディレクトリとファイルにアクセスできる可能性があります。Webサーバの設定を変更してデータディレクトリにアクセス出来ないようにするか、データディレクトリをドキュメントルートの外側に移動することを強く推奨します。", diff --git a/core/l10n/ja.json b/core/l10n/ja.json index 4e09f6c72aa8a..40a36d4180e59 100644 --- a/core/l10n/ja.json +++ b/core/l10n/ja.json @@ -54,7 +54,6 @@ "Search contacts …" : "連絡先を検索...", "No contacts found" : "連絡先が見つかりません", "Show all contacts …" : "全ての連絡先を表示...", - "There was an error loading your contacts" : "連絡先の読み込みに失敗しました。", "Loading your contacts …" : "連絡先を読み込み中...", "Looking for {term} …" : "{term} を確認中 ...", "There were problems with the code integrity check. More information…" : "コード整合性の確認で問題が発生しました。詳しくはこちら…", @@ -342,6 +341,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "環境により、下のボタンで信頼するドメインに追加する必要があるかもしれません。", "Please use the command line updater because you have a big instance." : "データ量が大きいため、コマンドラインでの更新を利用してください。", "For help, see the documentation." : "不明な場合、ドキュメントを参照してください。", + "There was an error loading your contacts" : "連絡先の読み込みに失敗しました。", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache が正しく設定されていません。 パフォーマンスを向上させるため ↗ php.ini で次の設定を使用することをお勧めします:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 関数 \"set_time_limit\" は使用できません。これにより実行スクリプトが途中で停止されて、インストールを破壊する可能性があります。この機能を有効にすることを強くお勧めします。", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : ".htaccess ファイルが機能していないため、インターネットからあなたのデータディレクトリとファイルにアクセスできる可能性があります。Webサーバの設定を変更してデータディレクトリにアクセス出来ないようにするか、データディレクトリをドキュメントルートの外側に移動することを強く推奨します。", diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index 80000fc1948d9..2e9f9b9581ae2 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "მოძებნეთ კონტაქტები ...", "No contacts found" : "კომენტარები ვერ იქნა ნაპოვნი.", "Show all contacts …" : "ყველა კონტაქტის ჩვენება ...", - "There was an error loading your contacts" : "კონტაქტების ჩატვირთვისას წარმოიშვა შეცდომა", "Loading your contacts …" : "იტვირთება კონტაქტები ...", "Looking for {term} …" : "ვეძებთ {term}-ს …", "There were problems with the code integrity check. More information…" : "კოდის მთლიანობის შემოწმებასთან წარმოიქმა შეცდომები. მეტი ინფორმაცია…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "თქვენი კონფიგურაციიდან გამომდინარე, როგორც ადმინისტრატორმა დომენის ნდობისთვის ასევე შეგიძლიათ ისარგებლოთ ქვემოთ არსებული ღილაკითაც.", "Please use the command line updater because you have a big instance." : "გთხოვთ მოიხმაროთ \"command-line\" განმანახლებელი რადგანაც ეს დიდი ინსტანციაა.", "For help, see the documentation." : "დახმარებისთვის იხილეთ დოკუმენტაცია.", + "There was an error loading your contacts" : "კონტაქტების ჩატვირთვისას წარმოიშვა შეცდომა", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის ჩვენ რეკომენდაციას გიწევთ php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. გირჩევთ ეს ფუნქცია ჩართოთ.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index 23815b1865db0..535a2deb93a32 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -54,7 +54,6 @@ "Search contacts …" : "მოძებნეთ კონტაქტები ...", "No contacts found" : "კომენტარები ვერ იქნა ნაპოვნი.", "Show all contacts …" : "ყველა კონტაქტის ჩვენება ...", - "There was an error loading your contacts" : "კონტაქტების ჩატვირთვისას წარმოიშვა შეცდომა", "Loading your contacts …" : "იტვირთება კონტაქტები ...", "Looking for {term} …" : "ვეძებთ {term}-ს …", "There were problems with the code integrity check. More information…" : "კოდის მთლიანობის შემოწმებასთან წარმოიქმა შეცდომები. მეტი ინფორმაცია…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "თქვენი კონფიგურაციიდან გამომდინარე, როგორც ადმინისტრატორმა დომენის ნდობისთვის ასევე შეგიძლიათ ისარგებლოთ ქვემოთ არსებული ღილაკითაც.", "Please use the command line updater because you have a big instance." : "გთხოვთ მოიხმაროთ \"command-line\" განმანახლებელი რადგანაც ეს დიდი ინსტანციაა.", "For help, see the documentation." : "დახმარებისთვის იხილეთ დოკუმენტაცია.", + "There was an error loading your contacts" : "კონტაქტების ჩატვირთვისას წარმოიშვა შეცდომა", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის ჩვენ რეკომენდაციას გიწევთ php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. გირჩევთ ეს ფუნქცია ჩართოთ.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", diff --git a/core/l10n/ko.js b/core/l10n/ko.js index 325164b025409..8ba2f0e28e13a 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "연락처 검색…", "No contacts found" : "연락처를 찾을 수 없음", "Show all contacts …" : "모든 연락처 보기 …", - "There was an error loading your contacts" : "연락처를 불러오는 중 오류가 발생했습니다", "Loading your contacts …" : "연락처 불러오는 중 …", "Looking for {term} …" : "{term} 검색 중 …", "There were problems with the code integrity check. More information…" : "코드 무결성 검사 중 오류가 발생했습니다. 더 많은 정보를 보려면 누르십시오…", @@ -121,6 +120,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "일부 파일이 무결성 검사를 통과하지 못습니다. 이 문제를 해결하는 방법은 문서를 참고하십시오.(잘못된 파일 목록… / 다시 검색…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP Opcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP 함수 \"set_time_limit\"을 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP에 Freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다.", "Error occurred while checking server setup" : "서버 설정을 확인하는 중 오류 발생", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP 헤더가 \"{expected}\"(으)로 설정되어 있지 않습니다. 잠재적인 정보 유출 및 보안 위협이 될 수 있으므로 설정을 변경하는 것을 추천합니다.", @@ -275,6 +275,7 @@ OC.L10N.register( "Username or email" : "사용자 이름 또는 이메일", "Log in" : "로그인", "Wrong password." : "암호가 잘못되었습니다.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "사용 중인 IP에서 여러 번의 잘못된 로그인 시도를 감지했습니다. 30초 후에 다시 로그인할 수 있습니다.", "Stay logged in" : "로그인 유지", "Forgot password?" : "암호를 잊으셨습니까?", "Back to log in" : "로그인으로 돌아가기", @@ -373,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "설정에 따라서 관리자 권한으로 아래 단추를 눌러서 이 도메인을 신뢰하도록 설정할 수 있습니다.", "Please use the command line updater because you have a big instance." : "현재 인스턴스 크기가 크기 때문에 명령행 업데이터를 사용하십시오.", "For help, see the documentation." : "도움이 필요한 경우 문서를 참조하십시오.", + "There was an error loading your contacts" : "연락처를 불러오는 중 오류가 발생했습니다", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 함수 \"set_time_limit\"을(를) 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", diff --git a/core/l10n/ko.json b/core/l10n/ko.json index 3968ea2b8aeed..24005a8aeb41e 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -54,7 +54,6 @@ "Search contacts …" : "연락처 검색…", "No contacts found" : "연락처를 찾을 수 없음", "Show all contacts …" : "모든 연락처 보기 …", - "There was an error loading your contacts" : "연락처를 불러오는 중 오류가 발생했습니다", "Loading your contacts …" : "연락처 불러오는 중 …", "Looking for {term} …" : "{term} 검색 중 …", "There were problems with the code integrity check. More information…" : "코드 무결성 검사 중 오류가 발생했습니다. 더 많은 정보를 보려면 누르십시오…", @@ -119,6 +118,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "일부 파일이 무결성 검사를 통과하지 못습니다. 이 문제를 해결하는 방법은 문서를 참고하십시오.(잘못된 파일 목록… / 다시 검색…)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP Opcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP 함수 \"set_time_limit\"을 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP에 Freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다.", "Error occurred while checking server setup" : "서버 설정을 확인하는 중 오류 발생", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP 헤더가 \"{expected}\"(으)로 설정되어 있지 않습니다. 잠재적인 정보 유출 및 보안 위협이 될 수 있으므로 설정을 변경하는 것을 추천합니다.", @@ -273,6 +273,7 @@ "Username or email" : "사용자 이름 또는 이메일", "Log in" : "로그인", "Wrong password." : "암호가 잘못되었습니다.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "사용 중인 IP에서 여러 번의 잘못된 로그인 시도를 감지했습니다. 30초 후에 다시 로그인할 수 있습니다.", "Stay logged in" : "로그인 유지", "Forgot password?" : "암호를 잊으셨습니까?", "Back to log in" : "로그인으로 돌아가기", @@ -371,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "설정에 따라서 관리자 권한으로 아래 단추를 눌러서 이 도메인을 신뢰하도록 설정할 수 있습니다.", "Please use the command line updater because you have a big instance." : "현재 인스턴스 크기가 크기 때문에 명령행 업데이터를 사용하십시오.", "For help, see the documentation." : "도움이 필요한 경우 문서를 참조하십시오.", + "There was an error loading your contacts" : "연락처를 불러오는 중 오류가 발생했습니다", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 함수 \"set_time_limit\"을(를) 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index 703ce8a8c26ee..ccd4af2405d81 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Pažįstamų asmenų paieška...", "No contacts found" : "Pažįstamų asmenų nerasta", "Show all contacts …" : "Rodyti visus pažįstamus asmenis...", - "There was an error loading your contacts" : "Įvyko klaida bandant parodyti pažįstamų asmenų informaciją", "Loading your contacts …" : "Kraunami informacija apie pažįstamus asmenis", "Looking for {term} …" : "Ieškoma {term} ...", "There were problems with the code integrity check. More information…" : "Buvo problemų su kodo vientisumo patikrinimu. Daugiau informacijos…", @@ -355,6 +354,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Priklausomai nuo sistemos konfigūracijos, administratorius gali naudoti mygtuką apačioje tam, kad pridėtų patikimą domeno vardą.", "Please use the command line updater because you have a big instance." : "Prašome atnaujinti per komandinę eilutę, nes jūsų sistema yra didelė.", "For help, see the documentation." : "Detalesnės informacijos ieškokite dokumentacijoje", + "There was an error loading your contacts" : "Įvyko klaida bandant parodyti pažįstamų asmenų informaciją", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache yra neteisingai sukonfigūruotas. Siekiant geresnio sistemos našumo rekomenduojame įrašyti šiuos nustatymus php.ini byloje:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP sistemos funkcija \"set_time_limit\" yra nepasiekiama. To pasekmėje, tikėtina, kad įdiegta sistema bus sugadinta. Primygtinai reikalaujame įjungti šią funkciją.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Jūsų duomenys gali būti laisvai prieinami per internetą. Nustatymų byla \".htaccess\" neveikia. Primygtinai reikalaujame tinklo kompiuterį sukonfigūruoti taip, kad duomenys nebūtų laisvai prieinami per internetą, iškelti sistemos duomenų aplanką iš sistemos įdiegimo aplanko.", diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 26e60cd36a5db..778eeec01a3e4 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -54,7 +54,6 @@ "Search contacts …" : "Pažįstamų asmenų paieška...", "No contacts found" : "Pažįstamų asmenų nerasta", "Show all contacts …" : "Rodyti visus pažįstamus asmenis...", - "There was an error loading your contacts" : "Įvyko klaida bandant parodyti pažįstamų asmenų informaciją", "Loading your contacts …" : "Kraunami informacija apie pažįstamus asmenis", "Looking for {term} …" : "Ieškoma {term} ...", "There were problems with the code integrity check. More information…" : "Buvo problemų su kodo vientisumo patikrinimu. Daugiau informacijos…", @@ -353,6 +352,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Priklausomai nuo sistemos konfigūracijos, administratorius gali naudoti mygtuką apačioje tam, kad pridėtų patikimą domeno vardą.", "Please use the command line updater because you have a big instance." : "Prašome atnaujinti per komandinę eilutę, nes jūsų sistema yra didelė.", "For help, see the documentation." : "Detalesnės informacijos ieškokite dokumentacijoje", + "There was an error loading your contacts" : "Įvyko klaida bandant parodyti pažįstamų asmenų informaciją", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache yra neteisingai sukonfigūruotas. Siekiant geresnio sistemos našumo rekomenduojame įrašyti šiuos nustatymus php.ini byloje:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP sistemos funkcija \"set_time_limit\" yra nepasiekiama. To pasekmėje, tikėtina, kad įdiegta sistema bus sugadinta. Primygtinai reikalaujame įjungti šią funkciją.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Jūsų duomenys gali būti laisvai prieinami per internetą. Nustatymų byla \".htaccess\" neveikia. Primygtinai reikalaujame tinklo kompiuterį sukonfigūruoti taip, kad duomenys nebūtų laisvai prieinami per internetą, iškelti sistemos duomenų aplanką iš sistemos įdiegimo aplanko.", diff --git a/core/l10n/lv.js b/core/l10n/lv.js index fb8e65cdc1a41..b6c43769b398c 100644 --- a/core/l10n/lv.js +++ b/core/l10n/lv.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Meklēt kontaktpersonu", "No contacts found" : "Nav atrasta ne viena kontaktpersona", "Show all contacts …" : "Rādīt visas kontaktpersonas", - "There was an error loading your contacts" : "Notikusi kļūda ielādējot kontaktpersonu sarakstu", "Loading your contacts …" : "Notiek kontaktpersonu ielāde...", "Looking for {term} …" : "Meklē {term} …", "There were problems with the code integrity check. More information…" : "Programmatūras koda pārbaude atgrieza kļūdas. Sīkāk…", @@ -312,6 +311,7 @@ OC.L10N.register( "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Lūdzu sazinieties ar jūsu administrātoru. Ja jūs esat šīs instances administrātors, konfigurējiet \"trusted_domains\" iestatījumu config/config.php failā. Piemēra konfigurācija ir pieejama config/config.sample.php failā.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Atkarīgi no jūsu konfigurācijas, kā administrātors jūs varētu izmantot zemāk redzamo pogu lai uzticētos šim domēnam.", "Please use the command line updater because you have a big instance." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir liels datu apjoms.", - "For help, see the documentation." : "Lai saņemtu palīdzību, skatiet dokumentāciju." + "For help, see the documentation." : "Lai saņemtu palīdzību, skatiet dokumentāciju.", + "There was an error loading your contacts" : "Notikusi kļūda ielādējot kontaktpersonu sarakstu" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/core/l10n/lv.json b/core/l10n/lv.json index bd8afeed8ca85..07039e8a4ae81 100644 --- a/core/l10n/lv.json +++ b/core/l10n/lv.json @@ -54,7 +54,6 @@ "Search contacts …" : "Meklēt kontaktpersonu", "No contacts found" : "Nav atrasta ne viena kontaktpersona", "Show all contacts …" : "Rādīt visas kontaktpersonas", - "There was an error loading your contacts" : "Notikusi kļūda ielādējot kontaktpersonu sarakstu", "Loading your contacts …" : "Notiek kontaktpersonu ielāde...", "Looking for {term} …" : "Meklē {term} …", "There were problems with the code integrity check. More information…" : "Programmatūras koda pārbaude atgrieza kļūdas. Sīkāk…", @@ -310,6 +309,7 @@ "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Lūdzu sazinieties ar jūsu administrātoru. Ja jūs esat šīs instances administrātors, konfigurējiet \"trusted_domains\" iestatījumu config/config.php failā. Piemēra konfigurācija ir pieejama config/config.sample.php failā.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Atkarīgi no jūsu konfigurācijas, kā administrātors jūs varētu izmantot zemāk redzamo pogu lai uzticētos šim domēnam.", "Please use the command line updater because you have a big instance." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir liels datu apjoms.", - "For help, see the documentation." : "Lai saņemtu palīdzību, skatiet dokumentāciju." + "For help, see the documentation." : "Lai saņemtu palīdzību, skatiet dokumentāciju.", + "There was an error loading your contacts" : "Notikusi kļūda ielādējot kontaktpersonu sarakstu" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/core/l10n/nb.js b/core/l10n/nb.js index 036912797cab3..954df3e3d5a07 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Søk etter kontakter…", "No contacts found" : "Fant ingen kontakter", "Show all contacts …" : "Vis alle kontakter…", - "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", "Loading your contacts …" : "Laster inn kontaktene dine…", "Looking for {term} …" : "Ser etter {term}…", "There were problems with the code integrity check. More information…" : "Det oppstod problemer med sjekk av kode-integritet. Mer informasjon…", @@ -374,6 +373,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Avhengig av oppsettet kan du, som administrator, kanskje også bruke kanppen nedenfor til å stole på dette domenet.", "Please use the command line updater because you have a big instance." : "Oppdater ved hjelp av kommandolinjen ettersom du har en stor installasjon.", "For help, see the documentation." : "For hjelp, se i dokumentasjonen.", + "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", diff --git a/core/l10n/nb.json b/core/l10n/nb.json index e18ea6b7dfb37..4611e8d818c9e 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -54,7 +54,6 @@ "Search contacts …" : "Søk etter kontakter…", "No contacts found" : "Fant ingen kontakter", "Show all contacts …" : "Vis alle kontakter…", - "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", "Loading your contacts …" : "Laster inn kontaktene dine…", "Looking for {term} …" : "Ser etter {term}…", "There were problems with the code integrity check. More information…" : "Det oppstod problemer med sjekk av kode-integritet. Mer informasjon…", @@ -372,6 +371,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Avhengig av oppsettet kan du, som administrator, kanskje også bruke kanppen nedenfor til å stole på dette domenet.", "Please use the command line updater because you have a big instance." : "Oppdater ved hjelp av kommandolinjen ettersom du har en stor installasjon.", "For help, see the documentation." : "For hjelp, se i dokumentasjonen.", + "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 23c0271dd122a..cc76ad828b16b 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Zoek contacten ...", "No contacts found" : "Geen contacten gevonden", "Show all contacts …" : "Alle contacten weergeven", - "There was an error loading your contacts" : "Er was een probleem bij het laden van je contacten", "Loading your contacts …" : "Je contacten wordt geladen ...", "Looking for {term} …" : "Kijken voor {term} …", "There were problems with the code integrity check. More information…" : "Er traden problemen op tijdens de code betrouwbaarheidscontrole. Meer informatie…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhankelijk van je configuratie zou je als beheerder ook de onderstaande knop kunnen gebruiken om dit domein te vertrouwen.", "Please use the command line updater because you have a big instance." : "Gebruik de commandoregel updater, omdat je een grote Nextcloud hebt.", "For help, see the documentation." : "Voor hulp, lees de documentatie.", + "There was an error loading your contacts" : "Er was een probleem bij het laden van je contacten", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet juist geconfigureed. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren met klem om deze functie in te schakelen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 176145eca3a82..c0c3b482d05cf 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -54,7 +54,6 @@ "Search contacts …" : "Zoek contacten ...", "No contacts found" : "Geen contacten gevonden", "Show all contacts …" : "Alle contacten weergeven", - "There was an error loading your contacts" : "Er was een probleem bij het laden van je contacten", "Loading your contacts …" : "Je contacten wordt geladen ...", "Looking for {term} …" : "Kijken voor {term} …", "There were problems with the code integrity check. More information…" : "Er traden problemen op tijdens de code betrouwbaarheidscontrole. Meer informatie…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhankelijk van je configuratie zou je als beheerder ook de onderstaande knop kunnen gebruiken om dit domein te vertrouwen.", "Please use the command line updater because you have a big instance." : "Gebruik de commandoregel updater, omdat je een grote Nextcloud hebt.", "For help, see the documentation." : "Voor hulp, lees de documentatie.", + "There was an error loading your contacts" : "Er was een probleem bij het laden van je contacten", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet juist geconfigureed. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren met klem om deze functie in te schakelen.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", diff --git a/core/l10n/pl.js b/core/l10n/pl.js index a9326055ff55a..aafc40e061356 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Wyszukuję kontakty...", "No contacts found" : "Nie znaleziono żadnych kontaktów", "Show all contacts …" : "Pokazuję wszystkie kontakty...", - "There was an error loading your contacts" : "Wystąpił błąd podczas ładowania twoich kontaktów", "Loading your contacts …" : "Ładuję twoje kontakty...", "Looking for {term} …" : "Szukam {term}...", "There were problems with the code integrity check. More information…" : "Wystąpiły problemy przy sprawdzaniu integralności kodu Więcej informacji…", @@ -372,6 +371,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "W zależności od konfiguracji, jako administrator możesz także użyć poniższego przycisku aby zaufać tej domenie.", "Please use the command line updater because you have a big instance." : "Ze względu na rozmiar Twojej instalacji użyj programu do aktualizacji z linii poleceń.", "For help, see the documentation." : "Aby uzyskać pomoc, zajrzyj do dokumentacji.", + "There was an error loading your contacts" : "Wystąpił błąd podczas ładowania twoich kontaktów", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie jest prawidłowo skonfigurowany Dla lepszej wydajności zalecamy użycie następujących ustawień w php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcja PHP \"set_time_limit\" nie jest dostępna. Może to powodować zatrzymanie skryptów w podczas działania i w efekcie przerwanie instalacji. Silnie rekomendujemy włączenie tej funkcji.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Twój katalog z danymi i twoje pliki prawdopodobnie są dostępne przez Internet. Plik .htaccess nie działa. Usilnie zalecamy, żebyś tak skonfigurował swój serwer, żeby katalog z danymi nie był dalej dostępny lub przenieś swój katalog z danymi poza katalog root serwera webowego.", diff --git a/core/l10n/pl.json b/core/l10n/pl.json index 274b5e1e1d059..f368912739546 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -54,7 +54,6 @@ "Search contacts …" : "Wyszukuję kontakty...", "No contacts found" : "Nie znaleziono żadnych kontaktów", "Show all contacts …" : "Pokazuję wszystkie kontakty...", - "There was an error loading your contacts" : "Wystąpił błąd podczas ładowania twoich kontaktów", "Loading your contacts …" : "Ładuję twoje kontakty...", "Looking for {term} …" : "Szukam {term}...", "There were problems with the code integrity check. More information…" : "Wystąpiły problemy przy sprawdzaniu integralności kodu Więcej informacji…", @@ -370,6 +369,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "W zależności od konfiguracji, jako administrator możesz także użyć poniższego przycisku aby zaufać tej domenie.", "Please use the command line updater because you have a big instance." : "Ze względu na rozmiar Twojej instalacji użyj programu do aktualizacji z linii poleceń.", "For help, see the documentation." : "Aby uzyskać pomoc, zajrzyj do dokumentacji.", + "There was an error loading your contacts" : "Wystąpił błąd podczas ładowania twoich kontaktów", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie jest prawidłowo skonfigurowany Dla lepszej wydajności zalecamy użycie następujących ustawień w php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcja PHP \"set_time_limit\" nie jest dostępna. Może to powodować zatrzymanie skryptów w podczas działania i w efekcie przerwanie instalacji. Silnie rekomendujemy włączenie tej funkcji.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Twój katalog z danymi i twoje pliki prawdopodobnie są dostępne przez Internet. Plik .htaccess nie działa. Usilnie zalecamy, żebyś tak skonfigurował swój serwer, żeby katalog z danymi nie był dalej dostępny lub przenieś swój katalog z danymi poza katalog root serwera webowego.", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index dcf862fb2d13b..61d376b4b8afb 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Procurar contatos...", "No contacts found" : "Nenhum contato encontrado", "Show all contacts …" : "Mostrar todos os contatos...", - "There was an error loading your contacts" : "Erro ao carregar seus contatos", "Loading your contacts …" : "Carregando seus contatos...", "Looking for {term} …" : "Procurando por {term}…", "There were problems with the code integrity check. More information…" : "Houve problemas com a verificação de integridade do código. Mais informações…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da configuração, como administrador você também pode usar o botão abaixo para confiar neste domínio.", "Please use the command line updater because you have a big instance." : "Por favor, use a atualização de linha de comando, porque você tem muitos dados em sua instância.", "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", + "There was an error loading your contacts" : "Erro ao carregar seus contatos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "O PHP OPcache não está configurado adequadamente. Para melhor performance recomendamos que use as seguintes configurações em php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em scripts pendurados durante a execução e prejudicando sua instalação. Sugerimos fortemente habilitar esta função.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente estão acessíveis via internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web de maneira que o diretório de dados não seja mais acessível ou mova-o para fora do diretório raiz do servidor web.", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index da057e700210c..4c637488e5ea3 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -54,7 +54,6 @@ "Search contacts …" : "Procurar contatos...", "No contacts found" : "Nenhum contato encontrado", "Show all contacts …" : "Mostrar todos os contatos...", - "There was an error loading your contacts" : "Erro ao carregar seus contatos", "Loading your contacts …" : "Carregando seus contatos...", "Looking for {term} …" : "Procurando por {term}…", "There were problems with the code integrity check. More information…" : "Houve problemas com a verificação de integridade do código. Mais informações…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da configuração, como administrador você também pode usar o botão abaixo para confiar neste domínio.", "Please use the command line updater because you have a big instance." : "Por favor, use a atualização de linha de comando, porque você tem muitos dados em sua instância.", "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", + "There was an error loading your contacts" : "Erro ao carregar seus contatos", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "O PHP OPcache não está configurado adequadamente. Para melhor performance recomendamos que use as seguintes configurações em php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em scripts pendurados durante a execução e prejudicando sua instalação. Sugerimos fortemente habilitar esta função.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente estão acessíveis via internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web de maneira que o diretório de dados não seja mais acessível ou mova-o para fora do diretório raiz do servidor web.", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index ce4dcb40ddff6..dcc7dfeaef2d4 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -54,7 +54,6 @@ OC.L10N.register( "Search contacts …" : "Pesquisar contactos ...", "No contacts found" : "Não foram encontrados contactos", "Show all contacts …" : "Mostrar todos os contactos ...", - "There was an error loading your contacts" : "Erro ao carregar os seus contactos", "Loading your contacts …" : "A carregar os seus contactos", "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", "Settings" : "Configurações", @@ -336,6 +335,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como um administrador também pode conseguir utilizar o botão abaixo para confiar neste domínio.", "Please use the command line updater because you have a big instance." : "Por favor, utilize o atualizador de linha de comando porque a sua instância é grande.", "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", + "There was an error loading your contacts" : "Erro ao carregar os seus contactos", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar na paragem dos scripts a meio da execução, impedindo a instalação. Recomenda-se vivamente activar esta função.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da Internet. O ficheiro .htaccess não funciona. É altamente recomendado que configure o seu servidor web de forma a que a pasta de dados deixe de estar acessível ou mova a pasta de dados para fora da raiz do servidor web." }, diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index 98cd5e8b19b7f..e62e29054084b 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -52,7 +52,6 @@ "Search contacts …" : "Pesquisar contactos ...", "No contacts found" : "Não foram encontrados contactos", "Show all contacts …" : "Mostrar todos os contactos ...", - "There was an error loading your contacts" : "Erro ao carregar os seus contactos", "Loading your contacts …" : "A carregar os seus contactos", "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", "Settings" : "Configurações", @@ -334,6 +333,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como um administrador também pode conseguir utilizar o botão abaixo para confiar neste domínio.", "Please use the command line updater because you have a big instance." : "Por favor, utilize o atualizador de linha de comando porque a sua instância é grande.", "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", + "There was an error loading your contacts" : "Erro ao carregar os seus contactos", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar na paragem dos scripts a meio da execução, impedindo a instalação. Recomenda-se vivamente activar esta função.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da Internet. O ficheiro .htaccess não funciona. É altamente recomendado que configure o seu servidor web de forma a que a pasta de dados deixe de estar acessível ou mova a pasta de dados para fora da raiz do servidor web." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/core/l10n/ro.js b/core/l10n/ro.js index fdcede3b30540..4eed67775223c 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Cauta contacte ...", "No contacts found" : "Nu s-au găsit contacte", "Show all contacts …" : "Arata toate contactele ...", - "There was an error loading your contacts" : "A apărut o eroare la încărcarea contactelor ", "Loading your contacts …" : "Se încarcă contactele ...", "Looking for {term} …" : "Se caută {term} …", "There were problems with the code integrity check. More information…" : "Au apărut probleme la verificarea integrității codului. Mai multe informații…", @@ -346,6 +345,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "În funcție de configurare, ca și administrator poți utiliza butonul de mai jos pentru a acorda încredere acestui domeniu.", "Please use the command line updater because you have a big instance." : "Folosește actualizarea din linia de comandă deoarece ai o instanță mare.", "For help, see the documentation." : "Pentru ajutor, verifică documentația.", + "There was an error loading your contacts" : "A apărut o eroare la încărcarea contactelor ", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "OPcache pentru PHP nu este configurat corespunzător. Pentru o performanță mai bună recomandăm folosirea următoarelor setări în php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funcția PHP \"set_time_limit\" nu este disponibilă. Aceasta ar putea determina oprirea scripturilor în timpul rulării, blocarea instalării. Recomandăm insistent activarea acestei funcții.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Directorul de date și fișierele tale sunt probabil accesibile de pe Internet. Fișierul .htaccess nu funcționează. Îți recomandăm cu tărie să configurezi serverul web astfel încât directorul de date să nu mai fie accesibil, sau să muți folderul în afara rădăcinii serverului web.", diff --git a/core/l10n/ro.json b/core/l10n/ro.json index 5a117d12e068f..ea47ca7317dd2 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -54,7 +54,6 @@ "Search contacts …" : "Cauta contacte ...", "No contacts found" : "Nu s-au găsit contacte", "Show all contacts …" : "Arata toate contactele ...", - "There was an error loading your contacts" : "A apărut o eroare la încărcarea contactelor ", "Loading your contacts …" : "Se încarcă contactele ...", "Looking for {term} …" : "Se caută {term} …", "There were problems with the code integrity check. More information…" : "Au apărut probleme la verificarea integrității codului. Mai multe informații…", @@ -344,6 +343,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "În funcție de configurare, ca și administrator poți utiliza butonul de mai jos pentru a acorda încredere acestui domeniu.", "Please use the command line updater because you have a big instance." : "Folosește actualizarea din linia de comandă deoarece ai o instanță mare.", "For help, see the documentation." : "Pentru ajutor, verifică documentația.", + "There was an error loading your contacts" : "A apărut o eroare la încărcarea contactelor ", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "OPcache pentru PHP nu este configurat corespunzător. Pentru o performanță mai bună recomandăm folosirea următoarelor setări în php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funcția PHP \"set_time_limit\" nu este disponibilă. Aceasta ar putea determina oprirea scripturilor în timpul rulării, blocarea instalării. Recomandăm insistent activarea acestei funcții.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Directorul de date și fișierele tale sunt probabil accesibile de pe Internet. Fișierul .htaccess nu funcționează. Îți recomandăm cu tărie să configurezi serverul web astfel încât directorul de date să nu mai fie accesibil, sau să muți folderul în afara rădăcinii serverului web.", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 495a5419158bf..0fdea07d41d31 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Искать контакты…", "No contacts found" : "Контактов не найдено", "Show all contacts …" : "Показать все контакты…", - "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", "Loading your contacts …" : "Загрузка контактов…", "Looking for {term} …" : "Поиск {term}…", "There were problems with the code integrity check. More information…" : " Были обнаружены проблемы с проверкой целостности кода. Подробнее ...", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимости от конфигурации, как администратор вы можете также внести домен в доверенные с помощью кнопки, расположенной ниже.", "Please use the command line updater because you have a big instance." : "Используйте для обновления инструмент для командной строки, т.к. это развёртывание сервера Nextcloud является достаточно крупным.", "For help, see the documentation." : "Для помощи, ознакомьтесь с документацией.", + "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется использовать следующие настройки в php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы, это может привести к повреждению установки. Настойчиво рекомендуется включить эту функция. ", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб-сервера.Save", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index e72f4f0c7ebcf..a836435714e39 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -54,7 +54,6 @@ "Search contacts …" : "Искать контакты…", "No contacts found" : "Контактов не найдено", "Show all contacts …" : "Показать все контакты…", - "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", "Loading your contacts …" : "Загрузка контактов…", "Looking for {term} …" : "Поиск {term}…", "There were problems with the code integrity check. More information…" : " Были обнаружены проблемы с проверкой целостности кода. Подробнее ...", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимости от конфигурации, как администратор вы можете также внести домен в доверенные с помощью кнопки, расположенной ниже.", "Please use the command line updater because you have a big instance." : "Используйте для обновления инструмент для командной строки, т.к. это развёртывание сервера Nextcloud является достаточно крупным.", "For help, see the documentation." : "Для помощи, ознакомьтесь с документацией.", + "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется использовать следующие настройки в php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы, это может привести к повреждению установки. Настойчиво рекомендуется включить эту функция. ", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб-сервера.Save", diff --git a/core/l10n/sk.js b/core/l10n/sk.js index d2d165e4643ea..a013283e2aed4 100644 --- a/core/l10n/sk.js +++ b/core/l10n/sk.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Prehľadať kontakty...", "No contacts found" : "Kontakty nenájdené", "Show all contacts …" : "Zobraziť všetky kontakty...", - "There was an error loading your contacts" : "Pri otváraní kontaktov došlo k chybe", "Loading your contacts …" : "Otvárajú sa kontakty...", "Looking for {term} …" : "Hľadá sa výraz {term}...", "There were problems with the code integrity check. More information…" : "Pri kontrole integrity kódu sa vyskytli chyby. Viac informácií…", @@ -356,6 +355,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na konfigurácii, vám môže byť ako správcovi umožnené použitie tlačidla nižšie pre označenie tejto domény ako dôveryhodnej.", "Please use the command line updater because you have a big instance." : "Vaša inštancia je veľká, použite prosím aktualizáciu cez príkazový riadok.", "For help, see the documentation." : "Pomoc nájdete v dokumentácii.", + "There was an error loading your contacts" : "Pri otváraní kontaktov došlo k chybe", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie je nakonfigurovaná správne. Pre zvýšenie výkonu použite v php.ini nasledovné odporúčané nastavenia:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcia PHP \"set_time_limit\" nie je k dispozícii. To by mohlo viesť k zastaveniu skriptov v polovici vykonávania, čím by došlo k prerušeniu inštalácie. Dôrazne odporúčame povoliť túto funkciu.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Dôrazne odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný alebo presunúť priečinok s dátami mimo priestoru, ktorý webový server sprístupňuje.", diff --git a/core/l10n/sk.json b/core/l10n/sk.json index 7905a4b298883..bbb4ae284838f 100644 --- a/core/l10n/sk.json +++ b/core/l10n/sk.json @@ -54,7 +54,6 @@ "Search contacts …" : "Prehľadať kontakty...", "No contacts found" : "Kontakty nenájdené", "Show all contacts …" : "Zobraziť všetky kontakty...", - "There was an error loading your contacts" : "Pri otváraní kontaktov došlo k chybe", "Loading your contacts …" : "Otvárajú sa kontakty...", "Looking for {term} …" : "Hľadá sa výraz {term}...", "There were problems with the code integrity check. More information…" : "Pri kontrole integrity kódu sa vyskytli chyby. Viac informácií…", @@ -354,6 +353,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na konfigurácii, vám môže byť ako správcovi umožnené použitie tlačidla nižšie pre označenie tejto domény ako dôveryhodnej.", "Please use the command line updater because you have a big instance." : "Vaša inštancia je veľká, použite prosím aktualizáciu cez príkazový riadok.", "For help, see the documentation." : "Pomoc nájdete v dokumentácii.", + "There was an error loading your contacts" : "Pri otváraní kontaktov došlo k chybe", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie je nakonfigurovaná správne. Pre zvýšenie výkonu použite v php.ini nasledovné odporúčané nastavenia:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcia PHP \"set_time_limit\" nie je k dispozícii. To by mohlo viesť k zastaveniu skriptov v polovici vykonávania, čím by došlo k prerušeniu inštalácie. Dôrazne odporúčame povoliť túto funkciu.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Dôrazne odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný alebo presunúť priečinok s dátami mimo priestoru, ktorý webový server sprístupňuje.", diff --git a/core/l10n/sl.js b/core/l10n/sl.js index f515fdc1e1f89..812d861c020b4 100644 --- a/core/l10n/sl.js +++ b/core/l10n/sl.js @@ -53,7 +53,6 @@ OC.L10N.register( "Search contacts …" : "Iščem stike...", "No contacts found" : "Ne najdem stikov", "Show all contacts …" : "Prikaži vse kontakte", - "There was an error loading your contacts" : "Prišlo je do napake pri nalaganju tvojih stikov", "Loading your contacts …" : "Nalagam tvoje stike...", "Looking for {term} …" : "Iščem {term} …", "There were problems with the code integrity check. More information…" : "Med preverjanjem celovitosti kode je prišlo do napak. Več podrobnosti …", @@ -316,6 +315,7 @@ OC.L10N.register( "You are accessing the server from an untrusted domain." : "Trenutno je vzpostavljena povezava s strežnikom preko ne-varne domene.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Glede na nastavitve bi lahko kot skrbnik uporabili spodnji gumb in domeno ročno določili kot varno.", "Please use the command line updater because you have a big instance." : "Posodobitev večjih namestitev je priporočljivo izvesti prek ukazne vrstice.", - "For help, see the documentation." : "Za več podrobnosti si oglejte dokumentacijo." + "For help, see the documentation." : "Za več podrobnosti si oglejte dokumentacijo.", + "There was an error loading your contacts" : "Prišlo je do napake pri nalaganju tvojih stikov" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/core/l10n/sl.json b/core/l10n/sl.json index f0bff847f67d9..98e6f4139346c 100644 --- a/core/l10n/sl.json +++ b/core/l10n/sl.json @@ -51,7 +51,6 @@ "Search contacts …" : "Iščem stike...", "No contacts found" : "Ne najdem stikov", "Show all contacts …" : "Prikaži vse kontakte", - "There was an error loading your contacts" : "Prišlo je do napake pri nalaganju tvojih stikov", "Loading your contacts …" : "Nalagam tvoje stike...", "Looking for {term} …" : "Iščem {term} …", "There were problems with the code integrity check. More information…" : "Med preverjanjem celovitosti kode je prišlo do napak. Več podrobnosti …", @@ -314,6 +313,7 @@ "You are accessing the server from an untrusted domain." : "Trenutno je vzpostavljena povezava s strežnikom preko ne-varne domene.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Glede na nastavitve bi lahko kot skrbnik uporabili spodnji gumb in domeno ročno določili kot varno.", "Please use the command line updater because you have a big instance." : "Posodobitev večjih namestitev je priporočljivo izvesti prek ukazne vrstice.", - "For help, see the documentation." : "Za več podrobnosti si oglejte dokumentacijo." + "For help, see the documentation." : "Za več podrobnosti si oglejte dokumentacijo.", + "There was an error loading your contacts" : "Prišlo je do napake pri nalaganju tvojih stikov" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/core/l10n/sq.js b/core/l10n/sq.js index ebd22894464a9..d379a1db0bb51 100644 --- a/core/l10n/sq.js +++ b/core/l10n/sq.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Kërko kontakte ...", "No contacts found" : "Nuk jane gjetur kontakte", "Show all contacts …" : "Shfaq të gjitha kontaktet", - "There was an error loading your contacts" : "Ndodhi një problem me ngarkimin e kontakteve tuaj.", "Loading your contacts …" : "Kontaktet tuaja po ngarkohen ...", "Looking for {term} …" : "Duke kërkuar {për] ...", "There were problems with the code integrity check. More information…" : "Pati probleme me kontrollin e integritetit të kodit. Më tepër të dhëna…", @@ -337,6 +336,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Në varësi të formësimit tuaj, si administrator mundet gjithashtu të jeni në gjendje të përdorni butonin më poshtë për ta besuar këtë përkatësi.", "Please use the command line updater because you have a big instance." : "Ju lutemi, përdorni përditësuesin e rreshtit të urdhrave, sepse keni një instalim të madh.", "For help, see the documentation." : "Për ndihmë, shihni dokumentimin.", + "There was an error loading your contacts" : "Ndodhi një problem me ngarkimin e kontakteve tuaj.", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nuk ësht konfiguruar siç duhet. Për performancë më të mirë ne rekomandojmë të përdorni konfigurimet e mëposhtme në php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funksioni i PHP \"set_time_limit\" nuk është i disponueshëm. Kjo mund të rezultoj që skriptet te ndalohen në mes të ekzekutimit dhe të ndërpresin instalimin tuaj. Ne ju rekomandojmë që ju ta bëni aktiv këtë funksion.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Drejtoria juaj e të dhënave dhe kartelat tuaja ka shumë mundësi të jenë të arritshme që nga interneti. Kartela .htaccess s’funksionon. Këshillojmë me forcë që ta formësoni shërbyesin tuaj web në një mënyrë që drejtoria e të dhënave të mos lejojë më hyrje, ose ta zhvendosni drejtorinë e të dhënave jashtë rrënjës së dokumenteve të shërbyesit web.", diff --git a/core/l10n/sq.json b/core/l10n/sq.json index 01ca43b6bc40a..fed5721a71944 100644 --- a/core/l10n/sq.json +++ b/core/l10n/sq.json @@ -54,7 +54,6 @@ "Search contacts …" : "Kërko kontakte ...", "No contacts found" : "Nuk jane gjetur kontakte", "Show all contacts …" : "Shfaq të gjitha kontaktet", - "There was an error loading your contacts" : "Ndodhi një problem me ngarkimin e kontakteve tuaj.", "Loading your contacts …" : "Kontaktet tuaja po ngarkohen ...", "Looking for {term} …" : "Duke kërkuar {për] ...", "There were problems with the code integrity check. More information…" : "Pati probleme me kontrollin e integritetit të kodit. Më tepër të dhëna…", @@ -335,6 +334,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Në varësi të formësimit tuaj, si administrator mundet gjithashtu të jeni në gjendje të përdorni butonin më poshtë për ta besuar këtë përkatësi.", "Please use the command line updater because you have a big instance." : "Ju lutemi, përdorni përditësuesin e rreshtit të urdhrave, sepse keni një instalim të madh.", "For help, see the documentation." : "Për ndihmë, shihni dokumentimin.", + "There was an error loading your contacts" : "Ndodhi një problem me ngarkimin e kontakteve tuaj.", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nuk ësht konfiguruar siç duhet. Për performancë më të mirë ne rekomandojmë të përdorni konfigurimet e mëposhtme në php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funksioni i PHP \"set_time_limit\" nuk është i disponueshëm. Kjo mund të rezultoj që skriptet te ndalohen në mes të ekzekutimit dhe të ndërpresin instalimin tuaj. Ne ju rekomandojmë që ju ta bëni aktiv këtë funksion.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Drejtoria juaj e të dhënave dhe kartelat tuaja ka shumë mundësi të jenë të arritshme që nga interneti. Kartela .htaccess s’funksionon. Këshillojmë me forcë që ta formësoni shërbyesin tuaj web në një mënyrë që drejtoria e të dhënave të mos lejojë më hyrje, ose ta zhvendosni drejtorinë e të dhënave jashtë rrënjës së dokumenteve të shërbyesit web.", diff --git a/core/l10n/sr.js b/core/l10n/sr.js index 64353db5a96aa..60b8723a05b70 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Претражи контакте ...", "No contacts found" : "Контакти нису нађени", "Show all contacts …" : "Прикажи све контакте ...", - "There was an error loading your contacts" : "Догодила се грешка приликом учитавања Ваших контаката", "Loading your contacts …" : "Учитавам контакте ...", "Looking for {term} …" : "Тражим {term} …", "There were problems with the code integrity check. More information…" : "Догодила се грешка приликом провере интегритета кода. Више информација...", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Зависно од ваших подешавања, као администратор можете употребити дугме испод да потврдите поузданост домена.", "Please use the command line updater because you have a big instance." : "Молимо користите ажурирање из конзоле пошто имате велики сервер.", "For help, see the documentation." : "За помоћ, погледајте документацију.", + "There was an error loading your contacts" : "Догодила се грешка приликом учитавања Ваших контаката", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформанце предлажемо да користите следећа подешавања у php.ini датотеци:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручујемо да омогућите ову функцију.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваша фасцикла са подацима и Ваши фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", diff --git a/core/l10n/sr.json b/core/l10n/sr.json index 3b208f967abbc..6c7d3c753a8e5 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -54,7 +54,6 @@ "Search contacts …" : "Претражи контакте ...", "No contacts found" : "Контакти нису нађени", "Show all contacts …" : "Прикажи све контакте ...", - "There was an error loading your contacts" : "Догодила се грешка приликом учитавања Ваших контаката", "Loading your contacts …" : "Учитавам контакте ...", "Looking for {term} …" : "Тражим {term} …", "There were problems with the code integrity check. More information…" : "Догодила се грешка приликом провере интегритета кода. Више информација...", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Зависно од ваших подешавања, као администратор можете употребити дугме испод да потврдите поузданост домена.", "Please use the command line updater because you have a big instance." : "Молимо користите ажурирање из конзоле пошто имате велики сервер.", "For help, see the documentation." : "За помоћ, погледајте документацију.", + "There was an error loading your contacts" : "Догодила се грешка приликом учитавања Ваших контаката", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache није подешен исправно. За боље перформанце предлажемо да користите следећа подешавања у php.ini датотеци:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP функција \"set_time_limit\" није доступна. Ово може да узрокује да се скрипте закоче у сред извршавања, и тако покваре инсталацију. Препоручујемо да омогућите ову функцију.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваша фасцикла са подацима и Ваши фајлови су вероватно доступни са интернета. .htaccess фајл не ради. Препоручујемо да подесите Ваш веб сервер тако да је фасцикла са подацима ван фасцикле кореног документа веб сервера.", diff --git a/core/l10n/sv.js b/core/l10n/sv.js index ca1457af15ee2..03f5b0f692336 100644 --- a/core/l10n/sv.js +++ b/core/l10n/sv.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Sök kontakter ...", "No contacts found" : "Inga kontakter hittades", "Show all contacts …" : "Visa alla kontakter ...", - "There was an error loading your contacts" : "Det uppstod ett fel vid hämtning av dina kontakter", "Loading your contacts …" : "Laddar dina kontakter ...", "Looking for {term} …" : "Letar efter {term} …", "There were problems with the code integrity check. More information…" : " Ett problem uppstod under integritetskontrollen av koden. Mer information ... ", @@ -356,6 +355,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Beroende på din konfiguration, så finns det möjlighet att du som administratör kan använda knappen nedan för att verifiera på denna domän.", "Please use the command line updater because you have a big instance." : "Vänligen uppdatera via kommandotolken eftersom du har en stor instans.", "For help, see the documentation." : "För hjälp, se dokumentationen.", + "There was an error loading your contacts" : "Det uppstod ett fel vid hämtning av dina kontakter", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache är inte korrekt konfigurerat. För bättre prestanda rekommenderar vi att följande inställningar används i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktionen \"set_time_limit\" är inte tillgänglig. Detta kan resultera att script stoppas mitt i exekveringen och förstör din installation. Vi rekommenderar starkt att aktivera denna funktion.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din datamapp och dina filer kan troligtvis nås via Internet. Filen .htaccess fungerar inte. Det är starkt rekommenderat att konfigurera din webbserver på ett sätt så att datamappen inte längre kan nås eller flytta din datamapp utanför webbserverns dokumentrot.", diff --git a/core/l10n/sv.json b/core/l10n/sv.json index 4e5faf4704a6e..f0eeddde832cc 100644 --- a/core/l10n/sv.json +++ b/core/l10n/sv.json @@ -54,7 +54,6 @@ "Search contacts …" : "Sök kontakter ...", "No contacts found" : "Inga kontakter hittades", "Show all contacts …" : "Visa alla kontakter ...", - "There was an error loading your contacts" : "Det uppstod ett fel vid hämtning av dina kontakter", "Loading your contacts …" : "Laddar dina kontakter ...", "Looking for {term} …" : "Letar efter {term} …", "There were problems with the code integrity check. More information…" : " Ett problem uppstod under integritetskontrollen av koden. Mer information ... ", @@ -354,6 +353,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Beroende på din konfiguration, så finns det möjlighet att du som administratör kan använda knappen nedan för att verifiera på denna domän.", "Please use the command line updater because you have a big instance." : "Vänligen uppdatera via kommandotolken eftersom du har en stor instans.", "For help, see the documentation." : "För hjälp, se dokumentationen.", + "There was an error loading your contacts" : "Det uppstod ett fel vid hämtning av dina kontakter", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache är inte korrekt konfigurerat. För bättre prestanda rekommenderar vi att följande inställningar används i php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktionen \"set_time_limit\" är inte tillgänglig. Detta kan resultera att script stoppas mitt i exekveringen och förstör din installation. Vi rekommenderar starkt att aktivera denna funktion.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din datamapp och dina filer kan troligtvis nås via Internet. Filen .htaccess fungerar inte. Det är starkt rekommenderat att konfigurera din webbserver på ett sätt så att datamappen inte längre kan nås eller flytta din datamapp utanför webbserverns dokumentrot.", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index f723fe293d751..4c5ae4b2d3f6e 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Kişi arama...", "No contacts found" : "Herhangi bir kişi bulunamadı", "Show all contacts …" : "Tüm kişileri görüntüle...", - "There was an error loading your contacts" : "Kişileriniz yüklenirken bir sorun çıktı", "Loading your contacts …" : "Kişileriniz yükleniyor...", "Looking for {term} …" : "{term} ifadesi aranıyor...", "There were problems with the code integrity check. More information…" : "Kod bütünlük sınamasında sorunlar çıktı. Ayrıntılı bilgi…", @@ -375,6 +374,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Yapılandırmanıza bağlı olarak, bir yönetici olarak bu etki alanına güvenmek için aşağıdaki düğmeyi de kullanabilirsiniz.", "Please use the command line updater because you have a big instance." : "Kopyanız oldukça büyük olduğundan güncelleme için komut satırını kullanın.", "For help, see the documentation." : "Yardım almak için, belgelere bakın.", + "There was an error loading your contacts" : "Kişileriniz yüklenirken bir sorun çıktı", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için  php.ini dosyasında şu ayarların kullanılması önerilir ↗:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevi etkinleştirmeniz önemle önerilir.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 2d0e61452d49b..2a670c5e246c9 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -54,7 +54,6 @@ "Search contacts …" : "Kişi arama...", "No contacts found" : "Herhangi bir kişi bulunamadı", "Show all contacts …" : "Tüm kişileri görüntüle...", - "There was an error loading your contacts" : "Kişileriniz yüklenirken bir sorun çıktı", "Loading your contacts …" : "Kişileriniz yükleniyor...", "Looking for {term} …" : "{term} ifadesi aranıyor...", "There were problems with the code integrity check. More information…" : "Kod bütünlük sınamasında sorunlar çıktı. Ayrıntılı bilgi…", @@ -373,6 +372,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Yapılandırmanıza bağlı olarak, bir yönetici olarak bu etki alanına güvenmek için aşağıdaki düğmeyi de kullanabilirsiniz.", "Please use the command line updater because you have a big instance." : "Kopyanız oldukça büyük olduğundan güncelleme için komut satırını kullanın.", "For help, see the documentation." : "Yardım almak için, belgelere bakın.", + "There was an error loading your contacts" : "Kişileriniz yüklenirken bir sorun çıktı", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache doğru şekilde ayarlanmamış. Daha iyi sonuç almak için  php.ini dosyasında şu ayarların kullanılması önerilir ↗:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "\"set_time_limit\" PHP işlevi kullanılamıyor. Bu durum betiklerin yürütme sırasında durmasına, ve kurulumunuzun çalışmamasına neden olabilir. Bu işlevi etkinleştirmeniz önemle önerilir.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Veri klasörünüz ve dosyalarınız İnternet üzerinden erişime açık olabilir. .htaccess dosyası çalışmıyor. Web sunucunuzu yapılandırarak veri klasörüne erişimi engellemeniz ya da veri klasörünü web sunucu kök klasörü dışına taşımanız önemle önerilir.", diff --git a/core/l10n/uk.js b/core/l10n/uk.js index c8ae6e9d49fc3..a9f75bf172fa2 100644 --- a/core/l10n/uk.js +++ b/core/l10n/uk.js @@ -55,7 +55,6 @@ OC.L10N.register( "Search contacts …" : "Пошук контактів...", "No contacts found" : "Контактів не знайдено", "Show all contacts …" : "Показати всі контакти ...", - "There was an error loading your contacts" : "Виникла помилка під час завантаження ваших контактів", "Loading your contacts …" : "Завантаження ваших контактів ...", "Looking for {term} …" : "Шукаєте {term}", "There were problems with the code integrity check. More information…" : "Були проблеми з перевіркою цілісності коду. Більше інформації…", @@ -304,6 +303,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Залежно від конфігурації Ви як адміністратор можете додати цей домен у список довірених, використовуйте кнопку нижче.", "Please use the command line updater because you have a big instance." : "Просимо запустити процес оновлення з командного рядка, оскільки ви маєте багато даних.", "For help, see the documentation." : "За допомогою зверніться до документації.", + "There was an error loading your contacts" : "Виникла помилка під час завантаження ваших контактів", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функція PHP \"set_time_limit\" не доступна. Це може бути спричинено помилкою перериванням встановлення. Ми наполегливо увімкнути цю функцію.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог даних і ваші файли можливо доступні з інтернету. .htaccess файл не працює. Ми наполегливо рекомендуємо вам налаштувати ваш веб сервер таким чином, щоб каталог даних більше не був доступний або перемістіть каталог даних за межі кореня веб сервера." }, diff --git a/core/l10n/uk.json b/core/l10n/uk.json index 82b8a81ba4dd8..c98e8c2489542 100644 --- a/core/l10n/uk.json +++ b/core/l10n/uk.json @@ -53,7 +53,6 @@ "Search contacts …" : "Пошук контактів...", "No contacts found" : "Контактів не знайдено", "Show all contacts …" : "Показати всі контакти ...", - "There was an error loading your contacts" : "Виникла помилка під час завантаження ваших контактів", "Loading your contacts …" : "Завантаження ваших контактів ...", "Looking for {term} …" : "Шукаєте {term}", "There were problems with the code integrity check. More information…" : "Були проблеми з перевіркою цілісності коду. Більше інформації…", @@ -302,6 +301,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Залежно від конфігурації Ви як адміністратор можете додати цей домен у список довірених, використовуйте кнопку нижче.", "Please use the command line updater because you have a big instance." : "Просимо запустити процес оновлення з командного рядка, оскільки ви маєте багато даних.", "For help, see the documentation." : "За допомогою зверніться до документації.", + "There was an error loading your contacts" : "Виникла помилка під час завантаження ваших контактів", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функція PHP \"set_time_limit\" не доступна. Це може бути спричинено помилкою перериванням встановлення. Ми наполегливо увімкнути цю функцію.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог даних і ваші файли можливо доступні з інтернету. .htaccess файл не працює. Ми наполегливо рекомендуємо вам налаштувати ваш веб сервер таким чином, щоб каталог даних більше не був доступний або перемістіть каталог даних за межі кореня веб сервера." },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" diff --git a/core/l10n/vi.js b/core/l10n/vi.js index 75bbd20d66541..f97e196ab33ec 100644 --- a/core/l10n/vi.js +++ b/core/l10n/vi.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "Tìm liên hệ ...", "No contacts found" : "Không tìm thấy liên hệ nào", "Show all contacts …" : "Hiển thị tất cả liên hệ…", - "There was an error loading your contacts" : "Đã xảy ra lỗi khi tải liên hệ của bạn", "Loading your contacts …" : "Đang tải liên hệ của bạn ...", "Looking for {term} …" : "Đang tìm kiếm {term} ...", "There were problems with the code integrity check. More information…" : " Có lỗi xảy ra với mã kiểm tra sự toàn vẹn. Thông tin thêm....", @@ -348,6 +347,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Phụ thuộc vào cấu hình của ban, với tư cách là quản trị viên ban có thể cho phép sử dụng nút lệnh dưới đây để tạo sự tin tưởng cho tên miền này.", "Please use the command line updater because you have a big instance." : "Hãy sử dụng dòng lệnh để cập nhật bởi vì bạn có một hệ thống lớn.", "For help, see the documentation." : "Để được trợ giúp, hãy xem tài liệuliệu.", + "There was an error loading your contacts" : "Đã xảy ra lỗi khi tải liên hệ của bạn", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Chức năng PHP OPcache không được cấu hình hợp lệ. Để hiệu suất hệ thống tốt hơn, chúng tôi đề xuất thực hiện các thiết lập sau trong tệp tin php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Chức năng PHP \"set_time_limit\" không khả dụng. Điều này có thể dẫn đến việc các tập lệnh bị tạm dừng giữa chừng khi thực hiện, phá vỡ cài đặt của bạn. Chúng tôi thực sự khuyên bạn nên bật chức năng này.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Thư mục chứa dữ liệu và các tệp của bạn có thể truy cập được từ Internet. Vì tệp .htaccess không hoạt động. Chúng tôi khuyên bạn nên định cấu hình máy chủ web theo cách mà thư mục dữ liệu không có thể truy cập được hoặc bạn di chuyển thư mục dữ liệu ra bên ngoài thư mục gốc của máy chủ web.", diff --git a/core/l10n/vi.json b/core/l10n/vi.json index 8f45a04e70455..000b3216fd935 100644 --- a/core/l10n/vi.json +++ b/core/l10n/vi.json @@ -54,7 +54,6 @@ "Search contacts …" : "Tìm liên hệ ...", "No contacts found" : "Không tìm thấy liên hệ nào", "Show all contacts …" : "Hiển thị tất cả liên hệ…", - "There was an error loading your contacts" : "Đã xảy ra lỗi khi tải liên hệ của bạn", "Loading your contacts …" : "Đang tải liên hệ của bạn ...", "Looking for {term} …" : "Đang tìm kiếm {term} ...", "There were problems with the code integrity check. More information…" : " Có lỗi xảy ra với mã kiểm tra sự toàn vẹn. Thông tin thêm....", @@ -346,6 +345,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Phụ thuộc vào cấu hình của ban, với tư cách là quản trị viên ban có thể cho phép sử dụng nút lệnh dưới đây để tạo sự tin tưởng cho tên miền này.", "Please use the command line updater because you have a big instance." : "Hãy sử dụng dòng lệnh để cập nhật bởi vì bạn có một hệ thống lớn.", "For help, see the documentation." : "Để được trợ giúp, hãy xem tài liệuliệu.", + "There was an error loading your contacts" : "Đã xảy ra lỗi khi tải liên hệ của bạn", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Chức năng PHP OPcache không được cấu hình hợp lệ. Để hiệu suất hệ thống tốt hơn, chúng tôi đề xuất thực hiện các thiết lập sau trong tệp tin php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Chức năng PHP \"set_time_limit\" không khả dụng. Điều này có thể dẫn đến việc các tập lệnh bị tạm dừng giữa chừng khi thực hiện, phá vỡ cài đặt của bạn. Chúng tôi thực sự khuyên bạn nên bật chức năng này.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Thư mục chứa dữ liệu và các tệp của bạn có thể truy cập được từ Internet. Vì tệp .htaccess không hoạt động. Chúng tôi khuyên bạn nên định cấu hình máy chủ web theo cách mà thư mục dữ liệu không có thể truy cập được hoặc bạn di chuyển thư mục dữ liệu ra bên ngoài thư mục gốc của máy chủ web.", diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index b8c10d07471e3..5bfe680c18544 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "搜索联系人 ...", "No contacts found" : "无法找到联系人", "Show all contacts …" : "显示所有联系人...", - "There was an error loading your contacts" : "加载联系人出错", "Loading your contacts …" : "加载您的联系人...", "Looking for {term} …" : "查找 {term} ...", "There were problems with the code integrity check. More information…" : "代码完整性检查出现异常, 点击查看详细信息...", @@ -359,6 +358,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "基于您的配置, 作为系统管理员, 您还可以点击下面的按钮来信任该域名.", "Please use the command line updater because you have a big instance." : "由于您的实例较大, 请使用命令行更新.", "For help, see the documentation." : "获取更多帮助, 请查看 文档.", + "There was an error loading your contacts" : "加载联系人出错", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP 的组件 OPcache 没有正确配置. 为了提供更好的性能, 我们建议在php.ini文件中使用下列设置:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP的函数“set_time_limit\"是不可用的,这导致脚本在运行中被中止,暂停你的安装,我们强烈建议你开启这个函数", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "你的数据存储目录可以从互联网上直接访问。.htaccess文件没有生效,请配置你的网页服务器以避免数据存储目录可从外部访问或将数据存储目录转移到网页服务器根目录之外。", diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index 250cc2be6ba57..1dc340f616bf4 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -54,7 +54,6 @@ "Search contacts …" : "搜索联系人 ...", "No contacts found" : "无法找到联系人", "Show all contacts …" : "显示所有联系人...", - "There was an error loading your contacts" : "加载联系人出错", "Loading your contacts …" : "加载您的联系人...", "Looking for {term} …" : "查找 {term} ...", "There were problems with the code integrity check. More information…" : "代码完整性检查出现异常, 点击查看详细信息...", @@ -357,6 +356,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "基于您的配置, 作为系统管理员, 您还可以点击下面的按钮来信任该域名.", "Please use the command line updater because you have a big instance." : "由于您的实例较大, 请使用命令行更新.", "For help, see the documentation." : "获取更多帮助, 请查看 文档.", + "There was an error loading your contacts" : "加载联系人出错", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP 的组件 OPcache 没有正确配置. 为了提供更好的性能, 我们建议在php.ini文件中使用下列设置:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP的函数“set_time_limit\"是不可用的,这导致脚本在运行中被中止,暂停你的安装,我们强烈建议你开启这个函数", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "你的数据存储目录可以从互联网上直接访问。.htaccess文件没有生效,请配置你的网页服务器以避免数据存储目录可从外部访问或将数据存储目录转移到网页服务器根目录之外。", diff --git a/core/l10n/zh_TW.js b/core/l10n/zh_TW.js index 588ada16eca32..08afb8996cfd5 100644 --- a/core/l10n/zh_TW.js +++ b/core/l10n/zh_TW.js @@ -56,7 +56,6 @@ OC.L10N.register( "Search contacts …" : "尋找聯絡人…", "No contacts found" : "查無聯絡人", "Show all contacts …" : "顯示所有聯絡人…", - "There was an error loading your contacts" : "載入您的聯絡人的時候發生錯誤", "Loading your contacts …" : "載入聯絡人…", "Looking for {term} …" : "搜尋 {term} …", "There were problems with the code integrity check. More information…" : "執行程式碼完整性檢查時發生問題。更多資訊…", @@ -368,6 +367,7 @@ OC.L10N.register( "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "依照設定而定,您身為系統管理員可能也可以使用底下的按鈕來信任這個網域", "Please use the command line updater because you have a big instance." : "請使用命令列更新工具,因為您的服務規模較大", "For help, see the documentation." : "請參閱說明文件取得協助。", + "There was an error loading your contacts" : "載入您的聯絡人的時候發生錯誤", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP的OPcache功能並未被妥善設定。為了有更好的效能表現我們建議在php.ini檔案中使用以下設定:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "無法取得PHP中的「set_time_limit」函式。這可能導致執行過程中被終止並造成不完整安裝。我們強烈建議啟用該函式。", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "您的資料目錄和檔案看來可以被公開存取,這表示 .htaccess 設定檔並未生效,我們強烈建議您設定網頁伺服器,拒絕公開存取資料目錄,或者將您的資料目錄移出網頁伺服器根目錄。", diff --git a/core/l10n/zh_TW.json b/core/l10n/zh_TW.json index a7fe7ed66bcaa..3d5e34b0d20ba 100644 --- a/core/l10n/zh_TW.json +++ b/core/l10n/zh_TW.json @@ -54,7 +54,6 @@ "Search contacts …" : "尋找聯絡人…", "No contacts found" : "查無聯絡人", "Show all contacts …" : "顯示所有聯絡人…", - "There was an error loading your contacts" : "載入您的聯絡人的時候發生錯誤", "Loading your contacts …" : "載入聯絡人…", "Looking for {term} …" : "搜尋 {term} …", "There were problems with the code integrity check. More information…" : "執行程式碼完整性檢查時發生問題。更多資訊…", @@ -366,6 +365,7 @@ "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "依照設定而定,您身為系統管理員可能也可以使用底下的按鈕來信任這個網域", "Please use the command line updater because you have a big instance." : "請使用命令列更新工具,因為您的服務規模較大", "For help, see the documentation." : "請參閱說明文件取得協助。", + "There was an error loading your contacts" : "載入您的聯絡人的時候發生錯誤", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP的OPcache功能並未被妥善設定。為了有更好的效能表現我們建議在php.ini檔案中使用以下設定:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "無法取得PHP中的「set_time_limit」函式。這可能導致執行過程中被終止並造成不完整安裝。我們強烈建議啟用該函式。", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "您的資料目錄和檔案看來可以被公開存取,這表示 .htaccess 設定檔並未生效,我們強烈建議您設定網頁伺服器,拒絕公開存取資料目錄,或者將您的資料目錄移出網頁伺服器根目錄。", From 0209690d559277cf23c1cbb65b94e3b01d2cb235 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Julius=20H=C3=A4rtl?= Date: Wed, 24 Jan 2018 13:06:10 +0100 Subject: [PATCH 026/251] Make sure we always know for sure if an avatar is generated or not MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Julius Härtl --- lib/private/Avatar.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/lib/private/Avatar.php b/lib/private/Avatar.php index afa9118c50957..cd29017333cff 100644 --- a/lib/private/Avatar.php +++ b/lib/private/Avatar.php @@ -217,6 +217,11 @@ public function getFile($size) { } + if($this->config->getUserValue($this->user->getUID(), 'avatar', 'generated', null) === null) { + $generated = $this->folder->fileExists('generated') ? 'true' : 'false'; + $this->config->setUserValue($this->user->getUID(), 'avatar', 'generated', $generated); + } + return $file; } From 986623e2acdb199fb5f929bb2242842726b50bf1 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Mon, 22 Jan 2018 15:58:57 +0100 Subject: [PATCH 027/251] Send a proper response for status.php on trusted domain error * fixes #7732 Signed-off-by: Morris Jobke --- lib/base.php | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/lib/base.php b/lib/base.php index d0672785cef13..080b268795c60 100644 --- a/lib/base.php +++ b/lib/base.php @@ -779,8 +779,16 @@ public static function init() { $isScssRequest = true; } + if(substr($request->getRequestUri(), -11) === '/status.php') { + OC_Response::setStatus(\OC_Response::STATUS_BAD_REQUEST); + header('Status: 400 Bad Request'); + header('Content-Type: application/json'); + echo '{"error": "Trusted domain error.", "code": 15}'; + exit(); + } + if (!$isScssRequest) { - header('HTTP/1.1 400 Bad Request'); + OC_Response::setStatus(\OC_Response::STATUS_BAD_REQUEST); header('Status: 400 Bad Request'); \OC::$server->getLogger()->warning( From f259e1cb8c03369e454810c5436e2f6b4444fa8d Mon Sep 17 00:00:00 2001 From: Roeland Jago Douma Date: Mon, 22 Jan 2018 13:57:00 +0100 Subject: [PATCH 028/251] If the preview is size 0 it is invalid * delete it * throw a NotFound Exception - This should a proper 404 to the user - Next time it is then regenerated Signed-off-by: Roeland Jago Douma --- lib/private/Preview/Generator.php | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/lib/private/Preview/Generator.php b/lib/private/Preview/Generator.php index 448a7a5758026..e28e436b1a0a3 100644 --- a/lib/private/Preview/Generator.php +++ b/lib/private/Preview/Generator.php @@ -110,6 +110,11 @@ public function getPreview(File $file, $width = -1, $height = -1, $crop = false, // Get the max preview and infer the max preview sizes from that $maxPreview = $this->getMaxPreview($previewFolder, $file, $mimeType); + if ($maxPreview->getSize() === 0) { + $maxPreview->delete(); + throw new NotFoundException('Max preview size 0, invalid!'); + } + list($maxWidth, $maxHeight) = $this->getPreviewSize($maxPreview); // If both width and heigth are -1 we just want the max preview @@ -129,15 +134,20 @@ public function getPreview(File $file, $width = -1, $height = -1, $crop = false, // Try to get a cached preview. Else generate (and store) one try { try { - $file = $this->getCachedPreview($previewFolder, $width, $height, $crop, $maxPreview->getMimeType()); + $preview = $this->getCachedPreview($previewFolder, $width, $height, $crop, $maxPreview->getMimeType()); } catch (NotFoundException $e) { - $file = $this->generatePreview($previewFolder, $maxPreview, $width, $height, $crop, $maxWidth, $maxHeight); + $preview = $this->generatePreview($previewFolder, $maxPreview, $width, $height, $crop, $maxWidth, $maxHeight); } } catch (\InvalidArgumentException $e) { throw new NotFoundException(); } - return $file; + if ($preview->getSize() === 0) { + $preview->delete(); + throw new NotFoundException('Cached preview size 0, invalid!'); + } + + return $preview; } /** From 6b954e6cd6229c0a5ace1c6c0c9386effcb15904 Mon Sep 17 00:00:00 2001 From: Luca Adrian Lindhorst Date: Wed, 17 Jan 2018 16:12:49 +0100 Subject: [PATCH 029/251] Removed additional and uneccessary request on password reset, to fix redirection afterwards. Signed-off-by: Luca Adrian Lindhorst --- core/js/lostpassword.js | 9 +-------- 1 file changed, 1 insertion(+), 8 deletions(-) diff --git a/core/js/lostpassword.js b/core/js/lostpassword.js index 8c77004744444..5f81a96cd4fe2 100644 --- a/core/js/lostpassword.js +++ b/core/js/lostpassword.js @@ -162,14 +162,7 @@ OC.Lostpassword = { resetDone : function(result){ var resetErrorMsg; if (result && result.status === 'success'){ - $.post( - OC.webroot + '/', - { - user : window.location.href.split('/').pop(), - password : $('#password').val() - }, - OC.Lostpassword.redirect - ); + OC.Lostpassword.redirect(); } else { if (result && result.msg){ resetErrorMsg = result.msg; From 326af0c9c3747cafeba34bf3f063fb75a21c5e5e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Daniel=20Calvi=C3=B1o=20S=C3=A1nchez?= Date: Wed, 24 Jan 2018 16:27:51 +0100 Subject: [PATCH 030/251] Fix missing clipboard icon in shared links MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit The clipboard icon in shared links appears either directly on the link input field or, if any social sharing app is enabled, in a menu. The clipboard icon uses the same CSS rules as other icons (like the information icon) to be posioned on the end of the input field, and those rules have to be "cancelled" when the icon is shown in the menu. Fixes #7990 Signed-off-by: Daniel Calviño Sánchez --- apps/files_sharing/css/sharetabview.scss | 2 ++ 1 file changed, 2 insertions(+) diff --git a/apps/files_sharing/css/sharetabview.scss b/apps/files_sharing/css/sharetabview.scss index 6635546067b0a..f3bbd952c2d24 100644 --- a/apps/files_sharing/css/sharetabview.scss +++ b/apps/files_sharing/css/sharetabview.scss @@ -14,6 +14,7 @@ } .shareTabView .shareWithRemoteInfo, +.shareTabView .clipboardButton, .shareTabView .linkPass .icon-loading-small { position: absolute; right: -7px; @@ -37,6 +38,7 @@ position: relative; top: initial; right: initial; + padding: 0; } .shareTabView label { From e79a755d08a8949a9e6dccd4f462c99cd1df6de4 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Thu, 25 Jan 2018 01:11:19 +0000 Subject: [PATCH 031/251] [tx-robot] updated from transifex --- core/l10n/es_MX.js | 3 +++ core/l10n/es_MX.json | 3 +++ core/l10n/fr.js | 1 + core/l10n/fr.json | 1 + core/l10n/hu.js | 1 + core/l10n/hu.json | 1 + core/l10n/it.js | 1 + core/l10n/it.json | 1 + core/l10n/ka_GE.js | 1 + core/l10n/ka_GE.json | 1 + core/l10n/pt_BR.js | 1 + core/l10n/pt_BR.json | 1 + core/l10n/ru.js | 1 + core/l10n/ru.json | 1 + core/l10n/uk.js | 12 +++++++++++- core/l10n/uk.json | 12 +++++++++++- lib/l10n/ast.js | 1 + lib/l10n/ast.json | 1 + 18 files changed, 42 insertions(+), 2 deletions(-) diff --git a/core/l10n/es_MX.js b/core/l10n/es_MX.js index 394906a92380f..92e879c29c873 100644 --- a/core/l10n/es_MX.js +++ b/core/l10n/es_MX.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", + "Could not load your contacts" : "No fue posible cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -120,6 +121,7 @@ OC.L10N.register( "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Tu PHP no cuenta con soporte FreeType, lo que resulta en fallas en la imagen de perfil y la interface de configuraciones. ", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -274,6 +276,7 @@ OC.L10N.register( "Username or email" : "Usuario o correo electrónico", "Log in" : "Ingresar", "Wrong password." : "Contraseña inválida. ", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Hemos detectado múltiples intentos de inicio de sesión desde tu IP. Por lo tanto tu siguiente incio de sesión se retrasará hasta 30 segundos. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", diff --git a/core/l10n/es_MX.json b/core/l10n/es_MX.json index 1a9938bb6f623..b8c3a4f09748a 100644 --- a/core/l10n/es_MX.json +++ b/core/l10n/es_MX.json @@ -54,6 +54,7 @@ "Search contacts …" : "Buscar contactos ...", "No contacts found" : "No se encontraron contactos", "Show all contacts …" : "Mostrar todos los contactos ...", + "Could not load your contacts" : "No fue posible cargar tus contactos", "Loading your contacts …" : "Cargando sus contactos ... ", "Looking for {term} …" : "Buscando {term} ...", "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Más información ...", @@ -118,6 +119,7 @@ "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Puedes encontrar más información de cómo resolver este problema en la documentación. (Lista de archivos inválidos.../Volver a verificar...)", "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "El OPcache de PHP no está configurado correctamente. Para un mejor desempeño se recomienda usar las sigueintes configuraciones en el archivo php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "La función de PHP \"set_time_limit\" no está disponible. Esto podría generar que la ejecución de scripts se detenga, rompiendo su instalación. Se recomienda ámpliamente habilitar esta función. ", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "Tu PHP no cuenta con soporte FreeType, lo que resulta en fallas en la imagen de perfil y la interface de configuraciones. ", "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Probablemente tu directorio de datos y archivos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda ampliamente que configures tu servidor web para que el directorio de datos no sea accesible, o bien, que muevas el directorio de datos fuera del directorio raíz del servidor web.", "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "El encabezado HTTP \"{header}\" está establecido a \"{expected}\". Esto representa un riesgo potencial de seguridad o privacidad, y que se recomienda ajustar esta configuración. ", @@ -272,6 +274,7 @@ "Username or email" : "Usuario o correo electrónico", "Log in" : "Ingresar", "Wrong password." : "Contraseña inválida. ", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Hemos detectado múltiples intentos de inicio de sesión desde tu IP. Por lo tanto tu siguiente incio de sesión se retrasará hasta 30 segundos. ", "Stay logged in" : "Mantener la sesión abierta", "Forgot password?" : "¿Olvidaste tu contraseña?", "Back to log in" : "Regresar al inicio de sesión", diff --git a/core/l10n/fr.js b/core/l10n/fr.js index 0a899edc21d4f..3d867e912ae12 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Rechercher les contacts...", "No contacts found" : "Aucun contact trouvé", "Show all contacts …" : "Montrer tous les contacts...", + "Could not load your contacts" : "Impossible de charger vos contacts", "Loading your contacts …" : "Chargement de vos contacts...", "Looking for {term} …" : "Recherche de {term} ...", "There were problems with the code integrity check. More information…" : "Il y a eu des problèmes à la vérification de l’intégrité du code. Plus d'infos...", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index f149ca072f21f..cc46033816192 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -54,6 +54,7 @@ "Search contacts …" : "Rechercher les contacts...", "No contacts found" : "Aucun contact trouvé", "Show all contacts …" : "Montrer tous les contacts...", + "Could not load your contacts" : "Impossible de charger vos contacts", "Loading your contacts …" : "Chargement de vos contacts...", "Looking for {term} …" : "Recherche de {term} ...", "There were problems with the code integrity check. More information…" : "Il y a eu des problèmes à la vérification de l’intégrité du code. Plus d'infos...", diff --git a/core/l10n/hu.js b/core/l10n/hu.js index ec75f37c34dd2..8ae6d324844ba 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Névjegyek keresése...", "No contacts found" : "Nem találhatók névejegyek", "Show all contacts …" : "Minden névjegy megjelenítése...", + "Could not load your contacts" : "Nem lehet betölteni a névjegyeidet", "Loading your contacts …" : "Névjegyek betöltése...", "Looking for {term} …" : "{term} keresése …", "There were problems with the code integrity check. More information…" : "Problémák vannak a kódintegritás ellenőrzéssel. Bővebb információ…", diff --git a/core/l10n/hu.json b/core/l10n/hu.json index 9cca070c03be4..96892931c7ae4 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -54,6 +54,7 @@ "Search contacts …" : "Névjegyek keresése...", "No contacts found" : "Nem találhatók névejegyek", "Show all contacts …" : "Minden névjegy megjelenítése...", + "Could not load your contacts" : "Nem lehet betölteni a névjegyeidet", "Loading your contacts …" : "Névjegyek betöltése...", "Looking for {term} …" : "{term} keresése …", "There were problems with the code integrity check. More information…" : "Problémák vannak a kódintegritás ellenőrzéssel. Bővebb információ…", diff --git a/core/l10n/it.js b/core/l10n/it.js index fa329d0d9d0a8..74a47ccbb1c95 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Cerca contatti...", "No contacts found" : "Nessun contatto trovato", "Show all contacts …" : "Mostra tutti i contatti...", + "Could not load your contacts" : "Impossibile caricare i tuoi contatti", "Loading your contacts …" : "Caricamento dei tuoi contatti...", "Looking for {term} …" : "Ricerca di {term} in corso...", "There were problems with the code integrity check. More information…" : "Si sono verificati errori con il controllo di integrità del codice. Ulteriori informazioni…", diff --git a/core/l10n/it.json b/core/l10n/it.json index e7e640b185758..97d58e8ecacf3 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -54,6 +54,7 @@ "Search contacts …" : "Cerca contatti...", "No contacts found" : "Nessun contatto trovato", "Show all contacts …" : "Mostra tutti i contatti...", + "Could not load your contacts" : "Impossibile caricare i tuoi contatti", "Loading your contacts …" : "Caricamento dei tuoi contatti...", "Looking for {term} …" : "Ricerca di {term} in corso...", "There were problems with the code integrity check. More information…" : "Si sono verificati errori con il controllo di integrità del codice. Ulteriori informazioni…", diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index 2e9f9b9581ae2..8514a7e996608 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "მოძებნეთ კონტაქტები ...", "No contacts found" : "კომენტარები ვერ იქნა ნაპოვნი.", "Show all contacts …" : "ყველა კონტაქტის ჩვენება ...", + "Could not load your contacts" : "თქვენი კონტაქტების ჩატვირთვა ვერ მოხერხდა", "Loading your contacts …" : "იტვირთება კონტაქტები ...", "Looking for {term} …" : "ვეძებთ {term}-ს …", "There were problems with the code integrity check. More information…" : "კოდის მთლიანობის შემოწმებასთან წარმოიქმა შეცდომები. მეტი ინფორმაცია…", diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index 535a2deb93a32..6a9778ecd3e40 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -54,6 +54,7 @@ "Search contacts …" : "მოძებნეთ კონტაქტები ...", "No contacts found" : "კომენტარები ვერ იქნა ნაპოვნი.", "Show all contacts …" : "ყველა კონტაქტის ჩვენება ...", + "Could not load your contacts" : "თქვენი კონტაქტების ჩატვირთვა ვერ მოხერხდა", "Loading your contacts …" : "იტვირთება კონტაქტები ...", "Looking for {term} …" : "ვეძებთ {term}-ს …", "There were problems with the code integrity check. More information…" : "კოდის მთლიანობის შემოწმებასთან წარმოიქმა შეცდომები. მეტი ინფორმაცია…", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 61d376b4b8afb..5324f253ca981 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Procurar contatos...", "No contacts found" : "Nenhum contato encontrado", "Show all contacts …" : "Mostrar todos os contatos...", + "Could not load your contacts" : "Não foi possível carregar seus contatos", "Loading your contacts …" : "Carregando seus contatos...", "Looking for {term} …" : "Procurando por {term}…", "There were problems with the code integrity check. More information…" : "Houve problemas com a verificação de integridade do código. Mais informações…", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index 4c637488e5ea3..9c0064b705b93 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -54,6 +54,7 @@ "Search contacts …" : "Procurar contatos...", "No contacts found" : "Nenhum contato encontrado", "Show all contacts …" : "Mostrar todos os contatos...", + "Could not load your contacts" : "Não foi possível carregar seus contatos", "Loading your contacts …" : "Carregando seus contatos...", "Looking for {term} …" : "Procurando por {term}…", "There were problems with the code integrity check. More information…" : "Houve problemas com a verificação de integridade do código. Mais informações…", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 0fdea07d41d31..5b53cef8b7000 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Искать контакты…", "No contacts found" : "Контактов не найдено", "Show all contacts …" : "Показать все контакты…", + "Could not load your contacts" : "Ошибка получения контактов", "Loading your contacts …" : "Загрузка контактов…", "Looking for {term} …" : "Поиск {term}…", "There were problems with the code integrity check. More information…" : " Были обнаружены проблемы с проверкой целостности кода. Подробнее ...", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index a836435714e39..67c1d008a93fa 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -54,6 +54,7 @@ "Search contacts …" : "Искать контакты…", "No contacts found" : "Контактов не найдено", "Show all contacts …" : "Показать все контакты…", + "Could not load your contacts" : "Ошибка получения контактов", "Loading your contacts …" : "Загрузка контактов…", "Looking for {term} …" : "Поиск {term}…", "There were problems with the code integrity check. More information…" : " Были обнаружены проблемы с проверкой целостности кода. Подробнее ...", diff --git a/core/l10n/uk.js b/core/l10n/uk.js index a9f75bf172fa2..4e573a7cddebb 100644 --- a/core/l10n/uk.js +++ b/core/l10n/uk.js @@ -14,7 +14,7 @@ OC.L10N.register( "No crop data provided" : "Не вказана інформація про кадрування", "No valid crop data provided" : "Не вказані коректні дані про кадрування", "Crop is not square" : "Кадр не є квадратом", - "State token does not match" : "Токен стану не співпадає", + "State token does not match" : "Токен стану не збігається", "Password reset is disabled" : "Заборонено скидання паролю", "Couldn't reset password because the token is invalid" : "Неможливо скинути пароль, бо маркер є недійсним", "Couldn't reset password because the token is expired" : "Неможливо скинути пароль, бо маркер застарів", @@ -55,10 +55,12 @@ OC.L10N.register( "Search contacts …" : "Пошук контактів...", "No contacts found" : "Контактів не знайдено", "Show all contacts …" : "Показати всі контакти ...", + "Could not load your contacts" : "Неможливо завантажити ваші контакти", "Loading your contacts …" : "Завантаження ваших контактів ...", "Looking for {term} …" : "Шукаєте {term}", "There were problems with the code integrity check. More information…" : "Були проблеми з перевіркою цілісності коду. Більше інформації…", "No action available" : "Немає доступних дій", + "Error fetching contact actions" : "Неможливо отримати дії з контактами", "Settings" : "Налаштування", "Connection to server lost" : "З'єднання з сервером втрачено", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Проблема під час завантаження сторінки, повторне завантаження за %n сек.","Проблема під час завантаження сторінки, повторне завантаження за %n сек.","Проблема під час завантаження сторінки, повторне завантаження за 5 сек."], @@ -108,12 +110,15 @@ OC.L10N.register( "Strong password" : "Надійний пароль", "Error occurred while checking server setup" : "При перевірці налаштувань серверу сталася помилка", "Shared" : "Опубліковано", + "Shared with" : "Спільний доступ з", + "Shared by" : "Поділився", "Error setting expiration date" : "Помилка при встановленні терміну дії", "The public link will expire no later than {days} days after it is created" : "Доступ до опублікованого посилання буде припинено не пізніше ніж через {days} днів з моменту створення", "Set expiration date" : "Встановити термін дії", "Expiration" : "Закінчення", "Expiration date" : "Термін дії", "Choose a password for the public link" : "Вкажіть пароль для публічного посилання", + "Choose a password for the public link or press the \"Enter\" key" : "Встановіть пароль на публічне посилання або натисніть на \"Enter\"", "Copied!" : "Скопійовано!", "Not supported!" : "Не підтримується!", "Press ⌘-C to copy." : "Натисніть ⌘-C щоб скопіювати.", @@ -126,9 +131,11 @@ OC.L10N.register( "Allow editing" : "Дозволити редагування", "Email link to person" : "Надіслати посилання електронною поштою", "Send" : "Надіслати", + "Allow upload and editing" : "Дозволити завантаження та редагування", "Read only" : "Тільки для читання", "Shared with you and the group {group} by {owner}" : " {owner} опублікував для Вас та для групи {group}", "Shared with you by {owner}" : "{owner} опублікував для Вас", + "Choose a password for the mail share" : "Встановіть пароль на спільне посилання через електронну пошту", "group" : "група", "remote" : "Віддалений", "email" : "електронна пошта", @@ -142,6 +149,7 @@ OC.L10N.register( "Access control" : "контроль доступу", "Could not unshare" : "Неможливо припинити ділитися файлом", "Error while sharing" : "Помилка під час публікації", + "Share details could not be loaded for this item." : "Неможливо отримати докладну інформацію щодо цього спільного ресурсу", "No users or groups found for {search}" : "Не знайдено груп або користувачів за пошуком {search}", "No users found for {search}" : "Не знайдено жодного користувача для {search}", "An error occurred. Please try again" : "Сталася помилка. Спробуйте ще раз", @@ -231,6 +239,7 @@ OC.L10N.register( "Wrong password." : "Невірний пароль.", "Stay logged in" : "Залишатись в системі", "Forgot password?" : "Забули пароль?", + "Back to log in" : "Повернутися до сторінки авторизації", "Alternative Logins" : "Альтернативні імена користувача", "Account access" : "Доступ до облікового запису", "Grant access" : "Дозволити доступ", @@ -239,6 +248,7 @@ OC.L10N.register( "New password" : "Новий пароль", "New Password" : "Новий пароль", "Two-factor authentication" : "дво-факторна аутентифікація", + "Use backup code" : "Використати резервний код", "Add \"%s\" as trusted domain" : "Додати \"%s\" як довірений домен", "App update required" : "Додаток потребує оновлення", "%s will be updated to version %s" : "%s буде оновлено до версії %s", diff --git a/core/l10n/uk.json b/core/l10n/uk.json index c98e8c2489542..c46ed33f81fc9 100644 --- a/core/l10n/uk.json +++ b/core/l10n/uk.json @@ -12,7 +12,7 @@ "No crop data provided" : "Не вказана інформація про кадрування", "No valid crop data provided" : "Не вказані коректні дані про кадрування", "Crop is not square" : "Кадр не є квадратом", - "State token does not match" : "Токен стану не співпадає", + "State token does not match" : "Токен стану не збігається", "Password reset is disabled" : "Заборонено скидання паролю", "Couldn't reset password because the token is invalid" : "Неможливо скинути пароль, бо маркер є недійсним", "Couldn't reset password because the token is expired" : "Неможливо скинути пароль, бо маркер застарів", @@ -53,10 +53,12 @@ "Search contacts …" : "Пошук контактів...", "No contacts found" : "Контактів не знайдено", "Show all contacts …" : "Показати всі контакти ...", + "Could not load your contacts" : "Неможливо завантажити ваші контакти", "Loading your contacts …" : "Завантаження ваших контактів ...", "Looking for {term} …" : "Шукаєте {term}", "There were problems with the code integrity check. More information…" : "Були проблеми з перевіркою цілісності коду. Більше інформації…", "No action available" : "Немає доступних дій", + "Error fetching contact actions" : "Неможливо отримати дії з контактами", "Settings" : "Налаштування", "Connection to server lost" : "З'єднання з сервером втрачено", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Проблема під час завантаження сторінки, повторне завантаження за %n сек.","Проблема під час завантаження сторінки, повторне завантаження за %n сек.","Проблема під час завантаження сторінки, повторне завантаження за 5 сек."], @@ -106,12 +108,15 @@ "Strong password" : "Надійний пароль", "Error occurred while checking server setup" : "При перевірці налаштувань серверу сталася помилка", "Shared" : "Опубліковано", + "Shared with" : "Спільний доступ з", + "Shared by" : "Поділився", "Error setting expiration date" : "Помилка при встановленні терміну дії", "The public link will expire no later than {days} days after it is created" : "Доступ до опублікованого посилання буде припинено не пізніше ніж через {days} днів з моменту створення", "Set expiration date" : "Встановити термін дії", "Expiration" : "Закінчення", "Expiration date" : "Термін дії", "Choose a password for the public link" : "Вкажіть пароль для публічного посилання", + "Choose a password for the public link or press the \"Enter\" key" : "Встановіть пароль на публічне посилання або натисніть на \"Enter\"", "Copied!" : "Скопійовано!", "Not supported!" : "Не підтримується!", "Press ⌘-C to copy." : "Натисніть ⌘-C щоб скопіювати.", @@ -124,9 +129,11 @@ "Allow editing" : "Дозволити редагування", "Email link to person" : "Надіслати посилання електронною поштою", "Send" : "Надіслати", + "Allow upload and editing" : "Дозволити завантаження та редагування", "Read only" : "Тільки для читання", "Shared with you and the group {group} by {owner}" : " {owner} опублікував для Вас та для групи {group}", "Shared with you by {owner}" : "{owner} опублікував для Вас", + "Choose a password for the mail share" : "Встановіть пароль на спільне посилання через електронну пошту", "group" : "група", "remote" : "Віддалений", "email" : "електронна пошта", @@ -140,6 +147,7 @@ "Access control" : "контроль доступу", "Could not unshare" : "Неможливо припинити ділитися файлом", "Error while sharing" : "Помилка під час публікації", + "Share details could not be loaded for this item." : "Неможливо отримати докладну інформацію щодо цього спільного ресурсу", "No users or groups found for {search}" : "Не знайдено груп або користувачів за пошуком {search}", "No users found for {search}" : "Не знайдено жодного користувача для {search}", "An error occurred. Please try again" : "Сталася помилка. Спробуйте ще раз", @@ -229,6 +237,7 @@ "Wrong password." : "Невірний пароль.", "Stay logged in" : "Залишатись в системі", "Forgot password?" : "Забули пароль?", + "Back to log in" : "Повернутися до сторінки авторизації", "Alternative Logins" : "Альтернативні імена користувача", "Account access" : "Доступ до облікового запису", "Grant access" : "Дозволити доступ", @@ -237,6 +246,7 @@ "New password" : "Новий пароль", "New Password" : "Новий пароль", "Two-factor authentication" : "дво-факторна аутентифікація", + "Use backup code" : "Використати резервний код", "Add \"%s\" as trusted domain" : "Додати \"%s\" як довірений домен", "App update required" : "Додаток потребує оновлення", "%s will be updated to version %s" : "%s буде оновлено до версії %s", diff --git a/lib/l10n/ast.js b/lib/l10n/ast.js index 7ff0cdecaec33..aab4eb12d1283 100644 --- a/lib/l10n/ast.js +++ b/lib/l10n/ast.js @@ -148,6 +148,7 @@ OC.L10N.register( "No database drivers (sqlite, mysql, or postgresql) installed." : "Nun hai controladores de bases de datos (sqlite, mysql, o postgresql)", "Cannot write into \"config\" directory" : "Nun pue escribise nel direutoriu \"config\"", "Cannot write into \"apps\" directory" : "Nun pue escribise nel direutoriu \"apps\"", + "Cannot create \"data\" directory" : "Nun pue crease'l direutoriu «datos»", "Setting locale to %s failed" : "Falló l'activación del idioma %s", "Please install one of these locales on your system and restart your webserver." : "Instala ún d'estos locales nel to sistema y reanicia'l sirvidor web", "Please ask your server administrator to install the module." : "Por favor, entrúga-y al to alministrador del sirvidor pa instalar el módulu.", diff --git a/lib/l10n/ast.json b/lib/l10n/ast.json index 61df911a61d0b..b7b6bb4975227 100644 --- a/lib/l10n/ast.json +++ b/lib/l10n/ast.json @@ -146,6 +146,7 @@ "No database drivers (sqlite, mysql, or postgresql) installed." : "Nun hai controladores de bases de datos (sqlite, mysql, o postgresql)", "Cannot write into \"config\" directory" : "Nun pue escribise nel direutoriu \"config\"", "Cannot write into \"apps\" directory" : "Nun pue escribise nel direutoriu \"apps\"", + "Cannot create \"data\" directory" : "Nun pue crease'l direutoriu «datos»", "Setting locale to %s failed" : "Falló l'activación del idioma %s", "Please install one of these locales on your system and restart your webserver." : "Instala ún d'estos locales nel to sistema y reanicia'l sirvidor web", "Please ask your server administrator to install the module." : "Por favor, entrúga-y al to alministrador del sirvidor pa instalar el módulu.", From 9dfd3544c25a71145903a491bab3eb3e21c74cf7 Mon Sep 17 00:00:00 2001 From: Roeland Jago Douma Date: Tue, 23 Jan 2018 09:41:44 +0100 Subject: [PATCH 032/251] Don't polute log when loggin into dav with email * We first try the email as username but this fails * Then we get the uid from the email and try again We should not log the first attempt since it polutes the log with failed login attempts while the login actually is valid. Signed-off-by: Roeland Jago Douma --- lib/private/Server.php | 11 ++++++++++- lib/private/User/Session.php | 31 +++++++++++++++++++++---------- 2 files changed, 31 insertions(+), 11 deletions(-) diff --git a/lib/private/Server.php b/lib/private/Server.php index 4a851d672266a..c84780c4fb2c9 100644 --- a/lib/private/Server.php +++ b/lib/private/Server.php @@ -355,7 +355,16 @@ public function __construct($webRoot, \OC\Config $config) { $dispatcher = $c->getEventDispatcher(); - $userSession = new \OC\User\Session($manager, $session, $timeFactory, $defaultTokenProvider, $c->getConfig(), $c->getSecureRandom(), $c->getLockdownManager()); + $userSession = new \OC\User\Session( + $manager, + $session, + $timeFactory, + $defaultTokenProvider, + $c->getConfig(), + $c->getSecureRandom(), + $c->getLockdownManager(), + $c->getLogger() + ); $userSession->listen('\OC\User', 'preCreateUser', function ($uid, $password) { \OC_Hook::emit('OC_User', 'pre_createUser', array('run' => true, 'uid' => $uid, 'password' => $password)); }); diff --git a/lib/private/User/Session.php b/lib/private/User/Session.php index 19b303e46ea1a..5fcb83dc44393 100644 --- a/lib/private/User/Session.php +++ b/lib/private/User/Session.php @@ -51,6 +51,7 @@ use OCP\AppFramework\Utility\ITimeFactory; use OCP\Files\NotPermittedException; use OCP\IConfig; +use OCP\ILogger; use OCP\IRequest; use OCP\ISession; use OCP\IUser; @@ -107,6 +108,9 @@ class Session implements IUserSession, Emitter { /** @var ILockdownManager */ private $lockdownManager; + /** @var ILogger */ + private $logger; + /** * @param IUserManager $manager * @param ISession $session @@ -115,6 +119,7 @@ class Session implements IUserSession, Emitter { * @param IConfig $config * @param ISecureRandom $random * @param ILockdownManager $lockdownManager + * @param ILogger $logger */ public function __construct(IUserManager $manager, ISession $session, @@ -122,8 +127,8 @@ public function __construct(IUserManager $manager, $tokenProvider, IConfig $config, ISecureRandom $random, - ILockdownManager $lockdownManager - ) { + ILockdownManager $lockdownManager, + ILogger $logger) { $this->manager = $manager; $this->session = $session; $this->timeFactory = $timeFactory; @@ -131,6 +136,7 @@ public function __construct(IUserManager $manager, $this->config = $config; $this->random = $random; $this->lockdownManager = $lockdownManager; + $this->logger = $logger; } /** @@ -400,17 +406,22 @@ public function logClientIn($user, if (!$isTokenPassword && $this->isTwoFactorEnforced($user)) { throw new PasswordLoginForbiddenException(); } + + // Try to login with this username and password if (!$this->login($user, $password) ) { + + // Failed, maybe the user used their email address $users = $this->manager->getByEmail($user); - if (count($users) === 1) { - return $this->login($users[0]->getUID(), $password); - } + if (!(\count($users) === 1 && $this->login($users[0]->getUID(), $password))) { - $throttler->registerAttempt('login', $request->getRemoteAddress(), ['uid' => $user]); - if($currentDelay === 0) { - $throttler->sleepDelay($request->getRemoteAddress(), 'login'); + $this->logger->warning('Login failed: \'' . $user . '\' (Remote IP: \'' . \OC::$server->getRequest()->getRemoteAddress() . '\')', ['app' => 'core']); + + $throttler->registerAttempt('login', $request->getRemoteAddress(), ['uid' => $user]); + if ($currentDelay === 0) { + $throttler->sleepDelay($request->getRemoteAddress(), 'login'); + } + return false; } - return false; } if ($isTokenPassword) { @@ -544,7 +555,7 @@ public function tryBasicAuthLogin(IRequest $request, * @throws LoginException if an app canceld the login process or the user is not enabled */ private function loginWithPassword($uid, $password) { - $user = $this->manager->checkPassword($uid, $password); + $user = $this->manager->checkPasswordNoLogging($uid, $password); if ($user === false) { // Password check failed return false; From 2bed7a7f9561ec8191fb06bad98b6532096f1364 Mon Sep 17 00:00:00 2001 From: Roeland Jago Douma Date: Tue, 23 Jan 2018 09:58:46 +0100 Subject: [PATCH 033/251] Fix tests Signed-off-by: Roeland Jago Douma --- lib/private/User/Session.php | 6 +-- tests/lib/User/SessionTest.php | 95 ++++++++++++++++++---------------- 2 files changed, 53 insertions(+), 48 deletions(-) diff --git a/lib/private/User/Session.php b/lib/private/User/Session.php index 5fcb83dc44393..34319760c86d8 100644 --- a/lib/private/User/Session.php +++ b/lib/private/User/Session.php @@ -84,7 +84,7 @@ */ class Session implements IUserSession, Emitter { - /** @var IUserManager|PublicEmitter $manager */ + /** @var Manager|PublicEmitter $manager */ private $manager; /** @var ISession $session */ @@ -112,7 +112,7 @@ class Session implements IUserSession, Emitter { private $logger; /** - * @param IUserManager $manager + * @param Manager $manager * @param ISession $session * @param ITimeFactory $timeFactory * @param IProvider $tokenProvider @@ -121,7 +121,7 @@ class Session implements IUserSession, Emitter { * @param ILockdownManager $lockdownManager * @param ILogger $logger */ - public function __construct(IUserManager $manager, + public function __construct(Manager $manager, ISession $session, ITimeFactory $timeFactory, $tokenProvider, diff --git a/tests/lib/User/SessionTest.php b/tests/lib/User/SessionTest.php index 9cbac8dfc2919..9a5a45c46c5c5 100644 --- a/tests/lib/User/SessionTest.php +++ b/tests/lib/User/SessionTest.php @@ -25,7 +25,6 @@ use OCP\IRequest; use OCP\ISession; use OCP\IUser; -use OCP\IUserManager; use OCP\Lockdown\ILockdownManager; use OCP\Security\ICrypto; use OCP\Security\ISecureRandom; @@ -45,7 +44,7 @@ class SessionTest extends \Test\TestCase { private $throttler; /** @var ISecureRandom|\PHPUnit_Framework_MockObject_MockObject */ private $random; - /** @var IUserManager|\PHPUnit_Framework_MockObject_MockObject */ + /** @var Manager|\PHPUnit_Framework_MockObject_MockObject */ private $manager; /** @var ISession|\PHPUnit_Framework_MockObject_MockObject */ private $session; @@ -53,6 +52,8 @@ class SessionTest extends \Test\TestCase { private $userSession; /** @var ILockdownManager|\PHPUnit_Framework_MockObject_MockObject */ private $lockdownManager; + /** @var ILogger|\PHPUnit_Framework_MockObject_MockObject */ + private $logger; protected function setUp() { parent::setUp(); @@ -65,9 +66,10 @@ protected function setUp() { $this->config = $this->createMock(IConfig::class); $this->throttler = $this->createMock(Throttler::class); $this->random = $this->createMock(ISecureRandom::class); - $this->manager = $this->createMock(IUserManager::class); + $this->manager = $this->createMock(Manager::class); $this->session = $this->createMock(ISession::class); $this->lockdownManager = $this->createMock(ILockdownManager::class); + $this->logger = $this->createMock(ILogger::class); $this->userSession = $this->getMockBuilder(Session::class) ->setConstructorArgs([ $this->manager, @@ -76,7 +78,8 @@ protected function setUp() { $this->tokenProvider, $this->config, $this->random, - $this->lockdownManager + $this->lockdownManager, + $this->logger, ]) ->setMethods([ 'setMagicInCookie', @@ -137,7 +140,7 @@ public function testGetUser() { ->with($expectedUser->getUID()) ->will($this->returnValue($expectedUser)); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $user = $userSession->getUser(); $this->assertSame($expectedUser, $user); $this->assertSame(10000, $token->getLastCheck()); @@ -159,7 +162,7 @@ public function testIsLoggedIn($isLoggedIn) { $manager = $this->createMock(Manager::class); $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods([ 'getUser' ]) @@ -186,7 +189,7 @@ public function testSetUser() { ->method('getUID') ->will($this->returnValue('foo')); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $userSession->setUser($user); } @@ -233,12 +236,12 @@ public function testLoginValidPasswordEnabled() { ->method('updateLastLoginTimestamp'); $manager->expects($this->once()) - ->method('checkPassword') + ->method('checkPasswordNoLogging') ->with('foo', 'bar') ->will($this->returnValue($user)); $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods([ 'prepareUserLogin' ]) @@ -281,11 +284,11 @@ public function testLoginValidPasswordDisabled() { ->method('updateLastLoginTimestamp'); $manager->expects($this->once()) - ->method('checkPassword') + ->method('checkPasswordNoLogging') ->with('foo', 'bar') ->will($this->returnValue($user)); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $userSession->login('foo', 'bar'); } @@ -299,7 +302,7 @@ public function testLoginInvalidPassword() { ->setConstructorArgs([$this->config]) ->getMock(); $backend = $this->createMock(\Test\Util\User\Dummy::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $user = $this->getMockBuilder(User::class)->setConstructorArgs(['foo', $backend])->getMock(); @@ -318,7 +321,7 @@ public function testLoginInvalidPassword() { ->method('updateLastLoginTimestamp'); $manager->expects($this->once()) - ->method('checkPassword') + ->method('checkPasswordNoLogging') ->with('foo', 'bar') ->will($this->returnValue(false)); @@ -328,7 +331,7 @@ public function testLoginInvalidPassword() { public function testLoginNonExisting() { $session = $this->getMockBuilder(Memory::class)->setConstructorArgs([''])->getMock(); $manager = $this->createMock(Manager::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $session->expects($this->never()) ->method('set'); @@ -340,7 +343,7 @@ public function testLoginNonExisting() { ->will($this->throwException(new \OC\Authentication\Exceptions\InvalidTokenException())); $manager->expects($this->once()) - ->method('checkPassword') + ->method('checkPasswordNoLogging') ->with('foo', 'bar') ->will($this->returnValue(false)); @@ -354,7 +357,7 @@ public function testLoginNonExisting() { public function testLoginWithDifferentTokenLoginName() { $session = $this->getMockBuilder(Memory::class)->setConstructorArgs([''])->getMock(); $manager = $this->createMock(Manager::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $username = 'user123'; $token = new \OC\Authentication\Token\DefaultToken(); $token->setLoginName($username); @@ -369,7 +372,7 @@ public function testLoginWithDifferentTokenLoginName() { ->will($this->returnValue($token)); $manager->expects($this->once()) - ->method('checkPassword') + ->method('checkPasswordNoLogging') ->with('foo', 'bar') ->will($this->returnValue(false)); @@ -386,7 +389,7 @@ public function testLogClientInNoTokenPasswordWith2fa() { /** @var \OC\User\Session $userSession */ $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods(['login', 'supportsCookies', 'createSessionToken', 'getUser']) ->getMock(); @@ -422,7 +425,7 @@ public function testLogClientInUnexist() { /** @var Session $userSession */ $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods(['login', 'supportsCookies', 'createSessionToken', 'getUser']) ->getMock(); @@ -448,7 +451,7 @@ public function testLogClientInWithTokenPassword() { /** @var \OC\User\Session $userSession */ $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods(['isTokenPassword', 'login', 'supportsCookies', 'createSessionToken', 'getUser']) ->getMock(); @@ -490,7 +493,7 @@ public function testLogClientInNoTokenPasswordNo2fa() { /** @var \OC\User\Session $userSession */ $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods(['login', 'isTwoFactorEnforced']) ->getMock(); @@ -537,7 +540,7 @@ public function testRememberLoginValidToken() { $userSession = $this->getMockBuilder(Session::class) //override, otherwise tests will fail because of setcookie() ->setMethods(['setMagicInCookie', 'setLoginName']) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->getMock(); $user = $this->createMock(IUser::class); @@ -614,7 +617,7 @@ public function testRememberLoginInvalidSessionToken() { $userSession = $this->getMockBuilder(Session::class) //override, otherwise tests will fail because of setcookie() ->setMethods(['setMagicInCookie']) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->getMock(); $user = $this->createMock(IUser::class); @@ -674,7 +677,7 @@ public function testRememberLoginInvalidToken() { $userSession = $this->getMockBuilder(Session::class) //override, otherwise tests will fail because of setcookie() ->setMethods(['setMagicInCookie']) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->getMock(); $user = $this->createMock(IUser::class); @@ -722,7 +725,7 @@ public function testRememberLoginInvalidUser() { $userSession = $this->getMockBuilder(Session::class) //override, otherwise tests will fail because of setcookie() ->setMethods(['setMagicInCookie']) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->getMock(); $token = 'goodToken'; $oldSessionId = 'sess321'; @@ -770,7 +773,7 @@ public function testActiveUserAfterSetSession() { $session = new Memory(''); $session->set('user_id', 'foo'); $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods([ 'validateSession' ]) @@ -790,7 +793,7 @@ public function testCreateSessionToken() { $manager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $user = $this->createMock(IUser::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $random = $this->createMock(ISecureRandom::class); $config = $this->createMock(IConfig::class); @@ -831,7 +834,7 @@ public function testCreateRememberedSessionToken() { $manager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $user = $this->createMock(IUser::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $random = $this->createMock(ISecureRandom::class); $config = $this->createMock(IConfig::class); @@ -875,7 +878,7 @@ public function testCreateSessionTokenWithTokenPassword() { $session = $this->createMock(ISession::class); $token = $this->createMock(IToken::class); $user = $this->createMock(IUser::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $random = $this->createMock(ISecureRandom::class); $config = $this->createMock(IConfig::class); @@ -922,7 +925,7 @@ public function testCreateSessionTokenWithNonExistentUser() { ->disableOriginalConstructor() ->getMock(); $session = $this->createMock(ISession::class); - $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $request = $this->createMock(IRequest::class); $uid = 'user123'; @@ -952,7 +955,7 @@ public function testTryTokenLoginWithDisabledUser() { $user = $this->createMock(IUser::class); $userSession = $this->getMockBuilder(Session::class) ->setMethods(['logout']) - ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$manager, $session, $this->timeFactory, $this->tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->getMock(); $request = $this->createMock(IRequest::class); @@ -976,12 +979,12 @@ public function testTryTokenLoginWithDisabledUser() { } public function testValidateSessionDisabledUser() { - $userManager = $this->createMock(IUserManager::class); + $userManager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $timeFactory = $this->createMock(ITimeFactory::class); $tokenProvider = $this->createMock(IProvider::class); $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods(['logout']) ->getMock(); @@ -1023,12 +1026,12 @@ public function testValidateSessionDisabledUser() { } public function testValidateSessionNoPassword() { - $userManager = $this->createMock(IUserManager::class); + $userManager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $timeFactory = $this->createMock(ITimeFactory::class); $tokenProvider = $this->createMock(IProvider::class); $userSession = $this->getMockBuilder(Session::class) - ->setConstructorArgs([$userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager]) + ->setConstructorArgs([$userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger]) ->setMethods(['logout']) ->getMock(); @@ -1058,11 +1061,11 @@ public function testValidateSessionNoPassword() { } public function testUpdateSessionTokenPassword() { - $userManager = $this->createMock(IUserManager::class); + $userManager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $timeFactory = $this->createMock(ITimeFactory::class); $tokenProvider = $this->createMock(IProvider::class); - $userSession = new \OC\User\Session($userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $password = '123456'; $sessionId = 'session1234'; @@ -1083,11 +1086,11 @@ public function testUpdateSessionTokenPassword() { } public function testUpdateSessionTokenPasswordNoSessionAvailable() { - $userManager = $this->createMock(IUserManager::class); + $userManager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $timeFactory = $this->createMock(ITimeFactory::class); $tokenProvider = $this->createMock(IProvider::class); - $userSession = new \OC\User\Session($userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $session->expects($this->once()) ->method('getId') @@ -1097,11 +1100,11 @@ public function testUpdateSessionTokenPasswordNoSessionAvailable() { } public function testUpdateSessionTokenPasswordInvalidTokenException() { - $userManager = $this->createMock(IUserManager::class); + $userManager = $this->createMock(Manager::class); $session = $this->createMock(ISession::class); $timeFactory = $this->createMock(ITimeFactory::class); $tokenProvider = $this->createMock(IProvider::class); - $userSession = new \OC\User\Session($userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new \OC\User\Session($userManager, $session, $timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $password = '123456'; $sessionId = 'session1234'; @@ -1141,7 +1144,7 @@ public function testUpdateAuthTokenLastCheck() { $tokenProvider = new DefaultTokenProvider($mapper, $crypto, $this->config, $logger, $this->timeFactory); /** @var \OC\User\Session $userSession */ - $userSession = new Session($manager, $session, $this->timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new Session($manager, $session, $this->timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $mapper->expects($this->any()) ->method('getToken') @@ -1195,7 +1198,7 @@ public function testNoUpdateAuthTokenLastCheckRecent() { $tokenProvider = new DefaultTokenProvider($mapper, $crypto, $this->config, $logger, $this->timeFactory); /** @var \OC\User\Session $userSession */ - $userSession = new Session($manager, $session, $this->timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager); + $userSession = new Session($manager, $session, $this->timeFactory, $tokenProvider, $this->config, $this->random, $this->lockdownManager, $this->logger); $mapper->expects($this->any()) ->method('getToken') @@ -1287,7 +1290,8 @@ public function testTryBasicAuthLoginValid() { $this->tokenProvider, $this->config, $this->random, - $this->lockdownManager + $this->lockdownManager, + $this->logger ]) ->setMethods([ 'logClientIn', @@ -1337,7 +1341,8 @@ public function testTryBasicAuthLoginNoLogin() { $this->tokenProvider, $this->config, $this->random, - $this->lockdownManager + $this->lockdownManager, + $this->logger ]) ->setMethods([ 'logClientIn', From 0aca61d73e0bfccd65713b736169c36712fcfecf Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Fri, 26 Jan 2018 01:11:04 +0000 Subject: [PATCH 034/251] [tx-robot] updated from transifex --- apps/dav/l10n/zh_CN.js | 10 +++++++++- apps/dav/l10n/zh_CN.json | 10 +++++++++- apps/encryption/l10n/nl.js | 2 +- apps/encryption/l10n/nl.json | 2 +- apps/files/l10n/zh_CN.js | 7 +++++++ apps/files/l10n/zh_CN.json | 7 +++++++ core/l10n/pl.js | 2 ++ core/l10n/pl.json | 2 ++ core/l10n/tr.js | 1 + core/l10n/tr.json | 1 + lib/l10n/zh_CN.js | 9 +++++++++ lib/l10n/zh_CN.json | 9 +++++++++ 12 files changed, 58 insertions(+), 4 deletions(-) diff --git a/apps/dav/l10n/zh_CN.js b/apps/dav/l10n/zh_CN.js index e0ee9015402fa..2e03a120e609f 100644 --- a/apps/dav/l10n/zh_CN.js +++ b/apps/dav/l10n/zh_CN.js @@ -41,9 +41,17 @@ OC.L10N.register( "A calendar event was modified" : "日历中事件已经修改", "A calendar todo was modified" : "列表中待办事项已经修改", "Contact birthdays" : "联系人生日", + "Hello %s," : "%s你好,", + "When:" : "时间:", + "Where:" : "地点:", + "Description:" : "描述:", + "Link:" : "链接:", "Contacts" : "联系人", "Technical details" : "技术细节", "Remote Address: %s" : "远程地址: %s", - "Request ID: %s" : "请求 ID: %s" + "Request ID: %s" : "请求 ID: %s", + "CalDAV server" : "日历服务", + "Automatically generate a birthday calendar" : "自动生成生日日历", + "Birthday calendars will be generated by a background job." : "生日日历将由后台作业生成。" }, "nplurals=1; plural=0;"); diff --git a/apps/dav/l10n/zh_CN.json b/apps/dav/l10n/zh_CN.json index 30419409556ca..60ea656ff51c3 100644 --- a/apps/dav/l10n/zh_CN.json +++ b/apps/dav/l10n/zh_CN.json @@ -39,9 +39,17 @@ "A calendar event was modified" : "日历中事件已经修改", "A calendar todo was modified" : "列表中待办事项已经修改", "Contact birthdays" : "联系人生日", + "Hello %s," : "%s你好,", + "When:" : "时间:", + "Where:" : "地点:", + "Description:" : "描述:", + "Link:" : "链接:", "Contacts" : "联系人", "Technical details" : "技术细节", "Remote Address: %s" : "远程地址: %s", - "Request ID: %s" : "请求 ID: %s" + "Request ID: %s" : "请求 ID: %s", + "CalDAV server" : "日历服务", + "Automatically generate a birthday calendar" : "自动生成生日日历", + "Birthday calendars will be generated by a background job." : "生日日历将由后台作业生成。" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/nl.js b/apps/encryption/l10n/nl.js index 1dc6bfad79573..2661126492ac7 100644 --- a/apps/encryption/l10n/nl.js +++ b/apps/encryption/l10n/nl.js @@ -38,7 +38,7 @@ OC.L10N.register( "Default encryption module" : "Standaard cryptomodule", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is ingeschakeld, maar je sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in.", "Encrypt the home storage" : "Versleutel de eigen serveropslag", - "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Het inschakelen van deze optie zorgt voor versleutelen van alle bestanden op do hoofdopslag, anders worden alleen bestanden op externe opslag versleuteld", + "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Het inschakelen van deze optie zorgt voor versleutelen van alle bestanden op de hoofdopslag, anders worden alleen bestanden op externe opslag versleuteld", "Enable recovery key" : "Activeer herstelsleutel", "Disable recovery key" : "Deactiveer herstelsleutel", "The recovery key is an extra encryption key that is used to encrypt files. It allows recovery of a user's files if the user forgets his or her password." : "De herstelsleutel is een extra cryptografische sleutel die wordt gebruikt om bestanden te versleutelen. Die maakt het mogelijk bestanden te herstellen als de gebruiker zijn of haar wachtwoord vergeet.", diff --git a/apps/encryption/l10n/nl.json b/apps/encryption/l10n/nl.json index abdb576761186..60f7644a4853a 100644 --- a/apps/encryption/l10n/nl.json +++ b/apps/encryption/l10n/nl.json @@ -36,7 +36,7 @@ "Default encryption module" : "Standaard cryptomodule", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is ingeschakeld, maar je sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in.", "Encrypt the home storage" : "Versleutel de eigen serveropslag", - "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Het inschakelen van deze optie zorgt voor versleutelen van alle bestanden op do hoofdopslag, anders worden alleen bestanden op externe opslag versleuteld", + "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Het inschakelen van deze optie zorgt voor versleutelen van alle bestanden op de hoofdopslag, anders worden alleen bestanden op externe opslag versleuteld", "Enable recovery key" : "Activeer herstelsleutel", "Disable recovery key" : "Deactiveer herstelsleutel", "The recovery key is an extra encryption key that is used to encrypt files. It allows recovery of a user's files if the user forgets his or her password." : "De herstelsleutel is een extra cryptografische sleutel die wordt gebruikt om bestanden te versleutelen. Die maakt het mogelijk bestanden te herstellen als de gebruiker zijn of haar wachtwoord vergeet.", diff --git a/apps/files/l10n/zh_CN.js b/apps/files/l10n/zh_CN.js index 1aceaa6eaf47b..02f55447e7698 100644 --- a/apps/files/l10n/zh_CN.js +++ b/apps/files/l10n/zh_CN.js @@ -19,6 +19,7 @@ OC.L10N.register( "Uploading …" : "上传中…", "…" : "undefined", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} / {totalSize} ({bitrate})", + "Target folder does not exist any more" : "目标文件夹不存在", "Actions" : "操作", "Download" : "下载", "Rename" : "重命名", @@ -60,8 +61,11 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "您没有权限在此上传或创建文件", "_Uploading %n file_::_Uploading %n files_" : ["上传 %n 个文件"], "New" : "新建", + "{used} of {quota} used" : "已使用{used} /{quota}", + "{used} used" : "{used} 已使用", "\"{name}\" is an invalid file name." : "\"{name}\" 是一个无效的文件名", "File name cannot be empty." : "文件名不能为空.", + "\"/\" is not allowed inside a file name." : "文件名不能包含“/”", "\"{name}\" is not an allowed filetype" : "\"{name}\" 不是允许的文件类型", "Storage of {owner} is full, files can not be updated or synced anymore!" : "{owner} 的存储空间已满, 文件将无法更新或同步!", "Your storage is full, files can not be updated or synced anymore!" : "您的存储空间已满, 文件将无法更新或同步!", @@ -77,6 +81,9 @@ OC.L10N.register( "Favorite" : "收藏", "New folder" : "新建文件夹", "Upload file" : "上传文件", + "Not favorited" : "不受欢迎的", + "Remove from favorites" : "取消收藏", + "Add to favorites" : "收藏", "An error occurred while trying to update the tags" : "更新标签时出错", "Added to favorites" : "已添加到收藏", "Removed from favorites" : "取消收藏", diff --git a/apps/files/l10n/zh_CN.json b/apps/files/l10n/zh_CN.json index d326104673bc2..773909549f2b3 100644 --- a/apps/files/l10n/zh_CN.json +++ b/apps/files/l10n/zh_CN.json @@ -17,6 +17,7 @@ "Uploading …" : "上传中…", "…" : "undefined", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} / {totalSize} ({bitrate})", + "Target folder does not exist any more" : "目标文件夹不存在", "Actions" : "操作", "Download" : "下载", "Rename" : "重命名", @@ -58,8 +59,11 @@ "You don’t have permission to upload or create files here" : "您没有权限在此上传或创建文件", "_Uploading %n file_::_Uploading %n files_" : ["上传 %n 个文件"], "New" : "新建", + "{used} of {quota} used" : "已使用{used} /{quota}", + "{used} used" : "{used} 已使用", "\"{name}\" is an invalid file name." : "\"{name}\" 是一个无效的文件名", "File name cannot be empty." : "文件名不能为空.", + "\"/\" is not allowed inside a file name." : "文件名不能包含“/”", "\"{name}\" is not an allowed filetype" : "\"{name}\" 不是允许的文件类型", "Storage of {owner} is full, files can not be updated or synced anymore!" : "{owner} 的存储空间已满, 文件将无法更新或同步!", "Your storage is full, files can not be updated or synced anymore!" : "您的存储空间已满, 文件将无法更新或同步!", @@ -75,6 +79,9 @@ "Favorite" : "收藏", "New folder" : "新建文件夹", "Upload file" : "上传文件", + "Not favorited" : "不受欢迎的", + "Remove from favorites" : "取消收藏", + "Add to favorites" : "收藏", "An error occurred while trying to update the tags" : "更新标签时出错", "Added to favorites" : "已添加到收藏", "Removed from favorites" : "取消收藏", diff --git a/core/l10n/pl.js b/core/l10n/pl.js index aafc40e061356..0453ba70e6282 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Wyszukuję kontakty...", "No contacts found" : "Nie znaleziono żadnych kontaktów", "Show all contacts …" : "Pokazuję wszystkie kontakty...", + "Could not load your contacts" : "Nie można było załadować Twoich kontaktów", "Loading your contacts …" : "Ładuję twoje kontakty...", "Looking for {term} …" : "Szukam {term}...", "There were problems with the code integrity check. More information…" : "Wystąpiły problemy przy sprawdzaniu integralności kodu Więcej informacji…", @@ -114,6 +115,7 @@ OC.L10N.register( "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Nie skonfigurowano pamięci cache. Jeśli to możliwe skonfiguruj pamięć cache, aby zwiększyć wydajność. Więcej informacji można znaleźć w naszej dokumentacji.", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "PHP nie może czytać z /dev/urandom co jest wymagane ze względów bezpieczeństwa. Więcej informacji można znaleźć w naszej dokumentacji.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Posiadasz aktualnie PHP w wersji {version}. Aby skorzystać z aktualizacji dotyczących wydajności i bezpieczeństwa otrzymanych z PHP Group zachęcamy do podniesienia wersji PHP, kiedy tylko Twoja dystrybucja będzie je wspierała.", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "Używasz aktualnie PHP w wersji 5.6. Aktualna, główna wersja Nextcloud jest ostatnią wspierającą PHP 5.6. Zalecamy upgrade PHP do wersji 7.0+ aby można było w przyszłości korzystać z Nextcloud 14.", "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud. Further information can be found in the documentation." : "Konfiguracja nagłówków reverse proxy jest niepoprawna albo łączysz się do Nextclouda przez zaufane proxy. Jeśli nie łączysz się z zaufanego proxy, to jest to problem bezpieczeństwa i atakujący może podszyć się pod adres IP jako widoczny dla Nextclouda. Więcej informacji można znaleźć w naszej dokumentacji.", "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 memcached wiki about both modules." : "Jako cache jest skonfigurowane \"memcached\", ale błędny moduł PHP \"memcache\" jest zainstalowany. \\OC\\Memcache\\Memcached wspiera tylko \"memcached\", a nie \"memcache\". Sprawdź memcached wiki o obu tych modułach.", "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Niektóre pliki nie przeszły sprawdzania spójności. Dalsze informacje jak to naprawić mogą być znalezione w naszej dokumentacji. (Lista niepoprawnych plików... / Skanowanie ponowne…)", diff --git a/core/l10n/pl.json b/core/l10n/pl.json index f368912739546..b2f7cd3c674b5 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -54,6 +54,7 @@ "Search contacts …" : "Wyszukuję kontakty...", "No contacts found" : "Nie znaleziono żadnych kontaktów", "Show all contacts …" : "Pokazuję wszystkie kontakty...", + "Could not load your contacts" : "Nie można było załadować Twoich kontaktów", "Loading your contacts …" : "Ładuję twoje kontakty...", "Looking for {term} …" : "Szukam {term}...", "There were problems with the code integrity check. More information…" : "Wystąpiły problemy przy sprawdzaniu integralności kodu Więcej informacji…", @@ -112,6 +113,7 @@ "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Nie skonfigurowano pamięci cache. Jeśli to możliwe skonfiguruj pamięć cache, aby zwiększyć wydajność. Więcej informacji można znaleźć w naszej dokumentacji.", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "PHP nie może czytać z /dev/urandom co jest wymagane ze względów bezpieczeństwa. Więcej informacji można znaleźć w naszej dokumentacji.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Posiadasz aktualnie PHP w wersji {version}. Aby skorzystać z aktualizacji dotyczących wydajności i bezpieczeństwa otrzymanych z PHP Group zachęcamy do podniesienia wersji PHP, kiedy tylko Twoja dystrybucja będzie je wspierała.", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "Używasz aktualnie PHP w wersji 5.6. Aktualna, główna wersja Nextcloud jest ostatnią wspierającą PHP 5.6. Zalecamy upgrade PHP do wersji 7.0+ aby można było w przyszłości korzystać z Nextcloud 14.", "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud. Further information can be found in the documentation." : "Konfiguracja nagłówków reverse proxy jest niepoprawna albo łączysz się do Nextclouda przez zaufane proxy. Jeśli nie łączysz się z zaufanego proxy, to jest to problem bezpieczeństwa i atakujący może podszyć się pod adres IP jako widoczny dla Nextclouda. Więcej informacji można znaleźć w naszej dokumentacji.", "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 memcached wiki about both modules." : "Jako cache jest skonfigurowane \"memcached\", ale błędny moduł PHP \"memcache\" jest zainstalowany. \\OC\\Memcache\\Memcached wspiera tylko \"memcached\", a nie \"memcache\". Sprawdź memcached wiki o obu tych modułach.", "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Niektóre pliki nie przeszły sprawdzania spójności. Dalsze informacje jak to naprawić mogą być znalezione w naszej dokumentacji. (Lista niepoprawnych plików... / Skanowanie ponowne…)", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index 4c5ae4b2d3f6e..8ef1b2adf6d0a 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Kişi arama...", "No contacts found" : "Herhangi bir kişi bulunamadı", "Show all contacts …" : "Tüm kişileri görüntüle...", + "Could not load your contacts" : "Kişileriniz yüklenemedi", "Loading your contacts …" : "Kişileriniz yükleniyor...", "Looking for {term} …" : "{term} ifadesi aranıyor...", "There were problems with the code integrity check. More information…" : "Kod bütünlük sınamasında sorunlar çıktı. Ayrıntılı bilgi…", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 2a670c5e246c9..9453db10fef93 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -54,6 +54,7 @@ "Search contacts …" : "Kişi arama...", "No contacts found" : "Herhangi bir kişi bulunamadı", "Show all contacts …" : "Tüm kişileri görüntüle...", + "Could not load your contacts" : "Kişileriniz yüklenemedi", "Loading your contacts …" : "Kişileriniz yükleniyor...", "Looking for {term} …" : "{term} ifadesi aranıyor...", "There were problems with the code integrity check. More information…" : "Kod bütünlük sınamasında sorunlar çıktı. Ayrıntılı bilgi…", diff --git a/lib/l10n/zh_CN.js b/lib/l10n/zh_CN.js index 9fb446e472ec4..421a31bc1cb3c 100644 --- a/lib/l10n/zh_CN.js +++ b/lib/l10n/zh_CN.js @@ -31,14 +31,23 @@ OC.L10N.register( "Invalid image" : "无效的图像", "Avatar image is not square" : "头像图像不是正方形", "today" : "今天", + "tomorrow" : "明天", "yesterday" : "昨天", + "_in %n day_::_in %n days_" : ["%n天内"], "_%n day ago_::_%n days ago_" : ["%n 天前"], + "next month" : "下月", "last month" : "上月", + "_in %n month_::_in %n months_" : ["%n月内"], "_%n month ago_::_%n months ago_" : ["%n 月前"], + "next year" : "明年", "last year" : "去年", + "_in %n year_::_in %n years_" : ["%n年内"], "_%n year ago_::_%n years ago_" : ["%n 年前"], + "_in %n hour_::_in %n hours_" : ["%n小时内"], "_%n hour ago_::_%n hours ago_" : ["%n 小时前"], + "_in %n minute_::_in %n minutes_" : ["%n分钟内"], "_%n minute ago_::_%n minutes ago_" : ["%n 分钟前"], + "in a few seconds" : "几秒钟内", "seconds ago" : "几秒前", "Module with ID: %s does not exist. Please enable it in your apps settings or contact your administrator." : "模块:%s不存在。请在 App 设置中开启或联系管理员。", "File name is a reserved word" : "文件名包含敏感字符", diff --git a/lib/l10n/zh_CN.json b/lib/l10n/zh_CN.json index 77b53a5b4095e..3734f2630a3b6 100644 --- a/lib/l10n/zh_CN.json +++ b/lib/l10n/zh_CN.json @@ -29,14 +29,23 @@ "Invalid image" : "无效的图像", "Avatar image is not square" : "头像图像不是正方形", "today" : "今天", + "tomorrow" : "明天", "yesterday" : "昨天", + "_in %n day_::_in %n days_" : ["%n天内"], "_%n day ago_::_%n days ago_" : ["%n 天前"], + "next month" : "下月", "last month" : "上月", + "_in %n month_::_in %n months_" : ["%n月内"], "_%n month ago_::_%n months ago_" : ["%n 月前"], + "next year" : "明年", "last year" : "去年", + "_in %n year_::_in %n years_" : ["%n年内"], "_%n year ago_::_%n years ago_" : ["%n 年前"], + "_in %n hour_::_in %n hours_" : ["%n小时内"], "_%n hour ago_::_%n hours ago_" : ["%n 小时前"], + "_in %n minute_::_in %n minutes_" : ["%n分钟内"], "_%n minute ago_::_%n minutes ago_" : ["%n 分钟前"], + "in a few seconds" : "几秒钟内", "seconds ago" : "几秒前", "Module with ID: %s does not exist. Please enable it in your apps settings or contact your administrator." : "模块:%s不存在。请在 App 设置中开启或联系管理员。", "File name is a reserved word" : "文件名包含敏感字符", From fabf75a7d30474679fe03758262b51c1cbf7481a Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 24 Jan 2018 15:21:04 +0100 Subject: [PATCH 035/251] 13.0.0 RC3 Signed-off-by: Morris Jobke --- version.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/version.php b/version.php index b93cbb3eb7b2d..4410e545825da 100644 --- a/version.php +++ b/version.php @@ -29,10 +29,10 @@ // between betas, final and RCs. This is _not_ the public version number. Reset minor/patchlevel // when updating major/minor version number. -$OC_Version = array(13, 0, 0, 11); +$OC_Version = array(13, 0, 0, 12); // The human readable string -$OC_VersionString = '13.0.0 RC 2'; +$OC_VersionString = '13.0.0 RC 3'; $OC_VersionCanBeUpgradedFrom = [ 'nextcloud' => [ From d61dd36fdd72b06b402b047b5ac1feac6fe83475 Mon Sep 17 00:00:00 2001 From: Arthur Schiwon Date: Fri, 26 Jan 2018 12:47:19 +0100 Subject: [PATCH 036/251] do not catch ServerNotAvailable might cause the user to be unavailable (race condition). Signed-off-by: Arthur Schiwon --- apps/user_ldap/lib/Access.php | 3 +++ apps/user_ldap/lib/User_LDAP.php | 7 +++++-- 2 files changed, 8 insertions(+), 2 deletions(-) diff --git a/apps/user_ldap/lib/Access.php b/apps/user_ldap/lib/Access.php index b84f5a38b3141..c255af028a953 100644 --- a/apps/user_ldap/lib/Access.php +++ b/apps/user_ldap/lib/Access.php @@ -168,12 +168,14 @@ public function getConnection() { /** * reads a given attribute for an LDAP record identified by a DN + * * @param string $dn the record in question * @param string $attr the attribute that shall be retrieved * if empty, just check the record's existence * @param string $filter * @return array|false an array of values on success or an empty * array if $attr is empty, false otherwise + * @throws ServerNotAvailableException */ public function readAttribute($dn, $attr, $filter = 'objectClass=*') { if(!$this->checkConnection()) { @@ -255,6 +257,7 @@ public function readAttribute($dn, $attr, $filter = 'objectClass=*') { * @return array|bool false if there was any error, true if an exists check * was performed and the requested DN found, array with the * returned data on a successful usual operation + * @throws ServerNotAvailableException */ public function executeRead($cr, $dn, $attribute, $filter, $maxResults) { $this->initPagedSearch($filter, array($dn), array($attribute), $maxResults, 0); diff --git a/apps/user_ldap/lib/User_LDAP.php b/apps/user_ldap/lib/User_LDAP.php index 506ea36c52984..cc3bf85716f9d 100644 --- a/apps/user_ldap/lib/User_LDAP.php +++ b/apps/user_ldap/lib/User_LDAP.php @@ -38,6 +38,7 @@ namespace OCA\User_LDAP; +use OC\ServerNotAvailableException; use OC\User\Backend; use OC\User\NoUserException; use OCA\User_LDAP\Exceptions\NotOnLDAP; @@ -317,16 +318,18 @@ public function userExistsOnLDAP($user) { try { $uuid = $this->access->getUserMapper()->getUUIDByDN($dn); - if(!$uuid) { + if (!$uuid) { return false; } $newDn = $this->access->getUserDnByUuid($uuid); //check if renamed user is still valid by reapplying the ldap filter - if(!is_array($this->access->readAttribute($newDn, '', $this->access->connection->ldapUserFilter))) { + if (!is_array($this->access->readAttribute($newDn, '', $this->access->connection->ldapUserFilter))) { return false; } $this->access->getUserMapper()->setDNbyUUID($newDn, $uuid); return true; + } catch (ServerNotAvailableException $e) { + throw $e; } catch (\Exception $e) { return false; } From 5700467c29b17166878ae297d0664c3828dbd3b8 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Sat, 27 Jan 2018 01:11:03 +0000 Subject: [PATCH 037/251] [tx-robot] updated from transifex --- core/l10n/de.js | 1 + core/l10n/de.json | 1 + core/l10n/de_DE.js | 1 + core/l10n/de_DE.json | 1 + core/l10n/es.js | 1 + core/l10n/es.json | 1 + core/l10n/nb.js | 1 + core/l10n/nb.json | 1 + core/l10n/zh_CN.js | 3 +++ core/l10n/zh_CN.json | 3 +++ 10 files changed, 14 insertions(+) diff --git a/core/l10n/de.js b/core/l10n/de.js index 386a710edcf9e..571026bc82eb9 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", + "Could not load your contacts" : "Deine Kontakte konnten nicht geladen werden", "Loading your contacts …" : "Lade Deine Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", diff --git a/core/l10n/de.json b/core/l10n/de.json index 0ab1a7da96445..b4b0464618b39 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -54,6 +54,7 @@ "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", + "Could not load your contacts" : "Deine Kontakte konnten nicht geladen werden", "Loading your contacts …" : "Lade Deine Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index 99a4095ac3f87..d6698ba8c0e41 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", + "Could not load your contacts" : "Ihre Kontakte konnten nicht geladen werden", "Loading your contacts …" : "Lade Ihre Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index 8b8d0aa8e8be9..3dd30aa2b999e 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -54,6 +54,7 @@ "Search contacts …" : "Kontakte suchen…", "No contacts found" : "Keine Kontakte gefunden", "Show all contacts …" : "Zeige alle Kontakte…", + "Could not load your contacts" : "Ihre Kontakte konnten nicht geladen werden", "Loading your contacts …" : "Lade Ihre Kontakte…", "Looking for {term} …" : "Suche nach {term}…", "There were problems with the code integrity check. More information…" : "Bei der Code-Integritätsprüfung sind Probleme aufgetreten. Mehr Informationen…", diff --git a/core/l10n/es.js b/core/l10n/es.js index 8163d69b02095..b88a2c88bf41f 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Buscar contactos...", "No contacts found" : "No se han encontrado contactos", "Show all contacts …" : "Mostrar todos los contactos...", + "Could not load your contacts" : "No se han podido cargar los contactos", "Loading your contacts …" : "Cargando tus contactos...", "Looking for {term} …" : "Buscando {term}...", "There were problems with the code integrity check. More information…" : "Ha habido problemas durante la comprobación de la integridad del código. Más información…", diff --git a/core/l10n/es.json b/core/l10n/es.json index 16421ea1bbcb0..2fdf0576759a6 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -54,6 +54,7 @@ "Search contacts …" : "Buscar contactos...", "No contacts found" : "No se han encontrado contactos", "Show all contacts …" : "Mostrar todos los contactos...", + "Could not load your contacts" : "No se han podido cargar los contactos", "Loading your contacts …" : "Cargando tus contactos...", "Looking for {term} …" : "Buscando {term}...", "There were problems with the code integrity check. More information…" : "Ha habido problemas durante la comprobación de la integridad del código. Más información…", diff --git a/core/l10n/nb.js b/core/l10n/nb.js index 954df3e3d5a07..4be953e5f4f58 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Søk etter kontakter…", "No contacts found" : "Fant ingen kontakter", "Show all contacts …" : "Vis alle kontakter…", + "Could not load your contacts" : "Kunne ikke laste inn kontaktene dine", "Loading your contacts …" : "Laster inn kontaktene dine…", "Looking for {term} …" : "Ser etter {term}…", "There were problems with the code integrity check. More information…" : "Det oppstod problemer med sjekk av kode-integritet. Mer informasjon…", diff --git a/core/l10n/nb.json b/core/l10n/nb.json index 4611e8d818c9e..29700fb738b85 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -54,6 +54,7 @@ "Search contacts …" : "Søk etter kontakter…", "No contacts found" : "Fant ingen kontakter", "Show all contacts …" : "Vis alle kontakter…", + "Could not load your contacts" : "Kunne ikke laste inn kontaktene dine", "Loading your contacts …" : "Laster inn kontaktene dine…", "Looking for {term} …" : "Ser etter {term}…", "There were problems with the code integrity check. More information…" : "Det oppstod problemer med sjekk av kode-integritet. Mer informasjon…", diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index 5bfe680c18544..0ba6a4ae905e4 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "搜索联系人 ...", "No contacts found" : "无法找到联系人", "Show all contacts …" : "显示所有联系人...", + "Could not load your contacts" : "无法加载您的联系人", "Loading your contacts …" : "加载您的联系人...", "Looking for {term} …" : "查找 {term} ...", "There were problems with the code integrity check. More information…" : "代码完整性检查出现异常, 点击查看详细信息...", @@ -114,8 +115,10 @@ OC.L10N.register( "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "内存缓存未配置,为了提升使用体验,请尽量配置内存缓存。更多信息请参见文档。", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "PHP 无法访问 /dev/urandom,出于安全原因这是强烈不推荐的。更多信息请参见文档。", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "您当前正在运行 PHP 版本 {version}。我们建议您尽快在您的发行版支持新版本的时候进行升级,以获得来自 PHP 官方的性能和安全的提升。", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "您目前正在运行PHP 5.6。 Nextcloud的当前主要版本是最后一个支持PHP 5.6的版本。 建议将PHP版本升级到7.0以便能够升级到Nextcloud 14。", "Error occurred while checking server setup" : "检查服务器设置时出错", "Shared" : "已共享", + "Shared with" : "分享给", "Error setting expiration date" : "设置过期日期时出错", "The public link will expire no later than {days} days after it is created" : "该共享链接将在创建后 {days} 天失效", "Set expiration date" : "设置过期日期", diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index 1dc340f616bf4..72a97d6f1be46 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -54,6 +54,7 @@ "Search contacts …" : "搜索联系人 ...", "No contacts found" : "无法找到联系人", "Show all contacts …" : "显示所有联系人...", + "Could not load your contacts" : "无法加载您的联系人", "Loading your contacts …" : "加载您的联系人...", "Looking for {term} …" : "查找 {term} ...", "There were problems with the code integrity check. More information…" : "代码完整性检查出现异常, 点击查看详细信息...", @@ -112,8 +113,10 @@ "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "内存缓存未配置,为了提升使用体验,请尽量配置内存缓存。更多信息请参见文档。", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "PHP 无法访问 /dev/urandom,出于安全原因这是强烈不推荐的。更多信息请参见文档。", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "您当前正在运行 PHP 版本 {version}。我们建议您尽快在您的发行版支持新版本的时候进行升级,以获得来自 PHP 官方的性能和安全的提升。", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "您目前正在运行PHP 5.6。 Nextcloud的当前主要版本是最后一个支持PHP 5.6的版本。 建议将PHP版本升级到7.0以便能够升级到Nextcloud 14。", "Error occurred while checking server setup" : "检查服务器设置时出错", "Shared" : "已共享", + "Shared with" : "分享给", "Error setting expiration date" : "设置过期日期时出错", "The public link will expire no later than {days} days after it is created" : "该共享链接将在创建后 {days} 天失效", "Set expiration date" : "设置过期日期", From 7b227d8712e0fcef23c37175c06f8d60fa7f4559 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Mon, 29 Jan 2018 01:11:05 +0000 Subject: [PATCH 038/251] [tx-robot] updated from transifex --- apps/dav/l10n/sq.js | 3 ++ apps/dav/l10n/sq.json | 3 ++ apps/encryption/l10n/id.js | 60 +++++++++++++------------- apps/encryption/l10n/id.json | 60 +++++++++++++------------- apps/federatedfilesharing/l10n/id.js | 4 +- apps/federatedfilesharing/l10n/id.json | 4 +- apps/files/l10n/sq.js | 1 + apps/files/l10n/sq.json | 1 + apps/files_external/l10n/id.js | 6 +-- apps/files_external/l10n/id.json | 6 +-- apps/user_ldap/l10n/id.js | 10 ++--- apps/user_ldap/l10n/id.json | 10 ++--- core/l10n/id.js | 46 ++++++++++---------- core/l10n/id.json | 46 ++++++++++---------- core/l10n/sr.js | 1 + core/l10n/sr.json | 1 + settings/l10n/id.js | 46 ++++++++++---------- settings/l10n/id.json | 46 ++++++++++---------- 18 files changed, 182 insertions(+), 172 deletions(-) diff --git a/apps/dav/l10n/sq.js b/apps/dav/l10n/sq.js index ecb7f350e095d..c44c06f1a6c08 100644 --- a/apps/dav/l10n/sq.js +++ b/apps/dav/l10n/sq.js @@ -41,6 +41,9 @@ OC.L10N.register( "A calendar event was modified" : "Një event në kalendar u modifikua", "A calendar todo was modified" : "Një kalendar todo u modifikua", "Contact birthdays" : "Ditëlindjet e kontakteve", + "Hello %s," : "Përshëndetje %s,", + "%s invited you to »%s«" : "%s ju ftoi juve tek %s", + "Link:" : "Link:", "Contacts" : "Kontaktet", "Technical details" : "Detaje teknike", "Remote Address: %s" : "Adresa remote: %s", diff --git a/apps/dav/l10n/sq.json b/apps/dav/l10n/sq.json index 981ace9d18a8b..a5d22616a0189 100644 --- a/apps/dav/l10n/sq.json +++ b/apps/dav/l10n/sq.json @@ -39,6 +39,9 @@ "A calendar event was modified" : "Një event në kalendar u modifikua", "A calendar todo was modified" : "Një kalendar todo u modifikua", "Contact birthdays" : "Ditëlindjet e kontakteve", + "Hello %s," : "Përshëndetje %s,", + "%s invited you to »%s«" : "%s ju ftoi juve tek %s", + "Link:" : "Link:", "Contacts" : "Kontaktet", "Technical details" : "Detaje teknike", "Remote Address: %s" : "Adresa remote: %s", diff --git a/apps/encryption/l10n/id.js b/apps/encryption/l10n/id.js index 2c6ec486a3c46..a4106a01c219b 100644 --- a/apps/encryption/l10n/id.js +++ b/apps/encryption/l10n/id.js @@ -1,62 +1,62 @@ OC.L10N.register( "encryption", { - "Missing recovery key password" : "Sandi kunci pemuliahan tidak ada", - "Please repeat the recovery key password" : "Silakan ulangi sandi kunci pemulihan", - "Repeated recovery key password does not match the provided recovery key password" : "Sandi kunci pemulihan yang diulangi tidak cocok dengan sandi kunci pemulihan yang diberikan", + "Missing recovery key password" : "Kata sandi kunci pemuliahan tidak ada", + "Please repeat the recovery key password" : "Silakan ulangi kata sandi kunci pemulihan", + "Repeated recovery key password does not match the provided recovery key password" : "Kata sandi kunci pemulihan yang diulangi tidak cocok dengan kata sandi kunci pemulihan yang diberikan", "Recovery key successfully enabled" : "Kunci pemulihan berhasil diaktifkan", - "Could not enable recovery key. Please check your recovery key password!" : "Tidak dapat mengaktifkan kunci pemulihan. Silakan periksa sandi kunci pemulihan Anda!", + "Could not enable recovery key. Please check your recovery key password!" : "Tidak dapat mengaktifkan kunci pemulihan. Silakan periksa kata sandi kunci pemulihan Anda!", "Recovery key successfully disabled" : "Kunci pemulihan berhasil dinonaktifkan", - "Could not disable recovery key. Please check your recovery key password!" : "Tidak dapat menonaktifkan kunci pemulihan. Silakan periksa sandi kunci pemulihan Anda!", + "Could not disable recovery key. Please check your recovery key password!" : "Tidak dapat menonaktifkan kunci pemulihan. Silakan periksa kata sandi kunci pemulihan Anda!", "Missing parameters" : "Parameter salah", - "Please provide the old recovery password" : "Mohon berikan sandi pemulihan lama", - "Please provide a new recovery password" : "Mohon berikan sandi pemulihan baru", + "Please provide the old recovery password" : "Mohon berikan kata sandi pemulihan lama", + "Please provide a new recovery password" : "Mohon berikan kata sandi pemulihan baru", "Please repeat the new recovery password" : "Silakan ulangi sandi pemulihan baru", - "Password successfully changed." : "Sandi berhasil diubah", - "Could not change the password. Maybe the old password was not correct." : "Tidak dapat mengubah sandi. Kemungkinan sandi lama yang dimasukkan salah.", + "Password successfully changed." : "Kata sandi berhasil diubah", + "Could not change the password. Maybe the old password was not correct." : "Tidak dapat mengubah kata sandi. Kemungkinan kata sandi lama yang dimasukkan salah.", "Recovery Key disabled" : "Kunci Pemulihan dinonaktifkan", "Recovery Key enabled" : "Kunci Pemulihan diaktifkan", "Could not enable the recovery key, please try again or contact your administrator" : "Tidak dapat mengaktifkan kunci pemulihan, silakan coba lagi atau hubungi administrator Anda", - "Could not update the private key password." : "Tidak dapat memperbarui sandi kunci private.", - "The old password was not correct, please try again." : "Sandi lama salah, mohon coba lagi.", - "The current log-in password was not correct, please try again." : "Sandi masuk saat ini salah, mohon coba lagi.", + "Could not update the private key password." : "Tidak dapat memperbarui kata sandi kunci private.", + "The old password was not correct, please try again." : "Kata sandi lama salah, mohon coba lagi.", + "The current log-in password was not correct, please try again." : "Kata sandi masuk saat ini salah, mohon coba lagi.", "Private key password successfully updated." : "Sandi kunci privat berhasil diperbarui.", "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please run 'occ encryption:migrate' or contact your administrator" : "Anda perlu mengganti kunci enkripsi Anda dari enkripsi lama (ownCloud <= 8.0) ke yang baru. Mohon jalankan 'occ encryption:migrate' atau hubungi administrator Anda", - "Invalid private key for encryption app. Please update your private key password in your personal settings to recover access to your encrypted files." : "Kunci privat tidak sah untuk aplikasi enkripsi. Silakan perbarui sandi kunci privat anda pada pengaturan pribadi untuk memulihkan akses ke berkas anda yang dienkripsi.", + "Invalid private key for encryption app. Please update your private key password in your personal settings to recover access to your encrypted files." : "Kunci privat tidak sah untuk aplikasi enkripsi. Silakan perbarui kata sandi kunci privat anda pada pengaturan pribadi untuk memulihkan akses ke berkas anda yang dienkripsi.", "Encryption App is enabled, but your keys are not initialized. Please log-out and log-in again." : "Apl Enkripsi telah aktif, tapi kunci anda tidak diinisialisasikan. Harap keluar-log dan masuk-log kembali.", "Encryption app is enabled and ready" : "Apl enkripsi aktif dan siap", "Bad Signature" : "Tanda salah", "Missing Signature" : "Tanda hilang", - "one-time password for server-side-encryption" : "Sandi sekali pakai untuk server-side-encryption", + "one-time password for server-side-encryption" : "Kata sandi sekali pakai untuk server-side-encryption", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat mendekripsi berkas ini, mungkin ini adalah berkas bersama. Silakan meminta pemilik berkas ini untuk membagikan kembali dengan Anda.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat membaca berkas ini, kemungkinan merupakan berkas berbagi. Silakan minta pemilik berkas untuk membagikan ulang kepada Anda.", - "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hai,\n\nadmin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan sandi '%s'.\n\nSilakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui sandi enkripsi Anda dengan memasukkan sandi ini kedalam kolom 'sandi masuk yang lama' dan sandi-masuk saat ini.\n\n", + "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hai,\n\nadmin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi '%s'.\n\nSilakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi-masuk saat ini.\n\n", "The share will expire on %s." : "Pembagian akan berakhir pada %s.", "Cheers!" : "Horee!", - "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hai,

admin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan sandi %s.

Silakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui sandi enkripsi Anda dengan memasukkan sandi ini kedalam kolom 'sandi masuk yang lama' dan sandi masuk yang baru.

", + "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hai,

admin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi %s.

Silakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi masuk yang baru.

", "Default encryption module" : "Modul bawaan enkripsi", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi enkripsi telah diaktifkan tetapi kunci tidak terinisialisasi, silakan log-out dan log-in lagi", "Encrypt the home storage" : "Enkripsi penyimpanan rumah", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Mengaktifkan opsi ini akan mengenkripsi semua berkas yang disimpan pada penyimpanan utama, jika tidak diaktifkan maka hanya berkas pada penyimpanan eksternal saja yang akan dienkripsi.", "Enable recovery key" : "Aktifkan kunci pemulihan", "Disable recovery key" : "Nonaktifkan kunci pemulihan", - "The recovery key is an extra encryption key that is used to encrypt files. It allows recovery of a user's files if the user forgets his or her password." : "Kunci pemulihan adalah kunci enkripsi tambahan yang digunakan untuk mengenkripsi berkas. Kunci pemulihan memungkinkan untuk memulihkan berkas-berkas pengguna ketika pengguna tersebut melupakan sandi mereka.", - "Recovery key password" : "Sandi kunci pemulihan", - "Repeat recovery key password" : "Ulangi sandi kunci pemulihan", - "Change recovery key password:" : "Ubah sandi kunci pemulihan:", - "Old recovery key password" : "Sandi kunci pemulihan lama", - "New recovery key password" : "Sandi kunci pemulihan baru", + "The recovery key is an extra encryption key that is used to encrypt files. It allows recovery of a user's files if the user forgets his or her password." : "Kunci pemulihan adalah kunci enkripsi tambahan yang digunakan untuk mengenkripsi berkas. Kunci pemulihan memungkinkan untuk memulihkan berkas-berkas pengguna ketika pengguna tersebut melupakan kata sandi mereka.", + "Recovery key password" : "Kata sandi kunci pemulihan", + "Repeat recovery key password" : "Ulangi kata sandi kunci pemulihan", + "Change recovery key password:" : "Ubah kata sandi kunci pemulihan:", + "Old recovery key password" : "Kata sandi kunci pemulihan lama", + "New recovery key password" : "Kata sandi kunci pemulihan baru", "Repeat new recovery key password" : "Ulangi sandi kunci pemulihan baru", "Change Password" : "Ubah Sandi", "Basic encryption module" : "Modul enkripsi dasar", - "Your private key password no longer matches your log-in password." : "Sandi kunci private Anda tidak lagi cocok dengan sandi masuk Anda.", - "Set your old private key password to your current log-in password:" : "Setel sandi kunci private Anda untuk sandi masuk Anda saat ini:", - " If you don't remember your old password you can ask your administrator to recover your files." : "Jika Anda tidak ingat sandi lama, Anda dapat meminta administrator Anda untuk memulihkan berkas.", - "Old log-in password" : "Sandi masuk yang lama", - "Current log-in password" : "Sandi masuk saat ini", - "Update Private Key Password" : "Perbarui Sandi Kunci Private", - "Enable password recovery:" : "Aktifkan sandi pemulihan:", - "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Mengaktifkan opsi ini memungkinkan Anda untuk mendapatkan kembali akses ke berkas terenkripsi Anda dalam kasus kehilangan sandi", + "Your private key password no longer matches your log-in password." : "Kata sandi kunci private Anda tidak lagi cocok dengan kata sandi masuk Anda.", + "Set your old private key password to your current log-in password:" : "Setel kata sandi kunci private Anda untuk kata sandi masuk Anda saat ini:", + " If you don't remember your old password you can ask your administrator to recover your files." : "Jika Anda tidak ingat kata sandi lama, Anda dapat meminta administrator Anda untuk memulihkan berkas.", + "Old log-in password" : "Kata sandi masuk yang lama", + "Current log-in password" : "Kata sandi masuk saat ini", + "Update Private Key Password" : "Perbarui Kata Sandi Kunci Private", + "Enable password recovery:" : "Aktifkan kata sandi pemulihan:", + "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Mengaktifkan opsi ini memungkinkan Anda untuk mendapatkan kembali akses ke berkas terenkripsi Anda dalam kasus kehilangan kata sandi", "Enabled" : "Diaktifkan", "Disabled" : "Dinonaktifkan", "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi Enskripsi telah diaktifkan tetapi kunci tidak diinisialisasi, silakan log-out dan log-in lagi" diff --git a/apps/encryption/l10n/id.json b/apps/encryption/l10n/id.json index aa2dabe33470e..81ea529c2d980 100644 --- a/apps/encryption/l10n/id.json +++ b/apps/encryption/l10n/id.json @@ -1,60 +1,60 @@ { "translations": { - "Missing recovery key password" : "Sandi kunci pemuliahan tidak ada", - "Please repeat the recovery key password" : "Silakan ulangi sandi kunci pemulihan", - "Repeated recovery key password does not match the provided recovery key password" : "Sandi kunci pemulihan yang diulangi tidak cocok dengan sandi kunci pemulihan yang diberikan", + "Missing recovery key password" : "Kata sandi kunci pemuliahan tidak ada", + "Please repeat the recovery key password" : "Silakan ulangi kata sandi kunci pemulihan", + "Repeated recovery key password does not match the provided recovery key password" : "Kata sandi kunci pemulihan yang diulangi tidak cocok dengan kata sandi kunci pemulihan yang diberikan", "Recovery key successfully enabled" : "Kunci pemulihan berhasil diaktifkan", - "Could not enable recovery key. Please check your recovery key password!" : "Tidak dapat mengaktifkan kunci pemulihan. Silakan periksa sandi kunci pemulihan Anda!", + "Could not enable recovery key. Please check your recovery key password!" : "Tidak dapat mengaktifkan kunci pemulihan. Silakan periksa kata sandi kunci pemulihan Anda!", "Recovery key successfully disabled" : "Kunci pemulihan berhasil dinonaktifkan", - "Could not disable recovery key. Please check your recovery key password!" : "Tidak dapat menonaktifkan kunci pemulihan. Silakan periksa sandi kunci pemulihan Anda!", + "Could not disable recovery key. Please check your recovery key password!" : "Tidak dapat menonaktifkan kunci pemulihan. Silakan periksa kata sandi kunci pemulihan Anda!", "Missing parameters" : "Parameter salah", - "Please provide the old recovery password" : "Mohon berikan sandi pemulihan lama", - "Please provide a new recovery password" : "Mohon berikan sandi pemulihan baru", + "Please provide the old recovery password" : "Mohon berikan kata sandi pemulihan lama", + "Please provide a new recovery password" : "Mohon berikan kata sandi pemulihan baru", "Please repeat the new recovery password" : "Silakan ulangi sandi pemulihan baru", - "Password successfully changed." : "Sandi berhasil diubah", - "Could not change the password. Maybe the old password was not correct." : "Tidak dapat mengubah sandi. Kemungkinan sandi lama yang dimasukkan salah.", + "Password successfully changed." : "Kata sandi berhasil diubah", + "Could not change the password. Maybe the old password was not correct." : "Tidak dapat mengubah kata sandi. Kemungkinan kata sandi lama yang dimasukkan salah.", "Recovery Key disabled" : "Kunci Pemulihan dinonaktifkan", "Recovery Key enabled" : "Kunci Pemulihan diaktifkan", "Could not enable the recovery key, please try again or contact your administrator" : "Tidak dapat mengaktifkan kunci pemulihan, silakan coba lagi atau hubungi administrator Anda", - "Could not update the private key password." : "Tidak dapat memperbarui sandi kunci private.", - "The old password was not correct, please try again." : "Sandi lama salah, mohon coba lagi.", - "The current log-in password was not correct, please try again." : "Sandi masuk saat ini salah, mohon coba lagi.", + "Could not update the private key password." : "Tidak dapat memperbarui kata sandi kunci private.", + "The old password was not correct, please try again." : "Kata sandi lama salah, mohon coba lagi.", + "The current log-in password was not correct, please try again." : "Kata sandi masuk saat ini salah, mohon coba lagi.", "Private key password successfully updated." : "Sandi kunci privat berhasil diperbarui.", "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please run 'occ encryption:migrate' or contact your administrator" : "Anda perlu mengganti kunci enkripsi Anda dari enkripsi lama (ownCloud <= 8.0) ke yang baru. Mohon jalankan 'occ encryption:migrate' atau hubungi administrator Anda", - "Invalid private key for encryption app. Please update your private key password in your personal settings to recover access to your encrypted files." : "Kunci privat tidak sah untuk aplikasi enkripsi. Silakan perbarui sandi kunci privat anda pada pengaturan pribadi untuk memulihkan akses ke berkas anda yang dienkripsi.", + "Invalid private key for encryption app. Please update your private key password in your personal settings to recover access to your encrypted files." : "Kunci privat tidak sah untuk aplikasi enkripsi. Silakan perbarui kata sandi kunci privat anda pada pengaturan pribadi untuk memulihkan akses ke berkas anda yang dienkripsi.", "Encryption App is enabled, but your keys are not initialized. Please log-out and log-in again." : "Apl Enkripsi telah aktif, tapi kunci anda tidak diinisialisasikan. Harap keluar-log dan masuk-log kembali.", "Encryption app is enabled and ready" : "Apl enkripsi aktif dan siap", "Bad Signature" : "Tanda salah", "Missing Signature" : "Tanda hilang", - "one-time password for server-side-encryption" : "Sandi sekali pakai untuk server-side-encryption", + "one-time password for server-side-encryption" : "Kata sandi sekali pakai untuk server-side-encryption", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat mendekripsi berkas ini, mungkin ini adalah berkas bersama. Silakan meminta pemilik berkas ini untuk membagikan kembali dengan Anda.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat membaca berkas ini, kemungkinan merupakan berkas berbagi. Silakan minta pemilik berkas untuk membagikan ulang kepada Anda.", - "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hai,\n\nadmin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan sandi '%s'.\n\nSilakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui sandi enkripsi Anda dengan memasukkan sandi ini kedalam kolom 'sandi masuk yang lama' dan sandi-masuk saat ini.\n\n", + "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hai,\n\nadmin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi '%s'.\n\nSilakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi-masuk saat ini.\n\n", "The share will expire on %s." : "Pembagian akan berakhir pada %s.", "Cheers!" : "Horee!", - "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hai,

admin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan sandi %s.

Silakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui sandi enkripsi Anda dengan memasukkan sandi ini kedalam kolom 'sandi masuk yang lama' dan sandi masuk yang baru.

", + "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hai,

admin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi %s.

Silakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi masuk yang baru.

", "Default encryption module" : "Modul bawaan enkripsi", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi enkripsi telah diaktifkan tetapi kunci tidak terinisialisasi, silakan log-out dan log-in lagi", "Encrypt the home storage" : "Enkripsi penyimpanan rumah", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Mengaktifkan opsi ini akan mengenkripsi semua berkas yang disimpan pada penyimpanan utama, jika tidak diaktifkan maka hanya berkas pada penyimpanan eksternal saja yang akan dienkripsi.", "Enable recovery key" : "Aktifkan kunci pemulihan", "Disable recovery key" : "Nonaktifkan kunci pemulihan", - "The recovery key is an extra encryption key that is used to encrypt files. It allows recovery of a user's files if the user forgets his or her password." : "Kunci pemulihan adalah kunci enkripsi tambahan yang digunakan untuk mengenkripsi berkas. Kunci pemulihan memungkinkan untuk memulihkan berkas-berkas pengguna ketika pengguna tersebut melupakan sandi mereka.", - "Recovery key password" : "Sandi kunci pemulihan", - "Repeat recovery key password" : "Ulangi sandi kunci pemulihan", - "Change recovery key password:" : "Ubah sandi kunci pemulihan:", - "Old recovery key password" : "Sandi kunci pemulihan lama", - "New recovery key password" : "Sandi kunci pemulihan baru", + "The recovery key is an extra encryption key that is used to encrypt files. It allows recovery of a user's files if the user forgets his or her password." : "Kunci pemulihan adalah kunci enkripsi tambahan yang digunakan untuk mengenkripsi berkas. Kunci pemulihan memungkinkan untuk memulihkan berkas-berkas pengguna ketika pengguna tersebut melupakan kata sandi mereka.", + "Recovery key password" : "Kata sandi kunci pemulihan", + "Repeat recovery key password" : "Ulangi kata sandi kunci pemulihan", + "Change recovery key password:" : "Ubah kata sandi kunci pemulihan:", + "Old recovery key password" : "Kata sandi kunci pemulihan lama", + "New recovery key password" : "Kata sandi kunci pemulihan baru", "Repeat new recovery key password" : "Ulangi sandi kunci pemulihan baru", "Change Password" : "Ubah Sandi", "Basic encryption module" : "Modul enkripsi dasar", - "Your private key password no longer matches your log-in password." : "Sandi kunci private Anda tidak lagi cocok dengan sandi masuk Anda.", - "Set your old private key password to your current log-in password:" : "Setel sandi kunci private Anda untuk sandi masuk Anda saat ini:", - " If you don't remember your old password you can ask your administrator to recover your files." : "Jika Anda tidak ingat sandi lama, Anda dapat meminta administrator Anda untuk memulihkan berkas.", - "Old log-in password" : "Sandi masuk yang lama", - "Current log-in password" : "Sandi masuk saat ini", - "Update Private Key Password" : "Perbarui Sandi Kunci Private", - "Enable password recovery:" : "Aktifkan sandi pemulihan:", - "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Mengaktifkan opsi ini memungkinkan Anda untuk mendapatkan kembali akses ke berkas terenkripsi Anda dalam kasus kehilangan sandi", + "Your private key password no longer matches your log-in password." : "Kata sandi kunci private Anda tidak lagi cocok dengan kata sandi masuk Anda.", + "Set your old private key password to your current log-in password:" : "Setel kata sandi kunci private Anda untuk kata sandi masuk Anda saat ini:", + " If you don't remember your old password you can ask your administrator to recover your files." : "Jika Anda tidak ingat kata sandi lama, Anda dapat meminta administrator Anda untuk memulihkan berkas.", + "Old log-in password" : "Kata sandi masuk yang lama", + "Current log-in password" : "Kata sandi masuk saat ini", + "Update Private Key Password" : "Perbarui Kata Sandi Kunci Private", + "Enable password recovery:" : "Aktifkan kata sandi pemulihan:", + "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Mengaktifkan opsi ini memungkinkan Anda untuk mendapatkan kembali akses ke berkas terenkripsi Anda dalam kasus kehilangan kata sandi", "Enabled" : "Diaktifkan", "Disabled" : "Dinonaktifkan", "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi Enskripsi telah diaktifkan tetapi kunci tidak diinisialisasi, silakan log-out dan log-in lagi" diff --git a/apps/federatedfilesharing/l10n/id.js b/apps/federatedfilesharing/l10n/id.js index 4760bb17b90f4..3cdd399f2e332 100644 --- a/apps/federatedfilesharing/l10n/id.js +++ b/apps/federatedfilesharing/l10n/id.js @@ -4,7 +4,7 @@ OC.L10N.register( "Federated sharing" : "Pembagian terfederasi", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Apakah Anda ingin menambahkan pembagian remote {name} dari {owner}@{remote}?", "Remote share" : "Berbagi remote", - "Remote share password" : "Sandi berbagi remote", + "Remote share password" : "Kata sandi berbagi jarak jauh", "Cancel" : "Batalkan", "Add remote share" : "Tambah berbagi remote", "Copy" : "Salin", @@ -15,7 +15,7 @@ OC.L10N.register( "Invalid Federated Cloud ID" : "Federated Cloud ID tidak sah", "Server to server sharing is not enabled on this server" : "Berbagi server ke server tidak diaktifkan pada server ini", "Couldn't establish a federated share." : "Tidak dapat mendirikan pembagian terfederasi", - "Couldn't establish a federated share, maybe the password was wrong." : "Tidak dapat mendirikan pembagian terfederasi, mungkin sandi salah.", + "Couldn't establish a federated share, maybe the password was wrong." : "Tidak dapat mendirikan pembagian terfederasi, mungkin kata sandi salah.", "The mountpoint name contains invalid characters." : "Nama mount point berisi karakter yang tidak sah.", "Not allowed to create a federated share with the owner." : "Tidak diizinkan membuat pembagian terfederasi dengan pemilik.", "Invalid or untrusted SSL certificate" : "Sertifikat SSL tidak sah atau tidak terpercaya", diff --git a/apps/federatedfilesharing/l10n/id.json b/apps/federatedfilesharing/l10n/id.json index 95da03dff5b58..14083a28ed767 100644 --- a/apps/federatedfilesharing/l10n/id.json +++ b/apps/federatedfilesharing/l10n/id.json @@ -2,7 +2,7 @@ "Federated sharing" : "Pembagian terfederasi", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Apakah Anda ingin menambahkan pembagian remote {name} dari {owner}@{remote}?", "Remote share" : "Berbagi remote", - "Remote share password" : "Sandi berbagi remote", + "Remote share password" : "Kata sandi berbagi jarak jauh", "Cancel" : "Batalkan", "Add remote share" : "Tambah berbagi remote", "Copy" : "Salin", @@ -13,7 +13,7 @@ "Invalid Federated Cloud ID" : "Federated Cloud ID tidak sah", "Server to server sharing is not enabled on this server" : "Berbagi server ke server tidak diaktifkan pada server ini", "Couldn't establish a federated share." : "Tidak dapat mendirikan pembagian terfederasi", - "Couldn't establish a federated share, maybe the password was wrong." : "Tidak dapat mendirikan pembagian terfederasi, mungkin sandi salah.", + "Couldn't establish a federated share, maybe the password was wrong." : "Tidak dapat mendirikan pembagian terfederasi, mungkin kata sandi salah.", "The mountpoint name contains invalid characters." : "Nama mount point berisi karakter yang tidak sah.", "Not allowed to create a federated share with the owner." : "Tidak diizinkan membuat pembagian terfederasi dengan pemilik.", "Invalid or untrusted SSL certificate" : "Sertifikat SSL tidak sah atau tidak terpercaya", diff --git a/apps/files/l10n/sq.js b/apps/files/l10n/sq.js index 3a399954442ff..0d7dcf7089efb 100644 --- a/apps/files/l10n/sq.js +++ b/apps/files/l10n/sq.js @@ -115,6 +115,7 @@ OC.L10N.register( "Settings" : "Rregullime", "Show hidden files" : "Shfaq kartela të fshehura", "WebDAV" : "WebDAV", + "Cancel upload" : "Anulo ngarkimin", "No files in here" : "S’ka kartela këtu", "Upload some content or sync with your devices!" : "Ngarkoni ca lëndë ose bëni njëkohësim me pajisjet tuaja!", "No entries found in this folder" : "Në këtë dosje s’u gjetën zëra", diff --git a/apps/files/l10n/sq.json b/apps/files/l10n/sq.json index 2baf0c01927ff..835e060ae59c8 100644 --- a/apps/files/l10n/sq.json +++ b/apps/files/l10n/sq.json @@ -113,6 +113,7 @@ "Settings" : "Rregullime", "Show hidden files" : "Shfaq kartela të fshehura", "WebDAV" : "WebDAV", + "Cancel upload" : "Anulo ngarkimin", "No files in here" : "S’ka kartela këtu", "Upload some content or sync with your devices!" : "Ngarkoni ca lëndë ose bëni njëkohësim me pajisjet tuaja!", "No entries found in this folder" : "Në këtë dosje s’u gjetën zëra", diff --git a/apps/files_external/l10n/id.js b/apps/files_external/l10n/id.js index ff8cb00c9c6fa..769659738a635 100644 --- a/apps/files_external/l10n/id.js +++ b/apps/files_external/l10n/id.js @@ -26,7 +26,7 @@ OC.L10N.register( "Some of the configured external mount points are not connected. Please click on the red row(s) for more information" : "Beberapa mount point eksternal tidak terhubung. Klik barisan merah untuk informasi selanjutnya", "Please enter the credentials for the {mount} mount" : "Masukkan kredensial untuk mount {mount}", "Username" : "Nama Pengguna", - "Password" : "Sandi", + "Password" : "Kata sandi", "Credentials saved" : "Kredensial tersimpan", "Credentials saving failed" : "Penyimpanan kredensial gagal", "Credentials required" : "Kredensial dibutuhkan", @@ -55,9 +55,9 @@ OC.L10N.register( "Identity endpoint URL" : "Identitas URL akhir", "Rackspace" : "Rackspace", "API key" : "Kunci API", - "Global credentials" : "Sandi Global", + "Global credentials" : "Kata sandi Global", "Log-in credentials, save in database" : "Kredensial masuk, simpan di basis data", - "Username and password" : "Nama pengguna dan sandi", + "Username and password" : "Nama pengguna dan kata sandi", "Log-in credentials, save in session" : "Kredensial masuk, simpan dalam sesi", "User entered, store in database" : "Dimasukkan pengguna, masukkan dalam basis data", "RSA public key" : "Kunci publik RSA", diff --git a/apps/files_external/l10n/id.json b/apps/files_external/l10n/id.json index 1a163c191b0ae..66aec43776130 100644 --- a/apps/files_external/l10n/id.json +++ b/apps/files_external/l10n/id.json @@ -24,7 +24,7 @@ "Some of the configured external mount points are not connected. Please click on the red row(s) for more information" : "Beberapa mount point eksternal tidak terhubung. Klik barisan merah untuk informasi selanjutnya", "Please enter the credentials for the {mount} mount" : "Masukkan kredensial untuk mount {mount}", "Username" : "Nama Pengguna", - "Password" : "Sandi", + "Password" : "Kata sandi", "Credentials saved" : "Kredensial tersimpan", "Credentials saving failed" : "Penyimpanan kredensial gagal", "Credentials required" : "Kredensial dibutuhkan", @@ -53,9 +53,9 @@ "Identity endpoint URL" : "Identitas URL akhir", "Rackspace" : "Rackspace", "API key" : "Kunci API", - "Global credentials" : "Sandi Global", + "Global credentials" : "Kata sandi Global", "Log-in credentials, save in database" : "Kredensial masuk, simpan di basis data", - "Username and password" : "Nama pengguna dan sandi", + "Username and password" : "Nama pengguna dan kata sandi", "Log-in credentials, save in session" : "Kredensial masuk, simpan dalam sesi", "User entered, store in database" : "Dimasukkan pengguna, masukkan dalam basis data", "RSA public key" : "Kunci publik RSA", diff --git a/apps/user_ldap/l10n/id.js b/apps/user_ldap/l10n/id.js index a1b266263d6b6..000beca961149 100644 --- a/apps/user_ldap/l10n/id.js +++ b/apps/user_ldap/l10n/id.js @@ -39,7 +39,7 @@ OC.L10N.register( "A connection error to LDAP / AD occurred, please check host, port and credentials." : "Terjadi kesalahan sambungan ke LDAP / AD, mohon periksa host, port dan kredensial.", "Please provide a login name to test against" : "Mohon berikan nama login untuk mengujinya kembali", "The group box was disabled, because the LDAP / AD server does not support memberOf." : "Kotak grup telah dinonaktifkan, karena server LDAP / AD tidak mendukung keanggotaan.", - "Password change rejected. Hint: " : "Perubahan sandi ditolak. Petunjuk:", + "Password change rejected. Hint: " : "Perubahan kata sandi ditolak. Petunjuk:", "LDAP / AD integration" : "Integrasi LDAP / AD", "_%s group found_::_%s groups found_" : ["%s grup ditemukan"], "_%s user found_::_%s users found_" : ["%s pengguna ditemukan"], @@ -71,7 +71,7 @@ OC.L10N.register( "Detect Port" : "Deteksi Port", "User DN" : "Pengguna DN", "The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." : "DN dari klien pengguna yang dengannya tautan akan diterapkan, mis. uid=agen,dc=contoh,dc=com. Untuk akses anonim, biarkan DN dan kata sandi kosong.", - "Password" : "Sandi", + "Password" : "Kata sandi", "For anonymous access, leave DN and Password empty." : "Untuk akses anonim, biarkan DN dan Kata sandi kosong.", "One Base DN per line" : "Satu Base DN per baris", "You can specify Base DN for users and groups in the Advanced tab" : "Anda dapat menetapkan Base DN untuk pengguna dan grup dalam tab Lanjutan", @@ -125,9 +125,9 @@ OC.L10N.register( "When switched on, groups that contain groups are supported. (Only works if the group member attribute contains DNs.)" : "Ketika dihidupkan, grup yang berisi grup akan didukung. (Hanya bekerja jika atribut anggota grup berisi DN.)", "Paging chunksize" : "Paging chunksize", "Chunksize used for paged LDAP searches that may return bulky results like user or group enumeration. (Setting it 0 disables paged LDAP searches in those situations.)" : "Chunksize digunakan untuk pencarian paged LDAP yang mengembalikan hasil secara massal seperti enumerasi pengguna dan grup. (Atur dengan nilai 0 untuk menonaktifkan pencarian paged LDAP dalam situasi tersebut.)", - "Enable LDAP password changes per user" : "Aktifkan perubahan sandi LDAP per pengguna", - "Allow LDAP users to change their password and allow Super Administrators and Group Administrators to change the password of their LDAP users. Only works when access control policies are configured accordingly on the LDAP server. As passwords are sent in plaintext to the LDAP server, transport encryption must be used and password hashing should be configured on the LDAP server." : "Perbolehkan pengguna LDAP mengubah sandi mereka dan perbolehkan Administrator Super dan Administrator Grup untuk mengubah sandi pengguna LDAP mereka. Hanya bekerja ketika kebijaksanaan akses kontrol terconfigurasi berdasarkan server LDAP. Sebagaimana sandi dikirim dalam plain teks ke server LDAP, pengiriman enkripsi harus digunakan dan hashing sandi harus terkonfigurasi di server LDAP.", - "(New password is sent as plain text to LDAP)" : "(Sandi baru dikirim sebagai plain teks ke LDAP)", + "Enable LDAP password changes per user" : "Aktifkan perubahan kata sandi LDAP per pengguna", + "Allow LDAP users to change their password and allow Super Administrators and Group Administrators to change the password of their LDAP users. Only works when access control policies are configured accordingly on the LDAP server. As passwords are sent in plaintext to the LDAP server, transport encryption must be used and password hashing should be configured on the LDAP server." : "Perbolehkan pengguna LDAP mengubah kata sandi mereka dan perbolehkan Administrator Super dan Administrator Grup untuk mengubah kata sandi pengguna LDAP mereka. Hanya bekerja ketika kebijaksanaan akses kontrol terconfigurasi berdasarkan server LDAP. Sebagaimana kata sandi dikirim dalam plain teks ke server LDAP, pengiriman enkripsi harus digunakan dan hashing kata sandi harus terkonfigurasi di server LDAP.", + "(New password is sent as plain text to LDAP)" : "(Kata sandi baru dikirim sebagai plain teks ke LDAP)", "Special Attributes" : "Atribut Khusus", "Quota Field" : "Kolom Kuota", "Quota Default" : "Kuota Baku", diff --git a/apps/user_ldap/l10n/id.json b/apps/user_ldap/l10n/id.json index 92c0f0c6e9da3..0582def60631e 100644 --- a/apps/user_ldap/l10n/id.json +++ b/apps/user_ldap/l10n/id.json @@ -37,7 +37,7 @@ "A connection error to LDAP / AD occurred, please check host, port and credentials." : "Terjadi kesalahan sambungan ke LDAP / AD, mohon periksa host, port dan kredensial.", "Please provide a login name to test against" : "Mohon berikan nama login untuk mengujinya kembali", "The group box was disabled, because the LDAP / AD server does not support memberOf." : "Kotak grup telah dinonaktifkan, karena server LDAP / AD tidak mendukung keanggotaan.", - "Password change rejected. Hint: " : "Perubahan sandi ditolak. Petunjuk:", + "Password change rejected. Hint: " : "Perubahan kata sandi ditolak. Petunjuk:", "LDAP / AD integration" : "Integrasi LDAP / AD", "_%s group found_::_%s groups found_" : ["%s grup ditemukan"], "_%s user found_::_%s users found_" : ["%s pengguna ditemukan"], @@ -69,7 +69,7 @@ "Detect Port" : "Deteksi Port", "User DN" : "Pengguna DN", "The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." : "DN dari klien pengguna yang dengannya tautan akan diterapkan, mis. uid=agen,dc=contoh,dc=com. Untuk akses anonim, biarkan DN dan kata sandi kosong.", - "Password" : "Sandi", + "Password" : "Kata sandi", "For anonymous access, leave DN and Password empty." : "Untuk akses anonim, biarkan DN dan Kata sandi kosong.", "One Base DN per line" : "Satu Base DN per baris", "You can specify Base DN for users and groups in the Advanced tab" : "Anda dapat menetapkan Base DN untuk pengguna dan grup dalam tab Lanjutan", @@ -123,9 +123,9 @@ "When switched on, groups that contain groups are supported. (Only works if the group member attribute contains DNs.)" : "Ketika dihidupkan, grup yang berisi grup akan didukung. (Hanya bekerja jika atribut anggota grup berisi DN.)", "Paging chunksize" : "Paging chunksize", "Chunksize used for paged LDAP searches that may return bulky results like user or group enumeration. (Setting it 0 disables paged LDAP searches in those situations.)" : "Chunksize digunakan untuk pencarian paged LDAP yang mengembalikan hasil secara massal seperti enumerasi pengguna dan grup. (Atur dengan nilai 0 untuk menonaktifkan pencarian paged LDAP dalam situasi tersebut.)", - "Enable LDAP password changes per user" : "Aktifkan perubahan sandi LDAP per pengguna", - "Allow LDAP users to change their password and allow Super Administrators and Group Administrators to change the password of their LDAP users. Only works when access control policies are configured accordingly on the LDAP server. As passwords are sent in plaintext to the LDAP server, transport encryption must be used and password hashing should be configured on the LDAP server." : "Perbolehkan pengguna LDAP mengubah sandi mereka dan perbolehkan Administrator Super dan Administrator Grup untuk mengubah sandi pengguna LDAP mereka. Hanya bekerja ketika kebijaksanaan akses kontrol terconfigurasi berdasarkan server LDAP. Sebagaimana sandi dikirim dalam plain teks ke server LDAP, pengiriman enkripsi harus digunakan dan hashing sandi harus terkonfigurasi di server LDAP.", - "(New password is sent as plain text to LDAP)" : "(Sandi baru dikirim sebagai plain teks ke LDAP)", + "Enable LDAP password changes per user" : "Aktifkan perubahan kata sandi LDAP per pengguna", + "Allow LDAP users to change their password and allow Super Administrators and Group Administrators to change the password of their LDAP users. Only works when access control policies are configured accordingly on the LDAP server. As passwords are sent in plaintext to the LDAP server, transport encryption must be used and password hashing should be configured on the LDAP server." : "Perbolehkan pengguna LDAP mengubah kata sandi mereka dan perbolehkan Administrator Super dan Administrator Grup untuk mengubah kata sandi pengguna LDAP mereka. Hanya bekerja ketika kebijaksanaan akses kontrol terconfigurasi berdasarkan server LDAP. Sebagaimana kata sandi dikirim dalam plain teks ke server LDAP, pengiriman enkripsi harus digunakan dan hashing kata sandi harus terkonfigurasi di server LDAP.", + "(New password is sent as plain text to LDAP)" : "(Kata sandi baru dikirim sebagai plain teks ke LDAP)", "Special Attributes" : "Atribut Khusus", "Quota Field" : "Kolom Kuota", "Quota Default" : "Kuota Baku", diff --git a/core/l10n/id.js b/core/l10n/id.js index 942d9c486ff47..07029e7397daf 100644 --- a/core/l10n/id.js +++ b/core/l10n/id.js @@ -14,10 +14,10 @@ OC.L10N.register( "No crop data provided" : "Tidak ada data krop tersedia", "No valid crop data provided" : "Tidak ada data valid untuk dipangkas", "Crop is not square" : "Pangkas ini tidak persegi", - "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang sandi karena token tidak sah", - "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang sandi karena token telah kadaluarsa", + "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang kata sandi karena token tidak sah", + "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang kata sandi karena token telah kadaluarsa", "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Tidak dapat mengirim email karena tidak ada alamat email untuk nama pengguna ini. Silahkan hubungi administrator Anda.", - "%s password reset" : "%s sandi disetel ulang", + "%s password reset" : "%s kata sandi disetel ulang", "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim email setel ulang. Silakan hubungi administrator Anda.", "Couldn't send reset email. Please make sure your username is correct." : "Tidak dapat menyetel ulang email. Mohon pastikan nama pengguna Anda benar.", "Preparing update" : "Mempersiapkan pembaruan", @@ -52,17 +52,17 @@ OC.L10N.register( "Dismiss" : "Buang", "This action requires you to confirm your password" : "Aksi ini membutuhkan konfirmasi kata sandi Anda", "Authentication required" : "Diperlukan otentikasi", - "Password" : "Sandi", + "Password" : "Kata Sandi", "Cancel" : "Batal", "Confirm" : "Konfirmasi", "Failed to authenticate, try again" : "Gagal mengotentikasi, coba lagi", "seconds ago" : "beberapa detik yang lalu", "Logging in …" : "Log masuk...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang kata sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah kata sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", "I know what I'm doing" : "Saya tahu apa yang saya lakukan", - "Password can not be changed. Please contact your administrator." : "Sandi tidak dapat diubah. Silakan hubungi administrator Anda", - "Reset password" : "Setel ulang sandi", + "Password can not be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda", + "Reset password" : "Setel ulang kata sandi", "No" : "Tidak", "Yes" : "Ya", "No files in here" : "Tidak ada berkas disini", @@ -82,11 +82,11 @@ OC.L10N.register( "({count} selected)" : "({count} terpilih)", "Error loading file exists template" : "Kesalahan memuat templat berkas yang sudah ada", "Pending" : "Terutnda", - "Very weak password" : "Sandi sangat lemah", - "Weak password" : "Sandi lemah", - "So-so password" : "Sandi lumayan", - "Good password" : "Sandi baik", - "Strong password" : "Sandi kuat", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", "Error occurred while checking server setup" : "Kesalahan tidak terduga saat memeriksa setelan server", "Shared" : "Dibagikan", "Error setting expiration date" : "Kesalahan saat mengatur tanggal kedaluwarsa", @@ -94,7 +94,7 @@ OC.L10N.register( "Set expiration date" : "Atur tanggal kedaluwarsa", "Expiration" : "Kedaluwarsa", "Expiration date" : "Tanggal kedaluwarsa", - "Choose a password for the public link" : "Tetapkan sandi untuk tautan publik", + "Choose a password for the public link" : "Tetapkan kata sandi untuk tautan publik", "Copied!" : "Tersalin!", "Not supported!" : "Tidak didukung!", "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", @@ -102,7 +102,7 @@ OC.L10N.register( "Resharing is not allowed" : "Berbagi ulang tidak diizinkan", "Share link" : "Bagikan tautan", "Link" : "Tautan", - "Password protect" : "Lindungi dengan sandi", + "Password protect" : "Lindungi dengan kata sandi", "Allow editing" : "Izinkan penyuntingan", "Email link to person" : "Emailkan tautan ini ke orang", "Send" : "Kirim", @@ -184,7 +184,7 @@ OC.L10N.register( "Install and activate additional PHP modules to choose other database types." : "Pasang dan aktifkan modul PHP tambahan untuk memilih tipe basis data lainnya.", "For more details check out the documentation." : "Untuk lebih rinci, periksa pada dokumentasi.", "Database user" : "Pengguna basis data", - "Database password" : "Sandi basis data", + "Database password" : "Kata sandi basis data", "Database name" : "Nama basis data", "Database tablespace" : "Tablespace basis data", "Database host" : "Host basis data", @@ -199,7 +199,7 @@ OC.L10N.register( "See the documentation" : "Lihat dokumentasi", "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Aplikasi ini memerlukan JavaScript untuk dapat beroperasi dengan benar. Mohon {linkstart}aktifkan JavaScript{linkend} dan muat ulang halaman ini.", "Search" : "Cari", - "Confirm your password" : "Konfirmasi sandi anda", + "Confirm your password" : "Konfirmasi kata sandi Anda", "Server side authentication failed!" : "Otentikasi dari sisi server gagal!", "Please contact your administrator." : "Silahkan hubungi administrator anda.", "An internal error occurred." : "Terjadi kesalahan internal.", @@ -209,8 +209,8 @@ OC.L10N.register( "Wrong password." : "Sandi salah.", "Stay logged in" : "Tetap masuk", "Alternative Logins" : "Cara Alternatif untuk Masuk", - "New password" : "Sandi baru", - "New Password" : "Sandi Baru", + "New password" : "Kata sandi baru", + "New Password" : "Kata sandi Baru", "Two-factor authentication" : "Otentikasi Two-factor", "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Keamanan tambahan diaktifkan untuk akun anda. Harap otentikasi menggunakan faktor kedua.", "Cancel log in" : "Batalkan masuk log", @@ -233,7 +233,7 @@ OC.L10N.register( "Thank you for your patience." : "Terima kasih atas kesabaran anda.", "%s (3rdparty)" : "%s (pihak ke-3)", "Problem loading page, reloading in 5 seconds" : "Terjadi masalah dalam memuat laman, mencoba lagi dalam 5 detik", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", + "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah kata sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", "Ok" : "Oke", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Server web Anda belum diatur dengan benar untuk mengizinkan sinkronisasi berkas karena antarmuka WebDAV nampaknya rusak.", "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Server web Anda tidak diatur secara baik untuk menyelesaikan \"{url}\". Informasi selanjutnya bisa ditemukan di dokumentasi kami.", @@ -279,9 +279,9 @@ OC.L10N.register( "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Silahkan hubungi administrator server jika kesalahan ini muncul kembali berulang kali, harap sertakan rincian teknis di bawah ini dalam laporan Anda.", "For information how to properly configure your server, please see the documentation." : "Untuk informasi bagaimana menkonfigurasi server Anda dengan benar, silakan lihat dokumentasi.", "Log out" : "Keluar", - "This action requires you to confirm your password:" : "Aksi ini mengharuskan anda mengkonfirmasi sandi anda:", - "Wrong password. Reset it?" : "Sandi salah. Atur ulang?", - "Use the following link to reset your password: {link}" : "Gunakan tautan berikut untuk menyetel ulang sandi Anda: {link}", + "This action requires you to confirm your password:" : "Aksi ini mengharuskan anda mengkonfirmasi kata sandi anda:", + "Wrong password. Reset it?" : "Kata sandi salah. Atur ulang?", + "Use the following link to reset your password: {link}" : "Gunakan tautan berikut untuk menyetel ulang kata sandi Anda: {link}", "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hai,

hanya memberi tahu jika %s membagikan %s dengan Anda.
Lihat!

", "This Nextcloud instance is currently in single user mode." : "Nextcloud ini sedang dalam mode pengguna tunggal.", "This means only administrators can use the instance." : "Ini berarti hanya administrator yang dapat menggunakan ownCloud.", diff --git a/core/l10n/id.json b/core/l10n/id.json index d4ebc26d05eb2..fe0243bf3ef9e 100644 --- a/core/l10n/id.json +++ b/core/l10n/id.json @@ -12,10 +12,10 @@ "No crop data provided" : "Tidak ada data krop tersedia", "No valid crop data provided" : "Tidak ada data valid untuk dipangkas", "Crop is not square" : "Pangkas ini tidak persegi", - "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang sandi karena token tidak sah", - "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang sandi karena token telah kadaluarsa", + "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang kata sandi karena token tidak sah", + "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang kata sandi karena token telah kadaluarsa", "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Tidak dapat mengirim email karena tidak ada alamat email untuk nama pengguna ini. Silahkan hubungi administrator Anda.", - "%s password reset" : "%s sandi disetel ulang", + "%s password reset" : "%s kata sandi disetel ulang", "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim email setel ulang. Silakan hubungi administrator Anda.", "Couldn't send reset email. Please make sure your username is correct." : "Tidak dapat menyetel ulang email. Mohon pastikan nama pengguna Anda benar.", "Preparing update" : "Mempersiapkan pembaruan", @@ -50,17 +50,17 @@ "Dismiss" : "Buang", "This action requires you to confirm your password" : "Aksi ini membutuhkan konfirmasi kata sandi Anda", "Authentication required" : "Diperlukan otentikasi", - "Password" : "Sandi", + "Password" : "Kata Sandi", "Cancel" : "Batal", "Confirm" : "Konfirmasi", "Failed to authenticate, try again" : "Gagal mengotentikasi, coba lagi", "seconds ago" : "beberapa detik yang lalu", "Logging in …" : "Log masuk...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang kata sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah kata sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", "I know what I'm doing" : "Saya tahu apa yang saya lakukan", - "Password can not be changed. Please contact your administrator." : "Sandi tidak dapat diubah. Silakan hubungi administrator Anda", - "Reset password" : "Setel ulang sandi", + "Password can not be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda", + "Reset password" : "Setel ulang kata sandi", "No" : "Tidak", "Yes" : "Ya", "No files in here" : "Tidak ada berkas disini", @@ -80,11 +80,11 @@ "({count} selected)" : "({count} terpilih)", "Error loading file exists template" : "Kesalahan memuat templat berkas yang sudah ada", "Pending" : "Terutnda", - "Very weak password" : "Sandi sangat lemah", - "Weak password" : "Sandi lemah", - "So-so password" : "Sandi lumayan", - "Good password" : "Sandi baik", - "Strong password" : "Sandi kuat", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", "Error occurred while checking server setup" : "Kesalahan tidak terduga saat memeriksa setelan server", "Shared" : "Dibagikan", "Error setting expiration date" : "Kesalahan saat mengatur tanggal kedaluwarsa", @@ -92,7 +92,7 @@ "Set expiration date" : "Atur tanggal kedaluwarsa", "Expiration" : "Kedaluwarsa", "Expiration date" : "Tanggal kedaluwarsa", - "Choose a password for the public link" : "Tetapkan sandi untuk tautan publik", + "Choose a password for the public link" : "Tetapkan kata sandi untuk tautan publik", "Copied!" : "Tersalin!", "Not supported!" : "Tidak didukung!", "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", @@ -100,7 +100,7 @@ "Resharing is not allowed" : "Berbagi ulang tidak diizinkan", "Share link" : "Bagikan tautan", "Link" : "Tautan", - "Password protect" : "Lindungi dengan sandi", + "Password protect" : "Lindungi dengan kata sandi", "Allow editing" : "Izinkan penyuntingan", "Email link to person" : "Emailkan tautan ini ke orang", "Send" : "Kirim", @@ -182,7 +182,7 @@ "Install and activate additional PHP modules to choose other database types." : "Pasang dan aktifkan modul PHP tambahan untuk memilih tipe basis data lainnya.", "For more details check out the documentation." : "Untuk lebih rinci, periksa pada dokumentasi.", "Database user" : "Pengguna basis data", - "Database password" : "Sandi basis data", + "Database password" : "Kata sandi basis data", "Database name" : "Nama basis data", "Database tablespace" : "Tablespace basis data", "Database host" : "Host basis data", @@ -197,7 +197,7 @@ "See the documentation" : "Lihat dokumentasi", "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Aplikasi ini memerlukan JavaScript untuk dapat beroperasi dengan benar. Mohon {linkstart}aktifkan JavaScript{linkend} dan muat ulang halaman ini.", "Search" : "Cari", - "Confirm your password" : "Konfirmasi sandi anda", + "Confirm your password" : "Konfirmasi kata sandi Anda", "Server side authentication failed!" : "Otentikasi dari sisi server gagal!", "Please contact your administrator." : "Silahkan hubungi administrator anda.", "An internal error occurred." : "Terjadi kesalahan internal.", @@ -207,8 +207,8 @@ "Wrong password." : "Sandi salah.", "Stay logged in" : "Tetap masuk", "Alternative Logins" : "Cara Alternatif untuk Masuk", - "New password" : "Sandi baru", - "New Password" : "Sandi Baru", + "New password" : "Kata sandi baru", + "New Password" : "Kata sandi Baru", "Two-factor authentication" : "Otentikasi Two-factor", "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Keamanan tambahan diaktifkan untuk akun anda. Harap otentikasi menggunakan faktor kedua.", "Cancel log in" : "Batalkan masuk log", @@ -231,7 +231,7 @@ "Thank you for your patience." : "Terima kasih atas kesabaran anda.", "%s (3rdparty)" : "%s (pihak ke-3)", "Problem loading page, reloading in 5 seconds" : "Terjadi masalah dalam memuat laman, mencoba lagi dalam 5 detik", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", + "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah kata sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", "Ok" : "Oke", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Server web Anda belum diatur dengan benar untuk mengizinkan sinkronisasi berkas karena antarmuka WebDAV nampaknya rusak.", "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Server web Anda tidak diatur secara baik untuk menyelesaikan \"{url}\". Informasi selanjutnya bisa ditemukan di dokumentasi kami.", @@ -277,9 +277,9 @@ "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Silahkan hubungi administrator server jika kesalahan ini muncul kembali berulang kali, harap sertakan rincian teknis di bawah ini dalam laporan Anda.", "For information how to properly configure your server, please see the documentation." : "Untuk informasi bagaimana menkonfigurasi server Anda dengan benar, silakan lihat dokumentasi.", "Log out" : "Keluar", - "This action requires you to confirm your password:" : "Aksi ini mengharuskan anda mengkonfirmasi sandi anda:", - "Wrong password. Reset it?" : "Sandi salah. Atur ulang?", - "Use the following link to reset your password: {link}" : "Gunakan tautan berikut untuk menyetel ulang sandi Anda: {link}", + "This action requires you to confirm your password:" : "Aksi ini mengharuskan anda mengkonfirmasi kata sandi anda:", + "Wrong password. Reset it?" : "Kata sandi salah. Atur ulang?", + "Use the following link to reset your password: {link}" : "Gunakan tautan berikut untuk menyetel ulang kata sandi Anda: {link}", "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hai,

hanya memberi tahu jika %s membagikan %s dengan Anda.
Lihat!

", "This Nextcloud instance is currently in single user mode." : "Nextcloud ini sedang dalam mode pengguna tunggal.", "This means only administrators can use the instance." : "Ini berarti hanya administrator yang dapat menggunakan ownCloud.", diff --git a/core/l10n/sr.js b/core/l10n/sr.js index 60b8723a05b70..b0a9bdb91cc81 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Претражи контакте ...", "No contacts found" : "Контакти нису нађени", "Show all contacts …" : "Прикажи све контакте ...", + "Could not load your contacts" : "Не могу да учитам Ваше контакте", "Loading your contacts …" : "Учитавам контакте ...", "Looking for {term} …" : "Тражим {term} …", "There were problems with the code integrity check. More information…" : "Догодила се грешка приликом провере интегритета кода. Више информација...", diff --git a/core/l10n/sr.json b/core/l10n/sr.json index 6c7d3c753a8e5..735b6d89b5725 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -54,6 +54,7 @@ "Search contacts …" : "Претражи контакте ...", "No contacts found" : "Контакти нису нађени", "Show all contacts …" : "Прикажи све контакте ...", + "Could not load your contacts" : "Не могу да учитам Ваше контакте", "Loading your contacts …" : "Учитавам контакте ...", "Looking for {term} …" : "Тражим {term} …", "There were problems with the code integrity check. More information…" : "Догодила се грешка приликом провере интегритета кода. Више информација...", diff --git a/settings/l10n/id.js b/settings/l10n/id.js index a71549d661da5..d47a3206eeb89 100644 --- a/settings/l10n/id.js +++ b/settings/l10n/id.js @@ -8,12 +8,12 @@ OC.L10N.register( "Your apps" : "Aplikasi anda", "Enabled apps" : "Aktifkan Aplikasi", "Disabled apps" : "Matikan Aplikasi", - "Wrong password" : "Sandi salah", + "Wrong password" : "Kata sandi salah", "Saved" : "Disimpan", "No user supplied" : "Tidak ada pengguna yang diberikan", - "Unable to change password" : "Tidak dapat mengubah sandi", + "Unable to change password" : "Tidak dapat mengubah kata sandi", "Authentication error" : "Terjadi kesalahan saat otentikasi", - "Wrong admin recovery password. Please check the password and try again." : "Sandi pemulihan admin salah. Periksa sandi dan ulangi kembali.", + "Wrong admin recovery password. Please check the password and try again." : "Kata sandi pemulihan admin salah. Periksa kata sandi dan ulangi kembali.", "installing and updating apps via the app store or Federated Cloud Sharing" : "memasang dan memperbarui aplikasi via toko aplikasi atau Federated Cloud Sharing", "Federated Cloud Sharing" : "Federated Cloud Sharing", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL menggunakan versi lawas %s (%s). Silakan perbarui sistem operasi Anda atau fitur-fitur seperti %s tidak akan dapat bekerja dengan benar.", @@ -90,11 +90,11 @@ OC.L10N.register( "Verify" : "Verifikasi", "Verifying …" : "Sedang memferivikasi...", "Select a profile picture" : "Pilih foto profil", - "Very weak password" : "Sandi sangat lemah", - "Weak password" : "Sandi lemah", - "So-so password" : "Sandi lumayan", - "Good password" : "Sandi baik", - "Strong password" : "Sandi kuat", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", "Groups" : "Grup", "Unable to delete {objName}" : "Tidak dapat menghapus {objName}", "Error creating group: {message}" : "Kesalahan membuat grup: {message}", @@ -109,7 +109,7 @@ OC.L10N.register( "Changing the password will result in data loss, because data recovery is not available for this user" : "Pengubahan kata sandi akan ditampilkan di data kehilangan, karena data pemulihan tidak tersedia bagi pengguna ini", "A valid username must be provided" : "Harus memberikan nama pengguna yang benar", "Error creating user: {message}" : "Gagal membuat pengguna: {message}", - "A valid password must be provided" : "Harus memberikan sandi yang benar", + "A valid password must be provided" : "Harus memberikan kata sandi yang benar", "A valid email must be provided" : "Email yang benar harus diberikan", "Developer documentation" : "Dokumentasi pengembang", "by %s" : "oleh %s", @@ -152,7 +152,7 @@ OC.L10N.register( "Port" : "Port", "Credentials" : "Kredensial", "SMTP Username" : "Nama pengguna SMTP", - "SMTP Password" : "Sandi SMTP", + "SMTP Password" : "Kata sandi SMTP", "Store credentials" : "Simpan kredensial", "Test email settings" : "Pengaturan email percobaan", "Send email" : "Kirim email", @@ -216,17 +216,17 @@ OC.L10N.register( "You are member of the following groups:" : "Anda adalah anggota dari grup berikut:", "Language" : "Bahasa", "Help translate" : "Bantu menerjemahkan", - "Password" : "Sandi", - "Current password" : "Sandi saat ini", - "New password" : "Sandi baru", - "Change password" : "Ubah sandi", + "Password" : "Kata sandi", + "Current password" : "Kata sandi saat ini", + "New password" : "Kata sandi baru", + "Change password" : "Ubah kata sandi", "Web, desktop and mobile clients currently logged in to your account." : "Klien web, desktop dan mobile yang sedang login di akun Anda.", "Device" : "Perangkat", "Last activity" : "Aktivitas terakhir", "App name" : "Nama aplikasi", - "Create new app password" : "Buat sandi aplikasi baru", + "Create new app password" : "Buat kata sandi aplikasi baru", "Use the credentials below to configure your app or device." : "Gunakan kredensial berikut untuk mengkonfigurasi aplikasi atau perangkat.", - "For security reasons this password will only be shown once." : "Untuk alasan keamanan sandi ini akan ditunjukkan hanya sekali.", + "For security reasons this password will only be shown once." : "Untuk alasan keamanan kata sandi ini akan ditunjukkan hanya sekali.", "Username" : "Nama pengguna", "Done" : "Selesai", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Dikembangkan oleh {commmunityopen}komunitas Nextcloud{linkclose}, {githubopen}sumber kode{linkclose} dilisensikan dibawah {licenseopen}AGPL{linkclose}.", @@ -236,8 +236,8 @@ OC.L10N.register( "Send email to new user" : "Kirim email kepada pengguna baru", "E-Mail" : "E-Mail", "Create" : "Buat", - "Admin Recovery Password" : "Sandi pemulihan Admin", - "Enter the recovery password in order to recover the users files during password change" : "Masukkan sandi pemulihan untuk memulihkan berkas pengguna saat penggantian sandi", + "Admin Recovery Password" : "Kata Sandi Pemulihan Admin", + "Enter the recovery password in order to recover the users files during password change" : "Masukkan kata sandi pemulihan untuk memulihkan berkas pengguna saat penggantian kata sandi", "Everyone" : "Semua orang", "Admins" : "Admin", "Default quota" : "Kuota standar", @@ -250,13 +250,13 @@ OC.L10N.register( "User backend" : "Backend pengguna", "Last login" : "Log masuk terakhir", "change full name" : "ubah nama lengkap", - "set new password" : "setel sandi baru", + "set new password" : "setel kata sandi baru", "change email address" : "ubah alamat email", "Default" : "Default", "Enabled" : "Diaktifkan", "Not enabled" : "Tidak diaktifkan", - "Please provide an admin recovery password, otherwise all user data will be lost" : "Mohon sediakan sandi pemulihan admin, jika tidak semua data pengguna akan terhapus", - "Backend doesn't support password change, but the user's encryption key was successfully updated." : "Backend tidak mendukung pengubahan sandi, tapi kunci enkripsi pengguna berhasil diperbarui.", + "Please provide an admin recovery password, otherwise all user data will be lost" : "Mohon sediakan kata sandi pemulihan admin, jika tidak semua data pengguna akan terhapus", + "Backend doesn't support password change, but the user's encryption key was successfully updated." : "Backend tidak mendukung pengubahan kata sandi, tapi kunci enkripsi pengguna berhasil diperbarui.", "test email settings" : "pengaturan email percobaan", "Invalid request" : "Permintaan tidak valid", "Admins can't remove themself from the admin group" : "Admin tidak dapat menghapus dirinya sendiri dari grup admin", @@ -274,7 +274,7 @@ OC.L10N.register( "__language_name__" : "Bahasa Indonesia", "Personal info" : "Info pribadi", "Sessions" : "Sesi", - "App passwords" : "Sandi aplikasi", + "App passwords" : "Kata sandi aplikasi", "Sync clients" : "Klien sync", "This is used for sending out notifications." : "Ini digunakan untuk mengirim notifikasi keluar.", "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "kelihatannya php tidak diatur dengan benar untuk variabel lingkungan sistem kueri. Pemeriksaan dengan getenv(\"PATH\") hanya mengembalikan respon kosong.", @@ -296,7 +296,7 @@ OC.L10N.register( "Allow username autocompletion in share dialog. If this is disabled the full username needs to be entered." : "Izinkan penyelesai otomatis pada nama pengguna di jendela dialog berbagi. Jika ini dinonaktifkan, nama pengguna utuh perlu dimasukkan.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Untuk migrasi ke database lain, gunakan alat command line: 'occ db:convert-type', atau lihat dokumentasi ↗.", "Cheers!" : "Horee!", - "For password recovery and notifications" : "Untuk pemulihan sandi dan pemberitahuan", + "For password recovery and notifications" : "Untuk pemulihan kata sandi dan pemberitahuan", "Get the apps to sync your files" : "Dapatkan aplikasi untuk sinkronisasi berkas Anda", "Desktop client" : "Klien desktop", "Android app" : "Aplikasi Android", diff --git a/settings/l10n/id.json b/settings/l10n/id.json index 44ede077bb770..fa7c9d3e6a9be 100644 --- a/settings/l10n/id.json +++ b/settings/l10n/id.json @@ -6,12 +6,12 @@ "Your apps" : "Aplikasi anda", "Enabled apps" : "Aktifkan Aplikasi", "Disabled apps" : "Matikan Aplikasi", - "Wrong password" : "Sandi salah", + "Wrong password" : "Kata sandi salah", "Saved" : "Disimpan", "No user supplied" : "Tidak ada pengguna yang diberikan", - "Unable to change password" : "Tidak dapat mengubah sandi", + "Unable to change password" : "Tidak dapat mengubah kata sandi", "Authentication error" : "Terjadi kesalahan saat otentikasi", - "Wrong admin recovery password. Please check the password and try again." : "Sandi pemulihan admin salah. Periksa sandi dan ulangi kembali.", + "Wrong admin recovery password. Please check the password and try again." : "Kata sandi pemulihan admin salah. Periksa kata sandi dan ulangi kembali.", "installing and updating apps via the app store or Federated Cloud Sharing" : "memasang dan memperbarui aplikasi via toko aplikasi atau Federated Cloud Sharing", "Federated Cloud Sharing" : "Federated Cloud Sharing", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL menggunakan versi lawas %s (%s). Silakan perbarui sistem operasi Anda atau fitur-fitur seperti %s tidak akan dapat bekerja dengan benar.", @@ -88,11 +88,11 @@ "Verify" : "Verifikasi", "Verifying …" : "Sedang memferivikasi...", "Select a profile picture" : "Pilih foto profil", - "Very weak password" : "Sandi sangat lemah", - "Weak password" : "Sandi lemah", - "So-so password" : "Sandi lumayan", - "Good password" : "Sandi baik", - "Strong password" : "Sandi kuat", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", "Groups" : "Grup", "Unable to delete {objName}" : "Tidak dapat menghapus {objName}", "Error creating group: {message}" : "Kesalahan membuat grup: {message}", @@ -107,7 +107,7 @@ "Changing the password will result in data loss, because data recovery is not available for this user" : "Pengubahan kata sandi akan ditampilkan di data kehilangan, karena data pemulihan tidak tersedia bagi pengguna ini", "A valid username must be provided" : "Harus memberikan nama pengguna yang benar", "Error creating user: {message}" : "Gagal membuat pengguna: {message}", - "A valid password must be provided" : "Harus memberikan sandi yang benar", + "A valid password must be provided" : "Harus memberikan kata sandi yang benar", "A valid email must be provided" : "Email yang benar harus diberikan", "Developer documentation" : "Dokumentasi pengembang", "by %s" : "oleh %s", @@ -150,7 +150,7 @@ "Port" : "Port", "Credentials" : "Kredensial", "SMTP Username" : "Nama pengguna SMTP", - "SMTP Password" : "Sandi SMTP", + "SMTP Password" : "Kata sandi SMTP", "Store credentials" : "Simpan kredensial", "Test email settings" : "Pengaturan email percobaan", "Send email" : "Kirim email", @@ -214,17 +214,17 @@ "You are member of the following groups:" : "Anda adalah anggota dari grup berikut:", "Language" : "Bahasa", "Help translate" : "Bantu menerjemahkan", - "Password" : "Sandi", - "Current password" : "Sandi saat ini", - "New password" : "Sandi baru", - "Change password" : "Ubah sandi", + "Password" : "Kata sandi", + "Current password" : "Kata sandi saat ini", + "New password" : "Kata sandi baru", + "Change password" : "Ubah kata sandi", "Web, desktop and mobile clients currently logged in to your account." : "Klien web, desktop dan mobile yang sedang login di akun Anda.", "Device" : "Perangkat", "Last activity" : "Aktivitas terakhir", "App name" : "Nama aplikasi", - "Create new app password" : "Buat sandi aplikasi baru", + "Create new app password" : "Buat kata sandi aplikasi baru", "Use the credentials below to configure your app or device." : "Gunakan kredensial berikut untuk mengkonfigurasi aplikasi atau perangkat.", - "For security reasons this password will only be shown once." : "Untuk alasan keamanan sandi ini akan ditunjukkan hanya sekali.", + "For security reasons this password will only be shown once." : "Untuk alasan keamanan kata sandi ini akan ditunjukkan hanya sekali.", "Username" : "Nama pengguna", "Done" : "Selesai", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Dikembangkan oleh {commmunityopen}komunitas Nextcloud{linkclose}, {githubopen}sumber kode{linkclose} dilisensikan dibawah {licenseopen}AGPL{linkclose}.", @@ -234,8 +234,8 @@ "Send email to new user" : "Kirim email kepada pengguna baru", "E-Mail" : "E-Mail", "Create" : "Buat", - "Admin Recovery Password" : "Sandi pemulihan Admin", - "Enter the recovery password in order to recover the users files during password change" : "Masukkan sandi pemulihan untuk memulihkan berkas pengguna saat penggantian sandi", + "Admin Recovery Password" : "Kata Sandi Pemulihan Admin", + "Enter the recovery password in order to recover the users files during password change" : "Masukkan kata sandi pemulihan untuk memulihkan berkas pengguna saat penggantian kata sandi", "Everyone" : "Semua orang", "Admins" : "Admin", "Default quota" : "Kuota standar", @@ -248,13 +248,13 @@ "User backend" : "Backend pengguna", "Last login" : "Log masuk terakhir", "change full name" : "ubah nama lengkap", - "set new password" : "setel sandi baru", + "set new password" : "setel kata sandi baru", "change email address" : "ubah alamat email", "Default" : "Default", "Enabled" : "Diaktifkan", "Not enabled" : "Tidak diaktifkan", - "Please provide an admin recovery password, otherwise all user data will be lost" : "Mohon sediakan sandi pemulihan admin, jika tidak semua data pengguna akan terhapus", - "Backend doesn't support password change, but the user's encryption key was successfully updated." : "Backend tidak mendukung pengubahan sandi, tapi kunci enkripsi pengguna berhasil diperbarui.", + "Please provide an admin recovery password, otherwise all user data will be lost" : "Mohon sediakan kata sandi pemulihan admin, jika tidak semua data pengguna akan terhapus", + "Backend doesn't support password change, but the user's encryption key was successfully updated." : "Backend tidak mendukung pengubahan kata sandi, tapi kunci enkripsi pengguna berhasil diperbarui.", "test email settings" : "pengaturan email percobaan", "Invalid request" : "Permintaan tidak valid", "Admins can't remove themself from the admin group" : "Admin tidak dapat menghapus dirinya sendiri dari grup admin", @@ -272,7 +272,7 @@ "__language_name__" : "Bahasa Indonesia", "Personal info" : "Info pribadi", "Sessions" : "Sesi", - "App passwords" : "Sandi aplikasi", + "App passwords" : "Kata sandi aplikasi", "Sync clients" : "Klien sync", "This is used for sending out notifications." : "Ini digunakan untuk mengirim notifikasi keluar.", "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "kelihatannya php tidak diatur dengan benar untuk variabel lingkungan sistem kueri. Pemeriksaan dengan getenv(\"PATH\") hanya mengembalikan respon kosong.", @@ -294,7 +294,7 @@ "Allow username autocompletion in share dialog. If this is disabled the full username needs to be entered." : "Izinkan penyelesai otomatis pada nama pengguna di jendela dialog berbagi. Jika ini dinonaktifkan, nama pengguna utuh perlu dimasukkan.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Untuk migrasi ke database lain, gunakan alat command line: 'occ db:convert-type', atau lihat dokumentasi ↗.", "Cheers!" : "Horee!", - "For password recovery and notifications" : "Untuk pemulihan sandi dan pemberitahuan", + "For password recovery and notifications" : "Untuk pemulihan kata sandi dan pemberitahuan", "Get the apps to sync your files" : "Dapatkan aplikasi untuk sinkronisasi berkas Anda", "Desktop client" : "Klien desktop", "Android app" : "Aplikasi Android", From 7ab3a7e2c34658668fc7f4cf4511d963623edcf8 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Wed, 24 Jan 2018 17:22:05 +0100 Subject: [PATCH 039/251] Use S3Client::upload instead of splitting single/multipart upload ourselves Signed-off-by: Robin Appelman --- .../Files/ObjectStore/S3ObjectTrait.php | 45 +------------------ tests/lib/Files/ObjectStore/S3Test.php | 17 ++++--- 2 files changed, 14 insertions(+), 48 deletions(-) diff --git a/lib/private/Files/ObjectStore/S3ObjectTrait.php b/lib/private/Files/ObjectStore/S3ObjectTrait.php index 9c5cf9ccc6cb3..defeda4c21ad7 100644 --- a/lib/private/Files/ObjectStore/S3ObjectTrait.php +++ b/lib/private/Files/ObjectStore/S3ObjectTrait.php @@ -75,51 +75,10 @@ function readObject($urn) { * @since 7.0.0 */ function writeObject($urn, $stream) { - $stat = fstat($stream); - - if ($stat['size'] && $stat['size'] < S3_UPLOAD_PART_SIZE) { - $this->singlePartUpload($urn, $stream); - } else { - $this->multiPartUpload($urn, $stream); - } - - } - - protected function singlePartUpload($urn, $stream) { - $this->getConnection()->putObject([ - 'Bucket' => $this->bucket, - 'Key' => $urn, - 'Body' => $stream - ]); - } - - protected function multiPartUpload($urn, $stream) { - $uploader = new MultipartUploader($this->getConnection(), $stream, [ - 'bucket' => $this->bucket, - 'key' => $urn, + $this->getConnection()->upload($this->bucket, $urn, $stream, 'private', [ + 'mup_threshold' => S3_UPLOAD_PART_SIZE, 'part_size' => S3_UPLOAD_PART_SIZE ]); - - $tries = 0; - - do { - try { - $result = $uploader->upload(); - } catch (MultipartUploadException $e) { - \OC::$server->getLogger()->logException($e); - rewind($stream); - $tries++; - - if ($tries < 5) { - $uploader = new MultipartUploader($this->getConnection(), $stream, [ - 'state' => $e->getState() - ]); - } else { - $this->getConnection()->abortMultipartUpload($e->getState()->getId()); - throw $e; - } - } - } while (!isset($result) && $tries < 5); } /** diff --git a/tests/lib/Files/ObjectStore/S3Test.php b/tests/lib/Files/ObjectStore/S3Test.php index 14167656fb50c..a54ade8fd086e 100644 --- a/tests/lib/Files/ObjectStore/S3Test.php +++ b/tests/lib/Files/ObjectStore/S3Test.php @@ -24,8 +24,10 @@ use OC\Files\ObjectStore\S3; class MultiPartUploadS3 extends S3 { - public function multiPartUpload($urn, $stream) { - parent::multiPartUpload($urn, $stream); + function writeObject($urn, $stream) { + $this->getConnection()->upload($this->bucket, $urn, $stream, 'private', [ + 'mup_threshold' => 1 + ]); } } @@ -39,13 +41,18 @@ protected function getInstance() { $this->markTestSkipped('objectstore not configured for s3'); } - return new MultiPartUploadS3($config['arguments']); + return new S3($config['arguments']); } public function testMultiPartUploader() { - $s3 = $this->getInstance(); + $config = \OC::$server->getConfig()->getSystemValue('objectstore'); + if (!is_array($config) || $config['class'] !== 'OC\\Files\\ObjectStore\\S3') { + $this->markTestSkipped('objectstore not configured for s3'); + } + + $s3 = new MultiPartUploadS3($config['arguments']); - $s3->multiPartUpload('multiparttest', fopen(__FILE__, 'r')); + $s3->writeObject('multiparttest', fopen(__FILE__, 'r')); $result = $s3->readObject('multiparttest'); From c30e958dacf69a1a55c19362ac3f575ad7fb227e Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Tue, 30 Jan 2018 01:11:20 +0000 Subject: [PATCH 040/251] [tx-robot] updated from transifex --- apps/dav/l10n/sk.js | 4 +++- apps/dav/l10n/sk.json | 4 +++- apps/files/l10n/sk.js | 3 +++ apps/files/l10n/sk.json | 3 +++ 4 files changed, 12 insertions(+), 2 deletions(-) diff --git a/apps/dav/l10n/sk.js b/apps/dav/l10n/sk.js index 167a3f5e05379..59bd102066acd 100644 --- a/apps/dav/l10n/sk.js +++ b/apps/dav/l10n/sk.js @@ -57,6 +57,8 @@ OC.L10N.register( "Request ID: %s" : "ID požiadavky: %s", "CalDAV server" : "Server CalDAV", "Send invitations to attendees" : "Odoslanie pozvánok účastníkom", - "Please make sure to properly set up the email settings above." : "Uistite sa, že máte správne nastavené vyššie uvedené nastavenia e-mailu." + "Please make sure to properly set up the email settings above." : "Uistite sa, že máte správne nastavené vyššie uvedené nastavenia e-mailu.", + "Automatically generate a birthday calendar" : "Automaticky generovať narodeninový kalendár", + "Birthday calendars will be generated by a background job." : "Narodeninové kalendáre budú generované úlohou na pozadí." }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/dav/l10n/sk.json b/apps/dav/l10n/sk.json index ffb75e0e49fa1..6e13d51b12c5e 100644 --- a/apps/dav/l10n/sk.json +++ b/apps/dav/l10n/sk.json @@ -55,6 +55,8 @@ "Request ID: %s" : "ID požiadavky: %s", "CalDAV server" : "Server CalDAV", "Send invitations to attendees" : "Odoslanie pozvánok účastníkom", - "Please make sure to properly set up the email settings above." : "Uistite sa, že máte správne nastavené vyššie uvedené nastavenia e-mailu." + "Please make sure to properly set up the email settings above." : "Uistite sa, že máte správne nastavené vyššie uvedené nastavenia e-mailu.", + "Automatically generate a birthday calendar" : "Automaticky generovať narodeninový kalendár", + "Birthday calendars will be generated by a background job." : "Narodeninové kalendáre budú generované úlohou na pozadí." },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files/l10n/sk.js b/apps/files/l10n/sk.js index 5ebd9fc168ba8..be934c0533362 100644 --- a/apps/files/l10n/sk.js +++ b/apps/files/l10n/sk.js @@ -19,6 +19,7 @@ OC.L10N.register( "Uploading …" : "Nahrávanie...", "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} z {totalSize} ({bitrate})", + "Target folder does not exist any more" : "Cieľový priečinok už neexistuje", "Actions" : "Akcie", "Download" : "Sťahovanie", "Rename" : "Premenovať", @@ -60,6 +61,8 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "Nemáte oprávnenie sem nahrávať alebo vytvoriť súbory", "_Uploading %n file_::_Uploading %n files_" : ["Nahrávam %n súbor","Nahrávam %n súbory","Nahrávam %n súborov"], "New" : "Nový", + "{used} of {quota} used" : "použitých {used} z {quota}", + "{used} used" : "{used} použitých", "\"{name}\" is an invalid file name." : "\"{name}\" je neplatné meno súboru.", "File name cannot be empty." : "Meno súboru nemôže byť prázdne", "\"{name}\" is not an allowed filetype" : "\"{name}\" nie je povolený typ súboru", diff --git a/apps/files/l10n/sk.json b/apps/files/l10n/sk.json index 19d7d7b72c476..70f567b055c91 100644 --- a/apps/files/l10n/sk.json +++ b/apps/files/l10n/sk.json @@ -17,6 +17,7 @@ "Uploading …" : "Nahrávanie...", "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} z {totalSize} ({bitrate})", + "Target folder does not exist any more" : "Cieľový priečinok už neexistuje", "Actions" : "Akcie", "Download" : "Sťahovanie", "Rename" : "Premenovať", @@ -58,6 +59,8 @@ "You don’t have permission to upload or create files here" : "Nemáte oprávnenie sem nahrávať alebo vytvoriť súbory", "_Uploading %n file_::_Uploading %n files_" : ["Nahrávam %n súbor","Nahrávam %n súbory","Nahrávam %n súborov"], "New" : "Nový", + "{used} of {quota} used" : "použitých {used} z {quota}", + "{used} used" : "{used} použitých", "\"{name}\" is an invalid file name." : "\"{name}\" je neplatné meno súboru.", "File name cannot be empty." : "Meno súboru nemôže byť prázdne", "\"{name}\" is not an allowed filetype" : "\"{name}\" nie je povolený typ súboru", From f924a6d7d940bc625a4c0cf58a7953137e1cb3c4 Mon Sep 17 00:00:00 2001 From: Roeland Jago Douma Date: Tue, 30 Jan 2018 12:25:49 +0100 Subject: [PATCH 041/251] Only handle encrypted property on folders Exposing the encrypted property is required for E2E. However, there is no need to expose this on files as then it is server side encryption (which the clients don't care about). Better to not confuse the output. Signed-off-by: Roeland Jago Douma --- apps/dav/lib/Connector/Sabre/FilesPlugin.php | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/apps/dav/lib/Connector/Sabre/FilesPlugin.php b/apps/dav/lib/Connector/Sabre/FilesPlugin.php index a3a0893259b6f..f36ebe5636cb8 100644 --- a/apps/dav/lib/Connector/Sabre/FilesPlugin.php +++ b/apps/dav/lib/Connector/Sabre/FilesPlugin.php @@ -339,11 +339,6 @@ public function handleGetProperties(PropFind $propFind, \Sabre\DAV\INode $node) } }); - $propFind->handle(self::IS_ENCRYPTED_PROPERTYNAME, function() use ($node) { - $result = $node->getFileInfo()->isEncrypted() ? '1' : '0'; - return $result; - }); - $propFind->handle(self::HAS_PREVIEW_PROPERTYNAME, function () use ($node) { return json_encode($this->previewManager->isAvailable($node->getFileInfo())); }); @@ -392,6 +387,10 @@ public function handleGetProperties(PropFind $propFind, \Sabre\DAV\INode $node) $propFind->handle(self::SIZE_PROPERTYNAME, function() use ($node) { return $node->getSize(); }); + + $propFind->handle(self::IS_ENCRYPTED_PROPERTYNAME, function() use ($node) { + return $node->getFileInfo()->isEncrypted() ? '1' : '0'; + }); } } From fb119699160a87ca9af5973b4f94be38a8391d98 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Wed, 31 Jan 2018 01:11:04 +0000 Subject: [PATCH 042/251] [tx-robot] updated from transifex --- apps/user_ldap/l10n/sk.js | 1 + apps/user_ldap/l10n/sk.json | 1 + core/l10n/es_AR.js | 2 +- core/l10n/es_AR.json | 2 +- 4 files changed, 4 insertions(+), 2 deletions(-) diff --git a/apps/user_ldap/l10n/sk.js b/apps/user_ldap/l10n/sk.js index 0abdc64532787..847c93cc1774f 100644 --- a/apps/user_ldap/l10n/sk.js +++ b/apps/user_ldap/l10n/sk.js @@ -96,6 +96,7 @@ OC.L10N.register( "Saving" : "Ukladá sa", "Back" : "Späť", "Continue" : "Pokračovať", + "An internal error occurred." : "Nastala interná chyba.", "New password" : "Nové heslo", "Wrong password." : "Nesprávne heslo.", "Cancel" : "Zrušiť", diff --git a/apps/user_ldap/l10n/sk.json b/apps/user_ldap/l10n/sk.json index 3ecf301e2ed81..e342e934e67d3 100644 --- a/apps/user_ldap/l10n/sk.json +++ b/apps/user_ldap/l10n/sk.json @@ -94,6 +94,7 @@ "Saving" : "Ukladá sa", "Back" : "Späť", "Continue" : "Pokračovať", + "An internal error occurred." : "Nastala interná chyba.", "New password" : "Nové heslo", "Wrong password." : "Nesprávne heslo.", "Cancel" : "Zrušiť", diff --git a/core/l10n/es_AR.js b/core/l10n/es_AR.js index 35250e41e2eaa..e83fc59dd8db6 100644 --- a/core/l10n/es_AR.js +++ b/core/l10n/es_AR.js @@ -112,7 +112,7 @@ OC.L10N.register( "Expiration" : "Expiración", "Expiration date" : "Fecha de expiración", "Choose a password for the public link" : "Seleccione una contraseña para el link público", - "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro 
\"", + "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro\"", "Copied!" : "¡Copiado!", "Not supported!" : "¡No está soportado!", "Press ⌘-C to copy." : "Presione ⌘-C para copiar.", diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json index 42fd499096383..a23b87c0508be 100644 --- a/core/l10n/es_AR.json +++ b/core/l10n/es_AR.json @@ -110,7 +110,7 @@ "Expiration" : "Expiración", "Expiration date" : "Fecha de expiración", "Choose a password for the public link" : "Seleccione una contraseña para el link público", - "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro 
\"", + "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro\"", "Copied!" : "¡Copiado!", "Not supported!" : "¡No está soportado!", "Press ⌘-C to copy." : "Presione ⌘-C para copiar.", From 22c083b58a8524567e717a16db86e9690b247275 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?John=20Molakvo=C3=A6=20=28skjnldsv=29?= Date: Wed, 31 Jan 2018 14:51:27 +0100 Subject: [PATCH 043/251] Fixed app navigation flex margins MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: John Molakvoæ (skjnldsv) --- core/css/apps.scss | 35 +++++++++-------------------------- 1 file changed, 9 insertions(+), 26 deletions(-) diff --git a/core/css/apps.scss b/core/css/apps.scss index 41eea3bb524c8..a92db4ed4abe9 100644 --- a/core/css/apps.scss +++ b/core/css/apps.scss @@ -118,7 +118,6 @@ kbd { } } - > a, > .app-navigation-entry-deleted { /* Ugly hack for overriding the main entry link */ padding-left: 44px !important; @@ -161,13 +160,14 @@ kbd { /* Second level nesting for lists */ > ul { - flex: 1 0 100%; - padding-left: 62px; - width: inherit; + flex: 0 1 auto; + padding-left: 44px; + width: 100%; transition: max-height 2000ms ease-in-out, opacity 250ms ease-in-out; max-height: 9999px; opacity: 1; + position: relative; > li { display: inline-flex; flex-wrap: wrap; @@ -183,19 +183,7 @@ kbd { /* align loader */ &.icon-loading-small:after { - left: -10px; - } - - /* Submenu fix for icon */ - > a[class*='icon-'], - > a[style*='background-image'], - .app-navigation-entry-bullet { - margin-left: -32px; /* 44px padding - 12px padding */ - } - - /* Submenu fix for bullet */ - > .app-navigation-entry-bullet { - left: -32px;/* 44px padding - 12px padding */ + left: 22px; /* 44px / 2 */ } } } @@ -210,6 +198,7 @@ kbd { &.icon-loading-small { > a, > .app-navigation-entry-bullet { + /* hide icon or bullet if loading state*/ background: none !important; } } @@ -222,7 +211,7 @@ kbd { justify-content: space-between; line-height: 44px; min-height: 44px; - padding: 0 12px; + padding: 0 12px 0 44px; overflow: hidden; box-sizing: border-box; white-space: nowrap; @@ -230,7 +219,7 @@ kbd { color: $color-main-text; opacity: .57; flex: 1 1 0; - z-index: 100; /* above the bullet */ + z-index: 100; /* above the bullet to allow click*/ /* TODO: forbid using img as icon in menu? */ &:first-child img { margin-right: 11px; @@ -260,12 +249,6 @@ kbd { cursor: pointer; } - /* padding in case of icon or bullet */ - > a[class*='icon-'], - > a[style*='background-image'] { - padding-left: 44px; - } - /* popover fix the flex positionning of the li parent */ > .app-navigation-entry-menu { top: 44px; @@ -467,7 +450,7 @@ kbd { */ .app-navigation-entry-deleted { display: inline-flex; - padding-left: 12px; + padding-left: 44px; transform: translateX(250px); .app-navigation-entry-deleted-description { position: relative; From 119de6467fd39938e79a7c96a16e25aba562172a Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Wed, 31 Jan 2018 13:13:14 +0100 Subject: [PATCH 044/251] Create the migrations table also with the UTF8mb4 collation Signed-off-by: Joas Schilling --- lib/private/DB/MigrationService.php | 22 ++++++++++------------ 1 file changed, 10 insertions(+), 12 deletions(-) diff --git a/lib/private/DB/MigrationService.php b/lib/private/DB/MigrationService.php index 5e2c7e69ee9e9..9afe231b3261f 100644 --- a/lib/private/DB/MigrationService.php +++ b/lib/private/DB/MigrationService.php @@ -130,22 +130,20 @@ private function createMigrationTable() { // Drop the table, when it didn't match our expectations. $this->connection->dropTable('migrations'); + + // Recreate the schema after the table was dropped. + $schema = new SchemaWrapper($this->connection); + } catch (SchemaException $e) { // Table not found, no need to panic, we will create it. } - $tableName = $this->connection->getPrefix() . 'migrations'; - $tableName = $this->connection->getDatabasePlatform()->quoteIdentifier($tableName); - - $columns = [ - 'app' => new Column($this->connection->getDatabasePlatform()->quoteIdentifier('app'), Type::getType('string'), ['length' => 255]), - 'version' => new Column($this->connection->getDatabasePlatform()->quoteIdentifier('version'), Type::getType('string'), ['length' => 255]), - ]; - $table = new Table($tableName, $columns); - $table->setPrimaryKey([ - $this->connection->getDatabasePlatform()->quoteIdentifier('app'), - $this->connection->getDatabasePlatform()->quoteIdentifier('version')]); - $this->connection->getSchemaManager()->createTable($table); + $table = $schema->createTable('migrations'); + $table->addColumn('app', Type::STRING, ['length' => 255]); + $table->addColumn('version', Type::STRING, ['length' => 255]); + $table->setPrimaryKey(['app', 'version']); + + $this->connection->migrateToSchema($schema->getWrappedSchema()); $this->migrationTableCreated = true; From 2cc1cdba6ff084848c90f1137f4157346dfbdc68 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 31 Jan 2018 15:52:08 +0100 Subject: [PATCH 045/251] 13.0.0 RC 4 Signed-off-by: Morris Jobke --- version.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/version.php b/version.php index 4410e545825da..f7a8d3d9e805e 100644 --- a/version.php +++ b/version.php @@ -29,10 +29,10 @@ // between betas, final and RCs. This is _not_ the public version number. Reset minor/patchlevel // when updating major/minor version number. -$OC_Version = array(13, 0, 0, 12); +$OC_Version = array(13, 0, 0, 13); // The human readable string -$OC_VersionString = '13.0.0 RC 3'; +$OC_VersionString = '13.0.0 RC 4'; $OC_VersionCanBeUpgradedFrom = [ 'nextcloud' => [ From 2e6e969fbcc3835a23461a99ca332752898c5f70 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Thu, 1 Feb 2018 01:11:06 +0000 Subject: [PATCH 046/251] [tx-robot] updated from transifex --- core/l10n/ko.js | 1 + core/l10n/ko.json | 1 + lib/l10n/ast.js | 2 +- lib/l10n/ast.json | 2 +- lib/l10n/cs.js | 4 ++-- lib/l10n/cs.json | 4 ++-- lib/l10n/de.js | 4 ++-- lib/l10n/de.json | 4 ++-- lib/l10n/de_DE.js | 4 ++-- lib/l10n/de_DE.json | 4 ++-- lib/l10n/el.js | 4 ++-- lib/l10n/el.json | 4 ++-- lib/l10n/en_GB.js | 4 ++-- lib/l10n/en_GB.json | 4 ++-- lib/l10n/es.js | 4 ++-- lib/l10n/es.json | 4 ++-- lib/l10n/es_419.js | 4 ++-- lib/l10n/es_419.json | 4 ++-- lib/l10n/es_AR.js | 4 ++-- lib/l10n/es_AR.json | 4 ++-- lib/l10n/es_CL.js | 4 ++-- lib/l10n/es_CL.json | 4 ++-- lib/l10n/es_CO.js | 4 ++-- lib/l10n/es_CO.json | 4 ++-- lib/l10n/es_CR.js | 4 ++-- lib/l10n/es_CR.json | 4 ++-- lib/l10n/es_DO.js | 4 ++-- lib/l10n/es_DO.json | 4 ++-- lib/l10n/es_EC.js | 4 ++-- lib/l10n/es_EC.json | 4 ++-- lib/l10n/es_GT.js | 4 ++-- lib/l10n/es_GT.json | 4 ++-- lib/l10n/es_HN.js | 4 ++-- lib/l10n/es_HN.json | 4 ++-- lib/l10n/es_MX.js | 4 ++-- lib/l10n/es_MX.json | 4 ++-- lib/l10n/es_NI.js | 4 ++-- lib/l10n/es_NI.json | 4 ++-- lib/l10n/es_PA.js | 4 ++-- lib/l10n/es_PA.json | 4 ++-- lib/l10n/es_PE.js | 4 ++-- lib/l10n/es_PE.json | 4 ++-- lib/l10n/es_PR.js | 4 ++-- lib/l10n/es_PR.json | 4 ++-- lib/l10n/es_PY.js | 4 ++-- lib/l10n/es_PY.json | 4 ++-- lib/l10n/es_SV.js | 4 ++-- lib/l10n/es_SV.json | 4 ++-- lib/l10n/es_UY.js | 4 ++-- lib/l10n/es_UY.json | 4 ++-- lib/l10n/et_EE.js | 4 ++-- lib/l10n/et_EE.json | 4 ++-- lib/l10n/fi.js | 4 ++-- lib/l10n/fi.json | 4 ++-- lib/l10n/fr.js | 4 ++-- lib/l10n/fr.json | 4 ++-- lib/l10n/he.js | 2 +- lib/l10n/he.json | 2 +- lib/l10n/hu.js | 4 ++-- lib/l10n/hu.json | 4 ++-- lib/l10n/is.js | 4 ++-- lib/l10n/is.json | 4 ++-- lib/l10n/it.js | 4 ++-- lib/l10n/it.json | 4 ++-- lib/l10n/ja.js | 4 ++-- lib/l10n/ja.json | 4 ++-- lib/l10n/ka_GE.js | 4 ++-- lib/l10n/ka_GE.json | 4 ++-- lib/l10n/ko.js | 4 ++-- lib/l10n/ko.json | 4 ++-- lib/l10n/lt_LT.js | 4 ++-- lib/l10n/lt_LT.json | 4 ++-- lib/l10n/nb.js | 4 ++-- lib/l10n/nb.json | 4 ++-- lib/l10n/nl.js | 4 ++-- lib/l10n/nl.json | 4 ++-- lib/l10n/pl.js | 4 ++-- lib/l10n/pl.json | 4 ++-- lib/l10n/pt_BR.js | 4 ++-- lib/l10n/pt_BR.json | 4 ++-- lib/l10n/ru.js | 4 ++-- lib/l10n/ru.json | 4 ++-- lib/l10n/sk.js | 4 ++-- lib/l10n/sk.json | 4 ++-- lib/l10n/sq.js | 4 ++-- lib/l10n/sq.json | 4 ++-- lib/l10n/sr.js | 4 ++-- lib/l10n/sr.json | 4 ++-- lib/l10n/sv.js | 4 ++-- lib/l10n/sv.json | 4 ++-- lib/l10n/tr.js | 4 ++-- lib/l10n/tr.json | 4 ++-- lib/l10n/zh_CN.js | 4 ++-- lib/l10n/zh_CN.json | 4 ++-- lib/l10n/zh_TW.js | 4 ++-- lib/l10n/zh_TW.json | 4 ++-- 96 files changed, 186 insertions(+), 184 deletions(-) diff --git a/core/l10n/ko.js b/core/l10n/ko.js index 8ba2f0e28e13a..e4810cb3065ff 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "연락처 검색…", "No contacts found" : "연락처를 찾을 수 없음", "Show all contacts …" : "모든 연락처 보기 …", + "Could not load your contacts" : "연락처를 불러올 수 없음", "Loading your contacts …" : "연락처 불러오는 중 …", "Looking for {term} …" : "{term} 검색 중 …", "There were problems with the code integrity check. More information…" : "코드 무결성 검사 중 오류가 발생했습니다. 더 많은 정보를 보려면 누르십시오…", diff --git a/core/l10n/ko.json b/core/l10n/ko.json index 24005a8aeb41e..a5b3fa998952a 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -54,6 +54,7 @@ "Search contacts …" : "연락처 검색…", "No contacts found" : "연락처를 찾을 수 없음", "Show all contacts …" : "모든 연락처 보기 …", + "Could not load your contacts" : "연락처를 불러올 수 없음", "Loading your contacts …" : "연락처 불러오는 중 …", "Looking for {term} …" : "{term} 검색 중 …", "There were problems with the code integrity check. More information…" : "코드 무결성 검사 중 오류가 발생했습니다. 더 많은 정보를 보려면 누르십시오…", diff --git a/lib/l10n/ast.js b/lib/l10n/ast.js index aab4eb12d1283..6619172d9e2ee 100644 --- a/lib/l10n/ast.js +++ b/lib/l10n/ast.js @@ -137,7 +137,6 @@ OC.L10N.register( "The username is already being used" : "El nome d'usuariu yá ta usándose", "User disabled" : "Usuariu desactiváu", "Login canceled by app" : "Aniciar sesión canceláu pola aplicación", - "No app name specified" : "Nun s'especificó nome de l'aplicación", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'aplicación \"%s\" nun puede instalase porque les siguientes dependencies nun se cumplen: %s", "a safe home for all your data" : "un llar seguru pa tolos tos datos", "File is currently busy, please try again later" : "Fichaeru ta ocupáu, por favor intentelo de nuevu más tarde", @@ -189,6 +188,7 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Nun pue afitase la data d'espiración más que %s díes nel futuru", "Personal" : "Personal", "Admin" : "Almin", + "No app name specified" : "Nun s'especificó nome de l'aplicación", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto pue iguase %sdando permisos d'escritura al sirvidor Web nel direutoriu%s d'apps o deshabilitando la tienda d'apps nel ficheru de configuración.", "Cannot create \"data\" directory (%s)" : "Nun pue crease'l direutoriu \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto pue iguase davezu dándo-y accesu d'escritura al direutoriu raigañu.", diff --git a/lib/l10n/ast.json b/lib/l10n/ast.json index b7b6bb4975227..b4b57de82a15d 100644 --- a/lib/l10n/ast.json +++ b/lib/l10n/ast.json @@ -135,7 +135,6 @@ "The username is already being used" : "El nome d'usuariu yá ta usándose", "User disabled" : "Usuariu desactiváu", "Login canceled by app" : "Aniciar sesión canceláu pola aplicación", - "No app name specified" : "Nun s'especificó nome de l'aplicación", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'aplicación \"%s\" nun puede instalase porque les siguientes dependencies nun se cumplen: %s", "a safe home for all your data" : "un llar seguru pa tolos tos datos", "File is currently busy, please try again later" : "Fichaeru ta ocupáu, por favor intentelo de nuevu más tarde", @@ -187,6 +186,7 @@ "Cannot set expiration date more than %s days in the future" : "Nun pue afitase la data d'espiración más que %s díes nel futuru", "Personal" : "Personal", "Admin" : "Almin", + "No app name specified" : "Nun s'especificó nome de l'aplicación", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto pue iguase %sdando permisos d'escritura al sirvidor Web nel direutoriu%s d'apps o deshabilitando la tienda d'apps nel ficheru de configuración.", "Cannot create \"data\" directory (%s)" : "Nun pue crease'l direutoriu \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto pue iguase davezu dándo-y accesu d'escritura al direutoriu raigañu.", diff --git a/lib/l10n/cs.js b/lib/l10n/cs.js index 124c22763c09f..ecfbcba789519 100644 --- a/lib/l10n/cs.js +++ b/lib/l10n/cs.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Nepodařilo se vytvořit uživatele", "User disabled" : "Uživatel zakázán", "Login canceled by app" : "Přihlášení zrušeno aplikací", - "No app name specified" : "Nebyl zadan název aplikace", - "App '%s' could not be installed!" : "Aplikaci '%s' nelze nainstalovat!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Aplikaci \"%s\" nelze nainstalovat, protože nejsou splněny následující závislosti: %s", "a safe home for all your data" : "bezpečný domov pro všechna vaše data", "File is currently busy, please try again later" : "Soubor je používán, zkus to později", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Datum vypršení nelze nastavit na více než %s dní do budoucnosti", "Personal" : "Osobní", "Admin" : "Administrace", + "No app name specified" : "Nebyl zadan název aplikace", + "App '%s' could not be installed!" : "Aplikaci '%s' nelze nainstalovat!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "To lze obvykle vyřešit %spovolením zápisu webovému serveru do adresáře apps%s nebo zakázáním appstore v konfiguračním souboru.", "Cannot create \"data\" directory (%s)" : "Nelze vytvořit adresář \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Toto může být obvykle opraveno nastavením přístupových práv webového serveru pro zápis do kořenového adresáře.", diff --git a/lib/l10n/cs.json b/lib/l10n/cs.json index c46b284815c22..5e2ca05d687fd 100644 --- a/lib/l10n/cs.json +++ b/lib/l10n/cs.json @@ -184,8 +184,6 @@ "Could not create user" : "Nepodařilo se vytvořit uživatele", "User disabled" : "Uživatel zakázán", "Login canceled by app" : "Přihlášení zrušeno aplikací", - "No app name specified" : "Nebyl zadan název aplikace", - "App '%s' could not be installed!" : "Aplikaci '%s' nelze nainstalovat!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Aplikaci \"%s\" nelze nainstalovat, protože nejsou splněny následující závislosti: %s", "a safe home for all your data" : "bezpečný domov pro všechna vaše data", "File is currently busy, please try again later" : "Soubor je používán, zkus to později", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Datum vypršení nelze nastavit na více než %s dní do budoucnosti", "Personal" : "Osobní", "Admin" : "Administrace", + "No app name specified" : "Nebyl zadan název aplikace", + "App '%s' could not be installed!" : "Aplikaci '%s' nelze nainstalovat!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "To lze obvykle vyřešit %spovolením zápisu webovému serveru do adresáře apps%s nebo zakázáním appstore v konfiguračním souboru.", "Cannot create \"data\" directory (%s)" : "Nelze vytvořit adresář \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Toto může být obvykle opraveno nastavením přístupových práv webového serveru pro zápis do kořenového adresáře.", diff --git a/lib/l10n/de.js b/lib/l10n/de.js index 1f4055b32af16..a80bdd5f72e56 100644 --- a/lib/l10n/de.js +++ b/lib/l10n/de.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Benutzer konnte nicht erstellt werden", "User disabled" : "Nutzer deaktiviert", "Login canceled by app" : "Anmeldung durch die App abgebrochen", - "No app name specified" : "Es wurde kein App-Name angegeben", - "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Die App „%s“ kann nicht installiert werden, da die folgenden Abhängigkeiten nicht erfüllt sind: %s", "a safe home for all your data" : "ein sicherer Ort für all Deine Daten", "File is currently busy, please try again later" : "Die Datei ist in Benutzung, bitte versuche es später noch einmal", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Das Ablaufdatum kann nicht mehr als %s Tage in die Zukunft liegen", "Personal" : "Persönlich", "Admin" : "Verwaltung", + "No app name specified" : "Es wurde kein App-Name angegeben", + "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dies kann normalerweise behoben werden, %sindem dem Webserver Schreibzugriff auf das App-Verzeichnis gegeben wird%s oder der App Store in der Konfigurationsdatei deaktiviert wird.", "Cannot create \"data\" directory (%s)" : "Erstellen des „data“-Verzeichnisses ist nicht möglich (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Dies kann normalerweise repariert werden, indem dem Webserver Schreibzugriff auf das Wurzelverzeichnis gegeben wird.", diff --git a/lib/l10n/de.json b/lib/l10n/de.json index 7136420159684..f11bd1e089822 100644 --- a/lib/l10n/de.json +++ b/lib/l10n/de.json @@ -184,8 +184,6 @@ "Could not create user" : "Benutzer konnte nicht erstellt werden", "User disabled" : "Nutzer deaktiviert", "Login canceled by app" : "Anmeldung durch die App abgebrochen", - "No app name specified" : "Es wurde kein App-Name angegeben", - "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Die App „%s“ kann nicht installiert werden, da die folgenden Abhängigkeiten nicht erfüllt sind: %s", "a safe home for all your data" : "ein sicherer Ort für all Deine Daten", "File is currently busy, please try again later" : "Die Datei ist in Benutzung, bitte versuche es später noch einmal", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Das Ablaufdatum kann nicht mehr als %s Tage in die Zukunft liegen", "Personal" : "Persönlich", "Admin" : "Verwaltung", + "No app name specified" : "Es wurde kein App-Name angegeben", + "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dies kann normalerweise behoben werden, %sindem dem Webserver Schreibzugriff auf das App-Verzeichnis gegeben wird%s oder der App Store in der Konfigurationsdatei deaktiviert wird.", "Cannot create \"data\" directory (%s)" : "Erstellen des „data“-Verzeichnisses ist nicht möglich (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Dies kann normalerweise repariert werden, indem dem Webserver Schreibzugriff auf das Wurzelverzeichnis gegeben wird.", diff --git a/lib/l10n/de_DE.js b/lib/l10n/de_DE.js index 612bf1cb8b36f..326ee1a1e6dcd 100644 --- a/lib/l10n/de_DE.js +++ b/lib/l10n/de_DE.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Benutzer konnte nicht erstellt werden", "User disabled" : "Nutzer deaktiviert", "Login canceled by app" : "Anmeldung durch die App abgebrochen", - "No app name specified" : "Es wurde kein App-Name angegeben", - "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Die App „%s“ kann nicht installiert werden, da die folgenden Abhängigkeiten nicht erfüllt sind: %s", "a safe home for all your data" : "ein sicherer Ort für all Ihre Daten", "File is currently busy, please try again later" : "Die Datei ist in Benutzung, bitte versuchen Sie es später noch einmal", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Das Ablaufdatum kann nicht mehr als %s Tage in die Zukunft liegen", "Personal" : "Persönlich", "Admin" : "Verwaltung", + "No app name specified" : "Es wurde kein App-Name angegeben", + "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dies kann normalerweise behoben werden, %sindem dem Webserver Schreibzugriff auf das App-Verzeichnis gegeben wird%s oder der App Store in der Konfigurationsdatei deaktiviert wird.", "Cannot create \"data\" directory (%s)" : "Erstellen des „data“-Verzeichnisses ist nicht möglich (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Dies kann normalerweise repariert werden, indem dem Webserver Schreibzugriff auf das Wurzelverzeichnis gegeben wird.", diff --git a/lib/l10n/de_DE.json b/lib/l10n/de_DE.json index 2d2fa4a3a68d1..af9f5c5a84712 100644 --- a/lib/l10n/de_DE.json +++ b/lib/l10n/de_DE.json @@ -184,8 +184,6 @@ "Could not create user" : "Benutzer konnte nicht erstellt werden", "User disabled" : "Nutzer deaktiviert", "Login canceled by app" : "Anmeldung durch die App abgebrochen", - "No app name specified" : "Es wurde kein App-Name angegeben", - "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Die App „%s“ kann nicht installiert werden, da die folgenden Abhängigkeiten nicht erfüllt sind: %s", "a safe home for all your data" : "ein sicherer Ort für all Ihre Daten", "File is currently busy, please try again later" : "Die Datei ist in Benutzung, bitte versuchen Sie es später noch einmal", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Das Ablaufdatum kann nicht mehr als %s Tage in die Zukunft liegen", "Personal" : "Persönlich", "Admin" : "Verwaltung", + "No app name specified" : "Es wurde kein App-Name angegeben", + "App '%s' could not be installed!" : "'%s' - App konnte nicht installiert werden!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dies kann normalerweise behoben werden, %sindem dem Webserver Schreibzugriff auf das App-Verzeichnis gegeben wird%s oder der App Store in der Konfigurationsdatei deaktiviert wird.", "Cannot create \"data\" directory (%s)" : "Erstellen des „data“-Verzeichnisses ist nicht möglich (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Dies kann normalerweise repariert werden, indem dem Webserver Schreibzugriff auf das Wurzelverzeichnis gegeben wird.", diff --git a/lib/l10n/el.js b/lib/l10n/el.js index ef3622ebdc720..58563eca04df8 100644 --- a/lib/l10n/el.js +++ b/lib/l10n/el.js @@ -173,8 +173,6 @@ OC.L10N.register( "The username is already being used" : "Το όνομα χρήστη είναι κατειλημμένο", "User disabled" : "Ο χρήστης απενεργοποιήθηκε", "Login canceled by app" : "Η είσοδος ακυρώθηκε από την εφαρμογή", - "No app name specified" : "Δεν προδιορίστηκε όνομα εφαρμογής", - "App '%s' could not be installed!" : "Δεν μπορεί να εγκατασταθεί η εφαρμογή '%s'!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Αυτή η εφαρμογή %s δεν μπορεί να εγκατασταθεί διότι δεν πληρούνται οι ακόλουθες εξαρτήσεις: %s", "a safe home for all your data" : "ένα ασφαλές μέρος για όλα τα δεδομένα σας", "File is currently busy, please try again later" : "Το αρχείο χρησιμοποιείται αυτή τη στιγμή, παρακαλώ προσπαθήστε αργότερα", @@ -233,6 +231,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Δεν είναι δυνατό να τεθεί η ημερομηνία λήξης σε περισσότερες από %s ημέρες στο μέλλον", "Personal" : "Προσωπικά", "Admin" : "Διαχείριση", + "No app name specified" : "Δεν προδιορίστηκε όνομα εφαρμογής", + "App '%s' could not be installed!" : "Δεν μπορεί να εγκατασταθεί η εφαρμογή '%s'!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Αυτό μπορεί συνήθως να διορθωθεί %sδίνοντας διακαιώματα εγγραφής για τον κατάλογο εφαρμογών στο διακομιστή δικτύου%s ή απενεργοποιώντας το κέντρο εφαρμογών στο αρχείο config.", "Cannot create \"data\" directory (%s)" : "Αδυναμία δημιουργίας του καταλόγου \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Αυτό μπορεί συνήθως να διορθωθεί δίνοντας στον διακομιστή ιστού δικαιώματα εγγραφής στον βασικό κατάλογο.", diff --git a/lib/l10n/el.json b/lib/l10n/el.json index 4764d8a091ff4..c250f6d5d3d5a 100644 --- a/lib/l10n/el.json +++ b/lib/l10n/el.json @@ -171,8 +171,6 @@ "The username is already being used" : "Το όνομα χρήστη είναι κατειλημμένο", "User disabled" : "Ο χρήστης απενεργοποιήθηκε", "Login canceled by app" : "Η είσοδος ακυρώθηκε από την εφαρμογή", - "No app name specified" : "Δεν προδιορίστηκε όνομα εφαρμογής", - "App '%s' could not be installed!" : "Δεν μπορεί να εγκατασταθεί η εφαρμογή '%s'!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Αυτή η εφαρμογή %s δεν μπορεί να εγκατασταθεί διότι δεν πληρούνται οι ακόλουθες εξαρτήσεις: %s", "a safe home for all your data" : "ένα ασφαλές μέρος για όλα τα δεδομένα σας", "File is currently busy, please try again later" : "Το αρχείο χρησιμοποιείται αυτή τη στιγμή, παρακαλώ προσπαθήστε αργότερα", @@ -231,6 +229,8 @@ "Cannot set expiration date more than %s days in the future" : "Δεν είναι δυνατό να τεθεί η ημερομηνία λήξης σε περισσότερες από %s ημέρες στο μέλλον", "Personal" : "Προσωπικά", "Admin" : "Διαχείριση", + "No app name specified" : "Δεν προδιορίστηκε όνομα εφαρμογής", + "App '%s' could not be installed!" : "Δεν μπορεί να εγκατασταθεί η εφαρμογή '%s'!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Αυτό μπορεί συνήθως να διορθωθεί %sδίνοντας διακαιώματα εγγραφής για τον κατάλογο εφαρμογών στο διακομιστή δικτύου%s ή απενεργοποιώντας το κέντρο εφαρμογών στο αρχείο config.", "Cannot create \"data\" directory (%s)" : "Αδυναμία δημιουργίας του καταλόγου \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Αυτό μπορεί συνήθως να διορθωθεί δίνοντας στον διακομιστή ιστού δικαιώματα εγγραφής στον βασικό κατάλογο.", diff --git a/lib/l10n/en_GB.js b/lib/l10n/en_GB.js index 8e2f0a3bf95cc..cb02c5c2a577a 100644 --- a/lib/l10n/en_GB.js +++ b/lib/l10n/en_GB.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Could not create user", "User disabled" : "User disabled", "Login canceled by app" : "Login cancelled by app", - "No app name specified" : "No app name specified", - "App '%s' could not be installed!" : "App '%s' could not be installed!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s", "a safe home for all your data" : "a safe home for all your data", "File is currently busy, please try again later" : "File is currently busy, please try again later", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Cannot set expiration date more than %s days in the future", "Personal" : "Personal", "Admin" : "Admin", + "No app name specified" : "No app name specified", + "App '%s' could not be installed!" : "App '%s' could not be installed!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file.", "Cannot create \"data\" directory (%s)" : "Cannot create \"data\" directory (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "This can usually be fixed by giving the webserver write access to the root directory.", diff --git a/lib/l10n/en_GB.json b/lib/l10n/en_GB.json index 77d69632afffb..831869c173daa 100644 --- a/lib/l10n/en_GB.json +++ b/lib/l10n/en_GB.json @@ -184,8 +184,6 @@ "Could not create user" : "Could not create user", "User disabled" : "User disabled", "Login canceled by app" : "Login cancelled by app", - "No app name specified" : "No app name specified", - "App '%s' could not be installed!" : "App '%s' could not be installed!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s", "a safe home for all your data" : "a safe home for all your data", "File is currently busy, please try again later" : "File is currently busy, please try again later", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Cannot set expiration date more than %s days in the future", "Personal" : "Personal", "Admin" : "Admin", + "No app name specified" : "No app name specified", + "App '%s' could not be installed!" : "App '%s' could not be installed!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file.", "Cannot create \"data\" directory (%s)" : "Cannot create \"data\" directory (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "This can usually be fixed by giving the webserver write access to the root directory.", diff --git a/lib/l10n/es.js b/lib/l10n/es.js index 21ad61b2a9c28..fcc4a824641ca 100644 --- a/lib/l10n/es.js +++ b/lib/l10n/es.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No se ha podido crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Login cancelado por la app", - "No app name specified" : "No se ha especificado el nombre de la app", - "App '%s' could not be installed!" : "¡No se ha podido instalar la app '%s'!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La app \"%s\" no puede instalarse porque las siguientes dependencias no están cumplimentadas: %s", "a safe home for all your data" : "un hogar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente ocupado, por favor inténtelo de nuevo más tarde", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No se puede fijar la fecha de caducidad más de %s días en el futuro.", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la app", + "App '%s' could not be installed!" : "¡No se ha podido instalar la app '%s'!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto puede solucionarse fácilmente %sdándole permisos de escritura al servidor en el directorio%s de apps o deshabilitando la tienda de apps en el archivo de configuración.", "Cannot create \"data\" directory (%s)" : "No se puede crear el directorio \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Normalmente esto se puede solucionar dándole al servidor web permisos de escritura en todo el directorio o el directorio 'root'", diff --git a/lib/l10n/es.json b/lib/l10n/es.json index b282017069293..8ee75d02bf446 100644 --- a/lib/l10n/es.json +++ b/lib/l10n/es.json @@ -184,8 +184,6 @@ "Could not create user" : "No se ha podido crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Login cancelado por la app", - "No app name specified" : "No se ha especificado el nombre de la app", - "App '%s' could not be installed!" : "¡No se ha podido instalar la app '%s'!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La app \"%s\" no puede instalarse porque las siguientes dependencias no están cumplimentadas: %s", "a safe home for all your data" : "un hogar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente ocupado, por favor inténtelo de nuevo más tarde", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No se puede fijar la fecha de caducidad más de %s días en el futuro.", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la app", + "App '%s' could not be installed!" : "¡No se ha podido instalar la app '%s'!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto puede solucionarse fácilmente %sdándole permisos de escritura al servidor en el directorio%s de apps o deshabilitando la tienda de apps en el archivo de configuración.", "Cannot create \"data\" directory (%s)" : "No se puede crear el directorio \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Normalmente esto se puede solucionar dándole al servidor web permisos de escritura en todo el directorio o el directorio 'root'", diff --git a/lib/l10n/es_419.js b/lib/l10n/es_419.js index e411731e9838f..c38b1e2ab320c 100644 --- a/lib/l10n/es_419.js +++ b/lib/l10n/es_419.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_419.json b/lib/l10n/es_419.json index 99efb0dd2158b..963cafd03954e 100644 --- a/lib/l10n/es_419.json +++ b/lib/l10n/es_419.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_AR.js b/lib/l10n/es_AR.js index ffb3ebe977eba..0d39c04e31e85 100644 --- a/lib/l10n/es_AR.js +++ b/lib/l10n/es_AR.js @@ -160,8 +160,6 @@ OC.L10N.register( "The username is already being used" : "Ese nombre de usuario ya está en uso", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no puede ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos sus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, favor de intentarlo más tarde. ", @@ -219,6 +217,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no puede ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_AR.json b/lib/l10n/es_AR.json index 03eb5ad4770ba..694d05ca93897 100644 --- a/lib/l10n/es_AR.json +++ b/lib/l10n/es_AR.json @@ -158,8 +158,6 @@ "The username is already being used" : "Ese nombre de usuario ya está en uso", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no puede ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos sus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, favor de intentarlo más tarde. ", @@ -217,6 +215,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no puede ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_CL.js b/lib/l10n/es_CL.js index 5feb169790e88..c3c6bd7b1ea71 100644 --- a/lib/l10n/es_CL.js +++ b/lib/l10n/es_CL.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_CL.json b/lib/l10n/es_CL.json index 51e3014cf1d0d..d9e2d94120d22 100644 --- a/lib/l10n/es_CL.json +++ b/lib/l10n/es_CL.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_CO.js b/lib/l10n/es_CO.js index 1d08eb3dfcaf4..830bf9e878bc1 100644 --- a/lib/l10n/es_CO.js +++ b/lib/l10n/es_CO.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_CO.json b/lib/l10n/es_CO.json index e65bf00def942..0a960aacb12dd 100644 --- a/lib/l10n/es_CO.json +++ b/lib/l10n/es_CO.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_CR.js b/lib/l10n/es_CR.js index e7beef5b863e1..7d5daf7a2f1e0 100644 --- a/lib/l10n/es_CR.js +++ b/lib/l10n/es_CR.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_CR.json b/lib/l10n/es_CR.json index 2ee98c7ff3e40..1a926283a8543 100644 --- a/lib/l10n/es_CR.json +++ b/lib/l10n/es_CR.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_DO.js b/lib/l10n/es_DO.js index 3f4a41410d982..09b44b76901fd 100644 --- a/lib/l10n/es_DO.js +++ b/lib/l10n/es_DO.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_DO.json b/lib/l10n/es_DO.json index 6344dea931a10..a1c35ef1c0469 100644 --- a/lib/l10n/es_DO.json +++ b/lib/l10n/es_DO.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_EC.js b/lib/l10n/es_EC.js index 5743caacee51c..163fc4a801d06 100644 --- a/lib/l10n/es_EC.js +++ b/lib/l10n/es_EC.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_EC.json b/lib/l10n/es_EC.json index b8c002dd6d7b8..0cf36a4c92123 100644 --- a/lib/l10n/es_EC.json +++ b/lib/l10n/es_EC.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_GT.js b/lib/l10n/es_GT.js index 645b677e6e8a5..f3fb628d1fa1d 100644 --- a/lib/l10n/es_GT.js +++ b/lib/l10n/es_GT.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_GT.json b/lib/l10n/es_GT.json index 7f993a6d4ed0d..4f7ab67800941 100644 --- a/lib/l10n/es_GT.json +++ b/lib/l10n/es_GT.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_HN.js b/lib/l10n/es_HN.js index 4c3d0ec62ba3d..28a74f98b6a8c 100644 --- a/lib/l10n/es_HN.js +++ b/lib/l10n/es_HN.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_HN.json b/lib/l10n/es_HN.json index 979a4d26ebff2..b18da36e2650f 100644 --- a/lib/l10n/es_HN.json +++ b/lib/l10n/es_HN.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_MX.js b/lib/l10n/es_MX.js index c3504fda2e4fa..8bec5938ed075 100644 --- a/lib/l10n/es_MX.js +++ b/lib/l10n/es_MX.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_MX.json b/lib/l10n/es_MX.json index 6d906b6945873..f93d80b5df2d7 100644 --- a/lib/l10n/es_MX.json +++ b/lib/l10n/es_MX.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_NI.js b/lib/l10n/es_NI.js index 55fdbf10030af..b16ebfeb2406c 100644 --- a/lib/l10n/es_NI.js +++ b/lib/l10n/es_NI.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_NI.json b/lib/l10n/es_NI.json index b32c358cbcf4f..601c769c1fabd 100644 --- a/lib/l10n/es_NI.json +++ b/lib/l10n/es_NI.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PA.js b/lib/l10n/es_PA.js index ab5766d018e18..f534c821658f9 100644 --- a/lib/l10n/es_PA.js +++ b/lib/l10n/es_PA.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PA.json b/lib/l10n/es_PA.json index 5cf43264fd810..9d01bb6bb06d6 100644 --- a/lib/l10n/es_PA.json +++ b/lib/l10n/es_PA.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PE.js b/lib/l10n/es_PE.js index 47c19e43ba175..a94f62d0f48e1 100644 --- a/lib/l10n/es_PE.js +++ b/lib/l10n/es_PE.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PE.json b/lib/l10n/es_PE.json index 642f0ba132177..217c516ac0464 100644 --- a/lib/l10n/es_PE.json +++ b/lib/l10n/es_PE.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PR.js b/lib/l10n/es_PR.js index c1b1e8043736b..65af5ce36b6bc 100644 --- a/lib/l10n/es_PR.js +++ b/lib/l10n/es_PR.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PR.json b/lib/l10n/es_PR.json index 9b06e73996641..d774ae0509d74 100644 --- a/lib/l10n/es_PR.json +++ b/lib/l10n/es_PR.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PY.js b/lib/l10n/es_PY.js index 5ed54944e3b6b..aecd320ca3575 100644 --- a/lib/l10n/es_PY.js +++ b/lib/l10n/es_PY.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_PY.json b/lib/l10n/es_PY.json index 3387872375997..874d33beda985 100644 --- a/lib/l10n/es_PY.json +++ b/lib/l10n/es_PY.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_SV.js b/lib/l10n/es_SV.js index bccb8a1aac180..31ae4d896832c 100644 --- a/lib/l10n/es_SV.js +++ b/lib/l10n/es_SV.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_SV.json b/lib/l10n/es_SV.json index e4f28af7fb438..a14641b467663 100644 --- a/lib/l10n/es_SV.json +++ b/lib/l10n/es_SV.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_UY.js b/lib/l10n/es_UY.js index c0535ba322b0f..bf1abac7623f2 100644 --- a/lib/l10n/es_UY.js +++ b/lib/l10n/es_UY.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/es_UY.json b/lib/l10n/es_UY.json index c298c7ed8d377..cc5f4a6e7c7b4 100644 --- a/lib/l10n/es_UY.json +++ b/lib/l10n/es_UY.json @@ -184,8 +184,6 @@ "Could not create user" : "No fue posible crear el usuario", "User disabled" : "Usuario deshabilitado", "Login canceled by app" : "Inicio de sesión cancelado por la aplicación", - "No app name specified" : "No se ha especificado el nombre de la aplicación", - "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "La aplicación \"%s\" no puede ser instalada porque las siguientes dependencias no están satisfechas: %s ", "a safe home for all your data" : "un lugar seguro para todos tus datos", "File is currently busy, please try again later" : "El archivo se encuentra actualmente en uso, por favor intentalo más tarde. ", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "No es posible establecer la fecha de expiración más allá de %s días en el futuro", "Personal" : "Personal", "Admin" : "Administración", + "No app name specified" : "No se ha especificado el nombre de la aplicación", + "App '%s' could not be installed!" : "¡La aplicación \"%s\" no pudo ser instalada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Esto se puede arreglar por %s al darle acceso de escritura al servidor web al directorio de las aplicaciones %s o al deshabilitar la tienda de aplicaciones en el archivo de configuración", "Cannot create \"data\" directory (%s)" : "No fue posible crear el directorio de \"datos\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Esto se puede arreglar generalmente al darle al servidor web accesos al directorio raíz.", diff --git a/lib/l10n/et_EE.js b/lib/l10n/et_EE.js index 4acdfa7d6e383..4558a75920e5a 100644 --- a/lib/l10n/et_EE.js +++ b/lib/l10n/et_EE.js @@ -161,8 +161,6 @@ OC.L10N.register( "The username is already being used" : "Kasutajanimi on juba kasutuses", "Could not create user" : "Ei saanud kasutajat luua", "User disabled" : "Kasutaja deaktiveeritud", - "No app name specified" : "Ühegi rakendi nime pole määratletud", - "App '%s' could not be installed!" : "Rakendust '%s' ei saa paigaldada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Rakendust \"%s\" ei saa paigaldada sest järgmised sõltuvused ei ole täidetud: %s", "a safe home for all your data" : "turvaline koht sinu andmetele", "File is currently busy, please try again later" : "Fail on hetkel kasutuses, proovi hiljem uuesti", @@ -200,6 +198,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Ei sa määrata aegumise kuupäeva rohkem kui %s päeva tulevikus", "Personal" : "Isiklik", "Admin" : "Admin", + "No app name specified" : "Ühegi rakendi nime pole määratletud", + "App '%s' could not be installed!" : "Rakendust '%s' ei saa paigaldada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Tavaliselt saab selle lahendada %s andes veebiserverile rakendite kataloogile kirjutusõigused %s või keelates seadetes rakendikogu.", "Cannot create \"data\" directory (%s)" : "Ei suuda luua \"data\" kataloogi (%s)", "Permissions can usually be fixed by %sgiving the webserver write access to the root directory%s." : "Õigused saab tavaliselt paika %s andes veebiserverile juurkataloogile kirjutusõigused %s", diff --git a/lib/l10n/et_EE.json b/lib/l10n/et_EE.json index 69e3a12de4e88..d59ed05ca6f95 100644 --- a/lib/l10n/et_EE.json +++ b/lib/l10n/et_EE.json @@ -159,8 +159,6 @@ "The username is already being used" : "Kasutajanimi on juba kasutuses", "Could not create user" : "Ei saanud kasutajat luua", "User disabled" : "Kasutaja deaktiveeritud", - "No app name specified" : "Ühegi rakendi nime pole määratletud", - "App '%s' could not be installed!" : "Rakendust '%s' ei saa paigaldada!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Rakendust \"%s\" ei saa paigaldada sest järgmised sõltuvused ei ole täidetud: %s", "a safe home for all your data" : "turvaline koht sinu andmetele", "File is currently busy, please try again later" : "Fail on hetkel kasutuses, proovi hiljem uuesti", @@ -198,6 +196,8 @@ "Cannot set expiration date more than %s days in the future" : "Ei sa määrata aegumise kuupäeva rohkem kui %s päeva tulevikus", "Personal" : "Isiklik", "Admin" : "Admin", + "No app name specified" : "Ühegi rakendi nime pole määratletud", + "App '%s' could not be installed!" : "Rakendust '%s' ei saa paigaldada!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Tavaliselt saab selle lahendada %s andes veebiserverile rakendite kataloogile kirjutusõigused %s või keelates seadetes rakendikogu.", "Cannot create \"data\" directory (%s)" : "Ei suuda luua \"data\" kataloogi (%s)", "Permissions can usually be fixed by %sgiving the webserver write access to the root directory%s." : "Õigused saab tavaliselt paika %s andes veebiserverile juurkataloogile kirjutusõigused %s", diff --git a/lib/l10n/fi.js b/lib/l10n/fi.js index 960caa9b7aa81..894673793effe 100644 --- a/lib/l10n/fi.js +++ b/lib/l10n/fi.js @@ -160,8 +160,6 @@ OC.L10N.register( "Could not create user" : "Ei voitu luoda käyttäjää", "User disabled" : "Käyttäjä poistettu käytöstä", "Login canceled by app" : "Kirjautuminen peruttiin sovelluksen toimesta", - "No app name specified" : "Sovelluksen nimeä ei määritelty", - "App '%s' could not be installed!" : "Sovellusta \"%s\" ei voi asentaa!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Sovelluksen \"%s\" asennus ei onnistu, koska seuraavia riippuvuuksia ei ole täytetty: %s", "a safe home for all your data" : "turvallinen koti kaikille tiedostoillesi", "File is currently busy, please try again later" : "Tiedosto on parhaillaan käytössä, yritä myöhemmin uudelleen", @@ -212,6 +210,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Vanhenemispäivä voi olla korkeintaan %s päivän päässä tulevaisuudessa", "Personal" : "Henkilökohtainen", "Admin" : "Ylläpito", + "No app name specified" : "Sovelluksen nimeä ei määritelty", + "App '%s' could not be installed!" : "Sovellusta \"%s\" ei voi asentaa!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Tämä on yleensä mahdollista korjata %santamalla HTTP-palvelimelle kirjoitusoikeus sovellushakemistoon%s tai poistamalla sovelluskauppa pois käytöstä asetustiedostoa käyttäen.", "Cannot create \"data\" directory (%s)" : "Hakemiston \"data\" luominen ei onnistu (%s)", "Data directory (%s) is readable by other users" : "Data-hakemisto (%s) on muiden käyttäjien luettavissa", diff --git a/lib/l10n/fi.json b/lib/l10n/fi.json index 1111ffa300892..25464d47a83d5 100644 --- a/lib/l10n/fi.json +++ b/lib/l10n/fi.json @@ -158,8 +158,6 @@ "Could not create user" : "Ei voitu luoda käyttäjää", "User disabled" : "Käyttäjä poistettu käytöstä", "Login canceled by app" : "Kirjautuminen peruttiin sovelluksen toimesta", - "No app name specified" : "Sovelluksen nimeä ei määritelty", - "App '%s' could not be installed!" : "Sovellusta \"%s\" ei voi asentaa!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Sovelluksen \"%s\" asennus ei onnistu, koska seuraavia riippuvuuksia ei ole täytetty: %s", "a safe home for all your data" : "turvallinen koti kaikille tiedostoillesi", "File is currently busy, please try again later" : "Tiedosto on parhaillaan käytössä, yritä myöhemmin uudelleen", @@ -210,6 +208,8 @@ "Cannot set expiration date more than %s days in the future" : "Vanhenemispäivä voi olla korkeintaan %s päivän päässä tulevaisuudessa", "Personal" : "Henkilökohtainen", "Admin" : "Ylläpito", + "No app name specified" : "Sovelluksen nimeä ei määritelty", + "App '%s' could not be installed!" : "Sovellusta \"%s\" ei voi asentaa!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Tämä on yleensä mahdollista korjata %santamalla HTTP-palvelimelle kirjoitusoikeus sovellushakemistoon%s tai poistamalla sovelluskauppa pois käytöstä asetustiedostoa käyttäen.", "Cannot create \"data\" directory (%s)" : "Hakemiston \"data\" luominen ei onnistu (%s)", "Data directory (%s) is readable by other users" : "Data-hakemisto (%s) on muiden käyttäjien luettavissa", diff --git a/lib/l10n/fr.js b/lib/l10n/fr.js index c07d3507d900b..793baec61dc58 100644 --- a/lib/l10n/fr.js +++ b/lib/l10n/fr.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Impossible de créer l'utilisateur", "User disabled" : "Utilisateur désactivé", "Login canceled by app" : "L'authentification a été annulé par l'application", - "No app name specified" : "Aucun nom d'application spécifié", - "App '%s' could not be installed!" : "L'application \"%s\" ne peut pas être installée !", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'application \"%s\" ne peut pas être installée à cause des dépendances suivantes non satisfaites : %s", "a safe home for all your data" : "un endroit sûr pour toutes vos données", "File is currently busy, please try again later" : "Le fichier est actuellement utilisé, veuillez réessayer plus tard", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Impossible de définir la date d'expiration à plus de %s jours dans le futur", "Personal" : "Personnel", "Admin" : "Administration", + "No app name specified" : "Aucun nom d'application spécifié", + "App '%s' could not be installed!" : "L'application \"%s\" ne peut pas être installée !", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ce problème est généralement résolu %sen donnant au serveur web un accès en écriture au répertoire apps%s ou en désactivant l'appstore dans le fichier de configuration.", "Cannot create \"data\" directory (%s)" : "Impossible de créer le répertoire \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ce problème est généralement résolu en donnant au serveur web un accès en écriture au répertoire racine.", diff --git a/lib/l10n/fr.json b/lib/l10n/fr.json index 90bb952016710..27c020ab77239 100644 --- a/lib/l10n/fr.json +++ b/lib/l10n/fr.json @@ -184,8 +184,6 @@ "Could not create user" : "Impossible de créer l'utilisateur", "User disabled" : "Utilisateur désactivé", "Login canceled by app" : "L'authentification a été annulé par l'application", - "No app name specified" : "Aucun nom d'application spécifié", - "App '%s' could not be installed!" : "L'application \"%s\" ne peut pas être installée !", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'application \"%s\" ne peut pas être installée à cause des dépendances suivantes non satisfaites : %s", "a safe home for all your data" : "un endroit sûr pour toutes vos données", "File is currently busy, please try again later" : "Le fichier est actuellement utilisé, veuillez réessayer plus tard", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Impossible de définir la date d'expiration à plus de %s jours dans le futur", "Personal" : "Personnel", "Admin" : "Administration", + "No app name specified" : "Aucun nom d'application spécifié", + "App '%s' could not be installed!" : "L'application \"%s\" ne peut pas être installée !", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ce problème est généralement résolu %sen donnant au serveur web un accès en écriture au répertoire apps%s ou en désactivant l'appstore dans le fichier de configuration.", "Cannot create \"data\" directory (%s)" : "Impossible de créer le répertoire \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ce problème est généralement résolu en donnant au serveur web un accès en écriture au répertoire racine.", diff --git a/lib/l10n/he.js b/lib/l10n/he.js index dca344a8d398d..f034a5727c23e 100644 --- a/lib/l10n/he.js +++ b/lib/l10n/he.js @@ -134,7 +134,6 @@ OC.L10N.register( "The username is already being used" : "השם משתמש כבר בשימוש", "User disabled" : "משתמש מנוטרל", "Login canceled by app" : "התחברות בוטלה על ידי יישום", - "No app name specified" : "לא הוגדר שם יישום", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "היישום \"%s\" לא ניתן להתקנה כיוון שיחסי התלות הבאים אינם מתקיימים: %s", "a safe home for all your data" : "בית בטוח עבור כל המידע שלך", "File is currently busy, please try again later" : "הקובץ בשימוש כרגע, יש לנסות שוב מאוחר יותר", @@ -183,6 +182,7 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "לא ניתן להגדיר את תאריך התפוגה מעל %s ימים בעתיד", "Personal" : "אישי", "Admin" : "מנהל", + "No app name specified" : "לא הוגדר שם יישום", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "בדרך כלל ניתן להסתדר על ידי %s מתן הרשאות כתיבה בשרת האינטרנט לתיקיית היישומים %s או נטרול חנות היישומים בקובץ ה- config.", "Cannot create \"data\" directory (%s)" : "לא ניתן ליצור תיקיית \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "זה בדרך כלל ניתן לתיקון על ידי מתן הרשאות כתיבה בשרת לתיקיית הבסיס directory.", diff --git a/lib/l10n/he.json b/lib/l10n/he.json index 3459635fc9bb3..faad4323322e0 100644 --- a/lib/l10n/he.json +++ b/lib/l10n/he.json @@ -132,7 +132,6 @@ "The username is already being used" : "השם משתמש כבר בשימוש", "User disabled" : "משתמש מנוטרל", "Login canceled by app" : "התחברות בוטלה על ידי יישום", - "No app name specified" : "לא הוגדר שם יישום", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "היישום \"%s\" לא ניתן להתקנה כיוון שיחסי התלות הבאים אינם מתקיימים: %s", "a safe home for all your data" : "בית בטוח עבור כל המידע שלך", "File is currently busy, please try again later" : "הקובץ בשימוש כרגע, יש לנסות שוב מאוחר יותר", @@ -181,6 +180,7 @@ "Cannot set expiration date more than %s days in the future" : "לא ניתן להגדיר את תאריך התפוגה מעל %s ימים בעתיד", "Personal" : "אישי", "Admin" : "מנהל", + "No app name specified" : "לא הוגדר שם יישום", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "בדרך כלל ניתן להסתדר על ידי %s מתן הרשאות כתיבה בשרת האינטרנט לתיקיית היישומים %s או נטרול חנות היישומים בקובץ ה- config.", "Cannot create \"data\" directory (%s)" : "לא ניתן ליצור תיקיית \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "זה בדרך כלל ניתן לתיקון על ידי מתן הרשאות כתיבה בשרת לתיקיית הבסיס directory.", diff --git a/lib/l10n/hu.js b/lib/l10n/hu.js index efef23938ecda..86bb4467dac2f 100644 --- a/lib/l10n/hu.js +++ b/lib/l10n/hu.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Nem sikerült létrehozni a felhasználót", "User disabled" : "Felhasználó letiltva", "Login canceled by app" : "Bejelentkezés megszakítva az alkalmazás által", - "No app name specified" : "Nincs az alkalmazás név megadva.", - "App '%s' could not be installed!" : "\"%s\" alkalmazás nem lehet telepíthető!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "\"%s\" alkalmazás nem lehet telepíteni, mert a következő függőségek nincsenek kielégítve: %s", "a safe home for all your data" : "egy biztonságos hely az adataidnak", "File is currently busy, please try again later" : "A fájl jelenleg elfoglalt, kérjük próbáld újra később!", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "%s napnál távolabbi lejárati dátumot nem lehet beállítani", "Personal" : "Személyes", "Admin" : "Adminisztrátor", + "No app name specified" : "Nincs az alkalmazás név megadva.", + "App '%s' could not be installed!" : "\"%s\" alkalmazás nem lehet telepíthető!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ez rendszerint úgy oldható meg, hogy %sírási jogot adunk a webszervernek az app könyvtárra%s, vagy letiltjuk a config fájlban az appstore használatát.", "Cannot create \"data\" directory (%s)" : "Nem sikerült létrehozni a \"data\" könyvtárt (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ez általában úgy javítható, hogy a webszervernek írási jogosultságot adsz a root könyvtárra.", diff --git a/lib/l10n/hu.json b/lib/l10n/hu.json index 5d5084f4ca804..f65206cab7e04 100644 --- a/lib/l10n/hu.json +++ b/lib/l10n/hu.json @@ -184,8 +184,6 @@ "Could not create user" : "Nem sikerült létrehozni a felhasználót", "User disabled" : "Felhasználó letiltva", "Login canceled by app" : "Bejelentkezés megszakítva az alkalmazás által", - "No app name specified" : "Nincs az alkalmazás név megadva.", - "App '%s' could not be installed!" : "\"%s\" alkalmazás nem lehet telepíthető!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "\"%s\" alkalmazás nem lehet telepíteni, mert a következő függőségek nincsenek kielégítve: %s", "a safe home for all your data" : "egy biztonságos hely az adataidnak", "File is currently busy, please try again later" : "A fájl jelenleg elfoglalt, kérjük próbáld újra később!", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "%s napnál távolabbi lejárati dátumot nem lehet beállítani", "Personal" : "Személyes", "Admin" : "Adminisztrátor", + "No app name specified" : "Nincs az alkalmazás név megadva.", + "App '%s' could not be installed!" : "\"%s\" alkalmazás nem lehet telepíthető!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ez rendszerint úgy oldható meg, hogy %sírási jogot adunk a webszervernek az app könyvtárra%s, vagy letiltjuk a config fájlban az appstore használatát.", "Cannot create \"data\" directory (%s)" : "Nem sikerült létrehozni a \"data\" könyvtárt (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ez általában úgy javítható, hogy a webszervernek írási jogosultságot adsz a root könyvtárra.", diff --git a/lib/l10n/is.js b/lib/l10n/is.js index 51657a060cc4d..c866576b35f13 100644 --- a/lib/l10n/is.js +++ b/lib/l10n/is.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Gat ekki búið til notanda", "User disabled" : "Notandi óvirkur", "Login canceled by app" : "Forrit hætti við innskráningu", - "No app name specified" : "Ekkert heiti forrits tilgreint", - "App '%s' could not be installed!" : "Ekki var hægt að setja upp '%s' forritið!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Ekki var hægt að setja upp \"%s\" forritið þar sem eftirfarandi kerfiskröfur eru ekki uppfylltar: %s", "a safe home for all your data" : "öruggur staður fyrir öll gögnin þín", "File is currently busy, please try again later" : "Skráin er upptekin í augnablikinu, reyndu aftur síðar", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Ekki er hægt að setja lokadagsetningu meira en %s daga fram í tímann", "Personal" : "Einka", "Admin" : "Stjórnun", + "No app name specified" : "Ekkert heiti forrits tilgreint", + "App '%s' could not be installed!" : "Ekki var hægt að setja upp '%s' forritið!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Þetta er venjulega hægt að laga ef %sgefur vefþjóninum skrifréttindi í forritamöppuna%s eða gerir forritabúðina óvirka í stillingaskránni.", "Cannot create \"data\" directory (%s)" : "Get ekki búið til \"data\" möppu (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Þetta er venjulega hægt að laga ef gefur vefþjóninum skrifréttindi í rótarmöppuna .", diff --git a/lib/l10n/is.json b/lib/l10n/is.json index 1747b0ec3108b..d882bc9d9e251 100644 --- a/lib/l10n/is.json +++ b/lib/l10n/is.json @@ -184,8 +184,6 @@ "Could not create user" : "Gat ekki búið til notanda", "User disabled" : "Notandi óvirkur", "Login canceled by app" : "Forrit hætti við innskráningu", - "No app name specified" : "Ekkert heiti forrits tilgreint", - "App '%s' could not be installed!" : "Ekki var hægt að setja upp '%s' forritið!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Ekki var hægt að setja upp \"%s\" forritið þar sem eftirfarandi kerfiskröfur eru ekki uppfylltar: %s", "a safe home for all your data" : "öruggur staður fyrir öll gögnin þín", "File is currently busy, please try again later" : "Skráin er upptekin í augnablikinu, reyndu aftur síðar", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Ekki er hægt að setja lokadagsetningu meira en %s daga fram í tímann", "Personal" : "Einka", "Admin" : "Stjórnun", + "No app name specified" : "Ekkert heiti forrits tilgreint", + "App '%s' could not be installed!" : "Ekki var hægt að setja upp '%s' forritið!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Þetta er venjulega hægt að laga ef %sgefur vefþjóninum skrifréttindi í forritamöppuna%s eða gerir forritabúðina óvirka í stillingaskránni.", "Cannot create \"data\" directory (%s)" : "Get ekki búið til \"data\" möppu (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Þetta er venjulega hægt að laga ef gefur vefþjóninum skrifréttindi í rótarmöppuna .", diff --git a/lib/l10n/it.js b/lib/l10n/it.js index c09824b70be13..b7a1101d529f2 100644 --- a/lib/l10n/it.js +++ b/lib/l10n/it.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Impossibile creare l'utente", "User disabled" : "Utente disabilitato", "Login canceled by app" : "Accesso annullato dall'applicazione", - "No app name specified" : "Il nome dell'applicazione non è specificato", - "App '%s' could not be installed!" : "L'applicazione '%s' non può essere installata!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'applicazione \"%s\" non può essere installata poiché le seguenti dipendenze non sono soddisfatte: %s", "a safe home for all your data" : "un posto sicuro per tutti i tuoi dati", "File is currently busy, please try again later" : "Il file è attualmente occupato, riprova più tardi", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Impossibile impostare la data di scadenza a più di %s giorni nel futuro", "Personal" : "Personale", "Admin" : "Admin", + "No app name specified" : "Il nome dell'applicazione non è specificato", + "App '%s' could not be installed!" : "L'applicazione '%s' non può essere installata!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ciò può essere normalmente corretto %sfornendo al server web accesso in scrittura alla cartella \"apps\"%s o disabilitando il negozio di applicazioni nel file di configurazione.", "Cannot create \"data\" directory (%s)" : "Impossibile creare la cartella \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ciò può essere normalmente corretto fornendo al server web accesso in scrittura alla cartella radice.", diff --git a/lib/l10n/it.json b/lib/l10n/it.json index 76aec9a045fdf..894778be77657 100644 --- a/lib/l10n/it.json +++ b/lib/l10n/it.json @@ -184,8 +184,6 @@ "Could not create user" : "Impossibile creare l'utente", "User disabled" : "Utente disabilitato", "Login canceled by app" : "Accesso annullato dall'applicazione", - "No app name specified" : "Il nome dell'applicazione non è specificato", - "App '%s' could not be installed!" : "L'applicazione '%s' non può essere installata!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'applicazione \"%s\" non può essere installata poiché le seguenti dipendenze non sono soddisfatte: %s", "a safe home for all your data" : "un posto sicuro per tutti i tuoi dati", "File is currently busy, please try again later" : "Il file è attualmente occupato, riprova più tardi", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Impossibile impostare la data di scadenza a più di %s giorni nel futuro", "Personal" : "Personale", "Admin" : "Admin", + "No app name specified" : "Il nome dell'applicazione non è specificato", + "App '%s' could not be installed!" : "L'applicazione '%s' non può essere installata!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ciò può essere normalmente corretto %sfornendo al server web accesso in scrittura alla cartella \"apps\"%s o disabilitando il negozio di applicazioni nel file di configurazione.", "Cannot create \"data\" directory (%s)" : "Impossibile creare la cartella \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ciò può essere normalmente corretto fornendo al server web accesso in scrittura alla cartella radice.", diff --git a/lib/l10n/ja.js b/lib/l10n/ja.js index 3f362a1374137..5e5f9b2d9c237 100644 --- a/lib/l10n/ja.js +++ b/lib/l10n/ja.js @@ -174,8 +174,6 @@ OC.L10N.register( "Could not create user" : "ユーザーを作成できませんでした", "User disabled" : "ユーザーは無効です", "Login canceled by app" : "アプリによりログインが中止されました", - "No app name specified" : "アプリ名が未指定", - "App '%s' could not be installed!" : "'%s' アプリをインストールできませんでした。", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "次の依存関係が満たされないため、\"%s\" アプリをインストールできません:%s", "a safe home for all your data" : "あなたの全データの安全な家", "File is currently busy, please try again later" : "現在ファイルはビジーです。後でもう一度試してください。", @@ -234,6 +232,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "有効期限を%s日以降に設定できません。", "Personal" : "個人", "Admin" : "管理", + "No app name specified" : "アプリ名が未指定", + "App '%s' could not be installed!" : "'%s' アプリをインストールできませんでした。", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "多くの場合、これは %s Webサーバーにappsディレクトリ %s への書き込み権限を与えるか、設定ファイルでアプリストアを無効化することで解決できます。", "Cannot create \"data\" directory (%s)" : "\"data\" ディレクトリ (%s) を作成できません", "This can usually be fixed by giving the webserver write access to the root directory." : "通常、Webサーバーにルートディレクトリへの書き込み権限を与えることで解決できます。", diff --git a/lib/l10n/ja.json b/lib/l10n/ja.json index 86e4c06622eab..d6e2345257eb4 100644 --- a/lib/l10n/ja.json +++ b/lib/l10n/ja.json @@ -172,8 +172,6 @@ "Could not create user" : "ユーザーを作成できませんでした", "User disabled" : "ユーザーは無効です", "Login canceled by app" : "アプリによりログインが中止されました", - "No app name specified" : "アプリ名が未指定", - "App '%s' could not be installed!" : "'%s' アプリをインストールできませんでした。", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "次の依存関係が満たされないため、\"%s\" アプリをインストールできません:%s", "a safe home for all your data" : "あなたの全データの安全な家", "File is currently busy, please try again later" : "現在ファイルはビジーです。後でもう一度試してください。", @@ -232,6 +230,8 @@ "Cannot set expiration date more than %s days in the future" : "有効期限を%s日以降に設定できません。", "Personal" : "個人", "Admin" : "管理", + "No app name specified" : "アプリ名が未指定", + "App '%s' could not be installed!" : "'%s' アプリをインストールできませんでした。", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "多くの場合、これは %s Webサーバーにappsディレクトリ %s への書き込み権限を与えるか、設定ファイルでアプリストアを無効化することで解決できます。", "Cannot create \"data\" directory (%s)" : "\"data\" ディレクトリ (%s) を作成できません", "This can usually be fixed by giving the webserver write access to the root directory." : "通常、Webサーバーにルートディレクトリへの書き込み権限を与えることで解決できます。", diff --git a/lib/l10n/ka_GE.js b/lib/l10n/ka_GE.js index 4be2d75c4a9fd..2d55fa5abee9e 100644 --- a/lib/l10n/ka_GE.js +++ b/lib/l10n/ka_GE.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "მომხმარებლის შექმნა ვერ მოხერხდა", "User disabled" : "მომხმარებელი გათიშულია", "Login canceled by app" : "აპლიკაციამ ლოგინი უარყო", - "No app name specified" : "აპლიკაციის სახელი არაა მოცემული", - "App '%s' could not be installed!" : "აპლიკაცია '%s' ვერ ყენდება!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "აპლიკაცია \"%s\" ვერ ყენდება, რადგან შემდეგი დამოკიდებულებები არაა დაკმაყოფილებული: %s", "a safe home for all your data" : "უსაფრთხო სახლი მთელი თქვენი მონაცემებისათვის", "File is currently busy, please try again later" : "ფაილი ამჟამად დაკავებულია, გთხოვთ მოგვიანებით სცადოთ ახლიდან", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "ვადის ამოწურვის თარიღი %s დღეზე მეტი მომავალში ვერ იქნება", "Personal" : "პირადი", "Admin" : "ადმინისტრატორი", + "No app name specified" : "აპლიკაციის სახელი არაა მოცემული", + "App '%s' could not be installed!" : "აპლიკაცია '%s' ვერ ყენდება!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "ეს ჩვეულებრივ გამოსწორებადია %sვებსერვერისთვის აპლიკაციების დირექტორიაზე%s წერის უფლების მინიჭებით ან appstore-ის კონფიგურაციის ფაილით გათიშვით.", "Cannot create \"data\" directory (%s)" : "\"data\" დირექტორია ვერ შეიქმნა (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "ეს ჩვეულებრივ გამოსწორებადია ვებსერვერისთვის root დირექტორიაზე წერის უფლებების მინიჭებით.", diff --git a/lib/l10n/ka_GE.json b/lib/l10n/ka_GE.json index 12d5a6c63c8db..9f554acfcb37e 100644 --- a/lib/l10n/ka_GE.json +++ b/lib/l10n/ka_GE.json @@ -184,8 +184,6 @@ "Could not create user" : "მომხმარებლის შექმნა ვერ მოხერხდა", "User disabled" : "მომხმარებელი გათიშულია", "Login canceled by app" : "აპლიკაციამ ლოგინი უარყო", - "No app name specified" : "აპლიკაციის სახელი არაა მოცემული", - "App '%s' could not be installed!" : "აპლიკაცია '%s' ვერ ყენდება!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "აპლიკაცია \"%s\" ვერ ყენდება, რადგან შემდეგი დამოკიდებულებები არაა დაკმაყოფილებული: %s", "a safe home for all your data" : "უსაფრთხო სახლი მთელი თქვენი მონაცემებისათვის", "File is currently busy, please try again later" : "ფაილი ამჟამად დაკავებულია, გთხოვთ მოგვიანებით სცადოთ ახლიდან", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "ვადის ამოწურვის თარიღი %s დღეზე მეტი მომავალში ვერ იქნება", "Personal" : "პირადი", "Admin" : "ადმინისტრატორი", + "No app name specified" : "აპლიკაციის სახელი არაა მოცემული", + "App '%s' could not be installed!" : "აპლიკაცია '%s' ვერ ყენდება!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "ეს ჩვეულებრივ გამოსწორებადია %sვებსერვერისთვის აპლიკაციების დირექტორიაზე%s წერის უფლების მინიჭებით ან appstore-ის კონფიგურაციის ფაილით გათიშვით.", "Cannot create \"data\" directory (%s)" : "\"data\" დირექტორია ვერ შეიქმნა (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "ეს ჩვეულებრივ გამოსწორებადია ვებსერვერისთვის root დირექტორიაზე წერის უფლებების მინიჭებით.", diff --git a/lib/l10n/ko.js b/lib/l10n/ko.js index 8593058bf685f..46ffd1949001d 100644 --- a/lib/l10n/ko.js +++ b/lib/l10n/ko.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "사용자를 만들 수 없습니다", "User disabled" : "사용자 비활성화됨", "Login canceled by app" : "앱에서 로그인 취소함", - "No app name specified" : "앱 이름이 지정되지 않았음", - "App '%s' could not be installed!" : "앱 '%s'을(를) 설치할 수 없습니다!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "앱 \"%s\"의 다음 의존성을 만족하지 못하므로 설치할 수 없습니다: %s", "a safe home for all your data" : "내 모든 데이터의 안전한 저장소", "File is currently busy, please try again later" : "파일이 현재 사용 중, 나중에 다시 시도하십시오", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "만료 날짜를 %s일 이상 이후로 설정할 수 없습니다", "Personal" : "개인", "Admin" : "관리자", + "No app name specified" : "앱 이름이 지정되지 않았음", + "App '%s' could not be installed!" : "앱 '%s'을(를) 설치할 수 없습니다!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "%sapps 디렉터리에 웹 서버 쓰기 권한%s을 주거나 설정 파일에서 앱 스토어를 비활성화하면 해결됩니다.", "Cannot create \"data\" directory (%s)" : "\"data\" 디렉터리를 만들 수 없음(%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "루트 디렉터리에 웹 서버 쓰기 권한을 주면 해결됩니다.", diff --git a/lib/l10n/ko.json b/lib/l10n/ko.json index c8b3d0e8ee965..f0880ed25ad78 100644 --- a/lib/l10n/ko.json +++ b/lib/l10n/ko.json @@ -184,8 +184,6 @@ "Could not create user" : "사용자를 만들 수 없습니다", "User disabled" : "사용자 비활성화됨", "Login canceled by app" : "앱에서 로그인 취소함", - "No app name specified" : "앱 이름이 지정되지 않았음", - "App '%s' could not be installed!" : "앱 '%s'을(를) 설치할 수 없습니다!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "앱 \"%s\"의 다음 의존성을 만족하지 못하므로 설치할 수 없습니다: %s", "a safe home for all your data" : "내 모든 데이터의 안전한 저장소", "File is currently busy, please try again later" : "파일이 현재 사용 중, 나중에 다시 시도하십시오", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "만료 날짜를 %s일 이상 이후로 설정할 수 없습니다", "Personal" : "개인", "Admin" : "관리자", + "No app name specified" : "앱 이름이 지정되지 않았음", + "App '%s' could not be installed!" : "앱 '%s'을(를) 설치할 수 없습니다!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "%sapps 디렉터리에 웹 서버 쓰기 권한%s을 주거나 설정 파일에서 앱 스토어를 비활성화하면 해결됩니다.", "Cannot create \"data\" directory (%s)" : "\"data\" 디렉터리를 만들 수 없음(%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "루트 디렉터리에 웹 서버 쓰기 권한을 주면 해결됩니다.", diff --git a/lib/l10n/lt_LT.js b/lib/l10n/lt_LT.js index d204fbab59222..aae7b692ac883 100644 --- a/lib/l10n/lt_LT.js +++ b/lib/l10n/lt_LT.js @@ -162,8 +162,6 @@ OC.L10N.register( "Could not create user" : "Nepavyko sukurti naudotojo", "User disabled" : "Naudotojas išjungtas", "Login canceled by app" : "Programėlė nutraukė prisijungimo procesą", - "No app name specified" : "Nenurodytas programėlės pavadinimas", - "App '%s' could not be installed!" : "Nepavyko įdiegti '%s' programėlės!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Programa \"%s\" negali būti įdiegta, nes nėra įvykdytos: %s", "a safe home for all your data" : "saugūs namai visiems jūsų duomenims", "File is currently busy, please try again later" : "Failas šiuo metu yra užimtas, prašome vėliau pabandyti dar kartą", @@ -217,6 +215,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Negalima nustatyti galiojimo laiko ilgesnio nei %s dienos.", "Personal" : "Asmeniniai", "Admin" : "Administravimas", + "No app name specified" : "Nenurodytas programėlės pavadinimas", + "App '%s' could not be installed!" : "Nepavyko įdiegti '%s' programėlės!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Tai, dažniausiai, gali būti ištaisyta, %s suteikiant saityno serveriui rašymo prieigą prie programų katalogo%s arba uždraudžiant appstore konfigūraciniame kataloge. ", "Cannot create \"data\" directory (%s)" : "Nepavyksta sukurti katalogo \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Tai, dažniausiai, gali būti ištaisyta, suteikiant saityno serveriui rašymo prieigą prie šakninio katalogo.", diff --git a/lib/l10n/lt_LT.json b/lib/l10n/lt_LT.json index dd3f29d9ecc6e..9fb3e1c357cd4 100644 --- a/lib/l10n/lt_LT.json +++ b/lib/l10n/lt_LT.json @@ -160,8 +160,6 @@ "Could not create user" : "Nepavyko sukurti naudotojo", "User disabled" : "Naudotojas išjungtas", "Login canceled by app" : "Programėlė nutraukė prisijungimo procesą", - "No app name specified" : "Nenurodytas programėlės pavadinimas", - "App '%s' could not be installed!" : "Nepavyko įdiegti '%s' programėlės!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Programa \"%s\" negali būti įdiegta, nes nėra įvykdytos: %s", "a safe home for all your data" : "saugūs namai visiems jūsų duomenims", "File is currently busy, please try again later" : "Failas šiuo metu yra užimtas, prašome vėliau pabandyti dar kartą", @@ -215,6 +213,8 @@ "Cannot set expiration date more than %s days in the future" : "Negalima nustatyti galiojimo laiko ilgesnio nei %s dienos.", "Personal" : "Asmeniniai", "Admin" : "Administravimas", + "No app name specified" : "Nenurodytas programėlės pavadinimas", + "App '%s' could not be installed!" : "Nepavyko įdiegti '%s' programėlės!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Tai, dažniausiai, gali būti ištaisyta, %s suteikiant saityno serveriui rašymo prieigą prie programų katalogo%s arba uždraudžiant appstore konfigūraciniame kataloge. ", "Cannot create \"data\" directory (%s)" : "Nepavyksta sukurti katalogo \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Tai, dažniausiai, gali būti ištaisyta, suteikiant saityno serveriui rašymo prieigą prie šakninio katalogo.", diff --git a/lib/l10n/nb.js b/lib/l10n/nb.js index 465f98b22e943..3661c213477e6 100644 --- a/lib/l10n/nb.js +++ b/lib/l10n/nb.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Kunne ikke opprette bruker", "User disabled" : "Brukeren er deaktivert", "Login canceled by app" : "Innlogging avbrutt av app", - "No app name specified" : "Intet programnavn spesifisert", - "App '%s' could not be installed!" : "Programmet '%s' kunne ikke installeres!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Programmet \"%s\" kan ikke installeres fordi følgende avhengigheter ikke er tilfredsstilt: %s", "a safe home for all your data" : "et sikkert hjem for alle dine data", "File is currently busy, please try again later" : "Filen er opptatt for øyeblikket, prøv igjen senere", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Kan ikke sette utløpsdato mer enn %s dager fram i tid", "Personal" : "Personlig", "Admin" : "Admin", + "No app name specified" : "Intet programnavn spesifisert", + "App '%s' could not be installed!" : "Programmet '%s' kunne ikke installeres!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dette kan vanligvis ordnes ved %så gi vev-tjeneren skrivetilgang til program-mappen%s eller ved å deaktivere programbutikken i config-filen.", "Cannot create \"data\" directory (%s)" : "Kan ikke opprette \"data\"-mappen (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Dette fikses vanligvis ved å gi vevtjeneren skrivetilgang til rotmappen.", diff --git a/lib/l10n/nb.json b/lib/l10n/nb.json index 62d2a4972dd6f..53caf70ec24a1 100644 --- a/lib/l10n/nb.json +++ b/lib/l10n/nb.json @@ -184,8 +184,6 @@ "Could not create user" : "Kunne ikke opprette bruker", "User disabled" : "Brukeren er deaktivert", "Login canceled by app" : "Innlogging avbrutt av app", - "No app name specified" : "Intet programnavn spesifisert", - "App '%s' could not be installed!" : "Programmet '%s' kunne ikke installeres!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Programmet \"%s\" kan ikke installeres fordi følgende avhengigheter ikke er tilfredsstilt: %s", "a safe home for all your data" : "et sikkert hjem for alle dine data", "File is currently busy, please try again later" : "Filen er opptatt for øyeblikket, prøv igjen senere", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Kan ikke sette utløpsdato mer enn %s dager fram i tid", "Personal" : "Personlig", "Admin" : "Admin", + "No app name specified" : "Intet programnavn spesifisert", + "App '%s' could not be installed!" : "Programmet '%s' kunne ikke installeres!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dette kan vanligvis ordnes ved %så gi vev-tjeneren skrivetilgang til program-mappen%s eller ved å deaktivere programbutikken i config-filen.", "Cannot create \"data\" directory (%s)" : "Kan ikke opprette \"data\"-mappen (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Dette fikses vanligvis ved å gi vevtjeneren skrivetilgang til rotmappen.", diff --git a/lib/l10n/nl.js b/lib/l10n/nl.js index ab6d4d66e1ec0..09423ce3af4cb 100644 --- a/lib/l10n/nl.js +++ b/lib/l10n/nl.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Kan gebruiker niet aanmaken.", "User disabled" : "Gebruiker geblokkeerd", "Login canceled by app" : "Inloggen geannuleerd door app", - "No app name specified" : "Geen app naam opgegeven.", - "App '%s' could not be installed!" : "App '%s' kan niet worden geïnstalleerd!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "App \"%s\" kan niet worden geïnstalleerd, omdat de volgende afhankelijkheden nodig zijn: %s", "a safe home for all your data" : "een veilige plek voor al je gegevens", "File is currently busy, please try again later" : "Bestandsverwerking bezig, probeer het later opnieuw", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Kan de vervaldatum niet meer dan %s dagen in de toekomst instellen", "Personal" : "Persoonlijk", "Admin" : "Beheerder", + "No app name specified" : "Geen app naam opgegeven.", + "App '%s' could not be installed!" : "App '%s' kan niet worden geïnstalleerd!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dit kan hersteld worden door de webserver schrijfrechten te %s geven op de appsdirectory %s of door de appstore te deactiveren in het configuratie bestand.", "Cannot create \"data\" directory (%s)" : "Kan de \"data\" directory (%s) niet aanmaken", "This can usually be fixed by giving the webserver write access to the root directory." : "Dit kan hersteld worden door de webserver schrijfrechten te geven tot de hoofd directory.", diff --git a/lib/l10n/nl.json b/lib/l10n/nl.json index c37eeb98c32a1..6e2ad190f8309 100644 --- a/lib/l10n/nl.json +++ b/lib/l10n/nl.json @@ -184,8 +184,6 @@ "Could not create user" : "Kan gebruiker niet aanmaken.", "User disabled" : "Gebruiker geblokkeerd", "Login canceled by app" : "Inloggen geannuleerd door app", - "No app name specified" : "Geen app naam opgegeven.", - "App '%s' could not be installed!" : "App '%s' kan niet worden geïnstalleerd!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "App \"%s\" kan niet worden geïnstalleerd, omdat de volgende afhankelijkheden nodig zijn: %s", "a safe home for all your data" : "een veilige plek voor al je gegevens", "File is currently busy, please try again later" : "Bestandsverwerking bezig, probeer het later opnieuw", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Kan de vervaldatum niet meer dan %s dagen in de toekomst instellen", "Personal" : "Persoonlijk", "Admin" : "Beheerder", + "No app name specified" : "Geen app naam opgegeven.", + "App '%s' could not be installed!" : "App '%s' kan niet worden geïnstalleerd!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Dit kan hersteld worden door de webserver schrijfrechten te %s geven op de appsdirectory %s of door de appstore te deactiveren in het configuratie bestand.", "Cannot create \"data\" directory (%s)" : "Kan de \"data\" directory (%s) niet aanmaken", "This can usually be fixed by giving the webserver write access to the root directory." : "Dit kan hersteld worden door de webserver schrijfrechten te geven tot de hoofd directory.", diff --git a/lib/l10n/pl.js b/lib/l10n/pl.js index b35a1041dce47..63e5de7a5f448 100644 --- a/lib/l10n/pl.js +++ b/lib/l10n/pl.js @@ -181,8 +181,6 @@ OC.L10N.register( "Could not create user" : "Nie można utworzyć użytkownika.", "User disabled" : "Użytkownik zablokowany", "Login canceled by app" : "Zalogowanie anulowane przez aplikację", - "No app name specified" : "Nie określono nazwy aplikacji", - "App '%s' could not be installed!" : "Aplikacja '%s' nie mogła zostać zainstalowana!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Aplikacja \"%s\" nie może zostać zainstalowana, ponieważ następujące zależności nie zostały spełnione: %s", "a safe home for all your data" : "Bezpieczny dom dla twoich danych", "File is currently busy, please try again later" : "Plik jest obecnie niedostępny, proszę spróbować ponownie później", @@ -241,6 +239,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Nie można utworzyć daty wygaśnięcia na %s dni do przodu", "Personal" : "Osobiste", "Admin" : "Administracja", + "No app name specified" : "Nie określono nazwy aplikacji", + "App '%s' could not be installed!" : "Aplikacja '%s' nie mogła zostać zainstalowana!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Można to zwykle rozwiązać przez %sdodanie serwerowi www uprawnień zapisu do katalogu apps%s lub wyłączenie appstore w pliku konfiguracyjnym.", "Cannot create \"data\" directory (%s)" : "Nie można utworzyć katalogu \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Z reguły to może zostać naprawione poprzez danie serwerowi web praw zapisu do katalogu domowego aplikacji.", diff --git a/lib/l10n/pl.json b/lib/l10n/pl.json index 0ce33fd1c2629..f48d7ec790836 100644 --- a/lib/l10n/pl.json +++ b/lib/l10n/pl.json @@ -179,8 +179,6 @@ "Could not create user" : "Nie można utworzyć użytkownika.", "User disabled" : "Użytkownik zablokowany", "Login canceled by app" : "Zalogowanie anulowane przez aplikację", - "No app name specified" : "Nie określono nazwy aplikacji", - "App '%s' could not be installed!" : "Aplikacja '%s' nie mogła zostać zainstalowana!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Aplikacja \"%s\" nie może zostać zainstalowana, ponieważ następujące zależności nie zostały spełnione: %s", "a safe home for all your data" : "Bezpieczny dom dla twoich danych", "File is currently busy, please try again later" : "Plik jest obecnie niedostępny, proszę spróbować ponownie później", @@ -239,6 +237,8 @@ "Cannot set expiration date more than %s days in the future" : "Nie można utworzyć daty wygaśnięcia na %s dni do przodu", "Personal" : "Osobiste", "Admin" : "Administracja", + "No app name specified" : "Nie określono nazwy aplikacji", + "App '%s' could not be installed!" : "Aplikacja '%s' nie mogła zostać zainstalowana!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Można to zwykle rozwiązać przez %sdodanie serwerowi www uprawnień zapisu do katalogu apps%s lub wyłączenie appstore w pliku konfiguracyjnym.", "Cannot create \"data\" directory (%s)" : "Nie można utworzyć katalogu \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Z reguły to może zostać naprawione poprzez danie serwerowi web praw zapisu do katalogu domowego aplikacji.", diff --git a/lib/l10n/pt_BR.js b/lib/l10n/pt_BR.js index 2027c461d1932..19b3e28861395 100644 --- a/lib/l10n/pt_BR.js +++ b/lib/l10n/pt_BR.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Não foi possível criar o usuário", "User disabled" : "Usuário desativado", "Login canceled by app" : "Login cancelado pelo aplicativo", - "No app name specified" : "O nome do aplicativo não foi especificado.", - "App '%s' could not be installed!" : "O aplicativo '%s' não pôde ser instalado!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "O aplicativo \"%s\" não pode ser instalado pois as seguintes dependências não foram cumpridas: %s", "a safe home for all your data" : "Um lar seguro para todos os seus dados", "File is currently busy, please try again later" : "O arquivo está ocupado, tente novamente mais tarde", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Não foi possível definir a data de expiração para mais que %s dias no futuro", "Personal" : "Pessoal", "Admin" : "Admininistrador", + "No app name specified" : "O nome do aplicativo não foi especificado.", + "App '%s' could not be installed!" : "O aplicativo '%s' não pôde ser instalado!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Isto pode ser corrigido por %sdando ao servidor web permissão de escrita para o diretório app%s ou desabilitando o appstore no arquivo de configuração.", "Cannot create \"data\" directory (%s)" : "Não pôde ser criado o diretório \"dados\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Isto geralmente pode ser corrigido ao dar permissão de gravação no diretório raiz.", diff --git a/lib/l10n/pt_BR.json b/lib/l10n/pt_BR.json index 46edbc8dd3195..a143dc676b7bd 100644 --- a/lib/l10n/pt_BR.json +++ b/lib/l10n/pt_BR.json @@ -184,8 +184,6 @@ "Could not create user" : "Não foi possível criar o usuário", "User disabled" : "Usuário desativado", "Login canceled by app" : "Login cancelado pelo aplicativo", - "No app name specified" : "O nome do aplicativo não foi especificado.", - "App '%s' could not be installed!" : "O aplicativo '%s' não pôde ser instalado!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "O aplicativo \"%s\" não pode ser instalado pois as seguintes dependências não foram cumpridas: %s", "a safe home for all your data" : "Um lar seguro para todos os seus dados", "File is currently busy, please try again later" : "O arquivo está ocupado, tente novamente mais tarde", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Não foi possível definir a data de expiração para mais que %s dias no futuro", "Personal" : "Pessoal", "Admin" : "Admininistrador", + "No app name specified" : "O nome do aplicativo não foi especificado.", + "App '%s' could not be installed!" : "O aplicativo '%s' não pôde ser instalado!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Isto pode ser corrigido por %sdando ao servidor web permissão de escrita para o diretório app%s ou desabilitando o appstore no arquivo de configuração.", "Cannot create \"data\" directory (%s)" : "Não pôde ser criado o diretório \"dados\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Isto geralmente pode ser corrigido ao dar permissão de gravação no diretório raiz.", diff --git a/lib/l10n/ru.js b/lib/l10n/ru.js index e63656b44944b..6b9e32c6fe2cf 100644 --- a/lib/l10n/ru.js +++ b/lib/l10n/ru.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Не удалось создать пользователя", "User disabled" : "Пользователь отключен", "Login canceled by app" : "Вход отменен приложением", - "No app name specified" : "Не указано имя приложения", - "App '%s' could not be installed!" : "Приложение '%s' не может быть установлено!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Приложение «%s» не может быть установлено, так как следующие зависимости не выполнены: %s", "a safe home for all your data" : "надёжный дом для всех ваших данных", "File is currently busy, please try again later" : "Файл в данный момент используется, повторите попытку позже.", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Невозможно установить дату окончания срока действия более %s дней", "Personal" : "Личное", "Admin" : "Администрирование", + "No app name specified" : "Не указано имя приложения", + "App '%s' could not be installed!" : "Приложение '%s' не может быть установлено!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Обычно это можно исправить, %sпредоставив веб-серверу права на запись в каталог приложений%s или отключив магазин приложений в файле конфигурации.", "Cannot create \"data\" directory (%s)" : "Невозможно создать каталог «data» (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Обычно это можно исправить предоставив веб-серверу права на запись в корневом каталоге.", diff --git a/lib/l10n/ru.json b/lib/l10n/ru.json index 980cd6b46d882..0d136633b8937 100644 --- a/lib/l10n/ru.json +++ b/lib/l10n/ru.json @@ -184,8 +184,6 @@ "Could not create user" : "Не удалось создать пользователя", "User disabled" : "Пользователь отключен", "Login canceled by app" : "Вход отменен приложением", - "No app name specified" : "Не указано имя приложения", - "App '%s' could not be installed!" : "Приложение '%s' не может быть установлено!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Приложение «%s» не может быть установлено, так как следующие зависимости не выполнены: %s", "a safe home for all your data" : "надёжный дом для всех ваших данных", "File is currently busy, please try again later" : "Файл в данный момент используется, повторите попытку позже.", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Невозможно установить дату окончания срока действия более %s дней", "Personal" : "Личное", "Admin" : "Администрирование", + "No app name specified" : "Не указано имя приложения", + "App '%s' could not be installed!" : "Приложение '%s' не может быть установлено!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Обычно это можно исправить, %sпредоставив веб-серверу права на запись в каталог приложений%s или отключив магазин приложений в файле конфигурации.", "Cannot create \"data\" directory (%s)" : "Невозможно создать каталог «data» (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Обычно это можно исправить предоставив веб-серверу права на запись в корневом каталоге.", diff --git a/lib/l10n/sk.js b/lib/l10n/sk.js index f9d9939c51d8f..239f7953312ba 100644 --- a/lib/l10n/sk.js +++ b/lib/l10n/sk.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Nepodarilo sa vytvoriť používateľa", "User disabled" : "Používateľ zakázaný", "Login canceled by app" : "Prihlásenie bolo zrušené aplikáciou", - "No app name specified" : "Nešpecifikované meno aplikácie", - "App '%s' could not be installed!" : "Aplikáciu '%s' nebolo možné nainštalovať!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Aplikáciu \"%s\" nie je možné inštalovať, pretože nie sú splnené nasledovné závislosti: %s", "a safe home for all your data" : "bezpečný domov pre všetky vaše dáta", "File is currently busy, please try again later" : "Súbor sa práve používa, skúste prosím neskôr", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Nie je možné nastaviť dátum konca platnosti viac ako %s dní v budúcnosti", "Personal" : "Osobné", "Admin" : "Administrátor", + "No app name specified" : "Nešpecifikované meno aplikácie", + "App '%s' could not be installed!" : "Aplikáciu '%s' nebolo možné nainštalovať!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Toto je zvyčajne možné opraviť tým, že %s udelíte webovému serveru oprávnenie na zápis do priečinka aplikácií %s alebo vypnete obchod s aplikáciami v konfiguračnom súbore.", "Cannot create \"data\" directory (%s)" : "Nie je možné vytvoriť priečinok \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "To je zvyčajne možné opraviť tým že udelíte webovému serveru oprávnenie na zápis do koreňového priečinka.", diff --git a/lib/l10n/sk.json b/lib/l10n/sk.json index 693c82e98fc4a..d4200ef3e7c61 100644 --- a/lib/l10n/sk.json +++ b/lib/l10n/sk.json @@ -184,8 +184,6 @@ "Could not create user" : "Nepodarilo sa vytvoriť používateľa", "User disabled" : "Používateľ zakázaný", "Login canceled by app" : "Prihlásenie bolo zrušené aplikáciou", - "No app name specified" : "Nešpecifikované meno aplikácie", - "App '%s' could not be installed!" : "Aplikáciu '%s' nebolo možné nainštalovať!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Aplikáciu \"%s\" nie je možné inštalovať, pretože nie sú splnené nasledovné závislosti: %s", "a safe home for all your data" : "bezpečný domov pre všetky vaše dáta", "File is currently busy, please try again later" : "Súbor sa práve používa, skúste prosím neskôr", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Nie je možné nastaviť dátum konca platnosti viac ako %s dní v budúcnosti", "Personal" : "Osobné", "Admin" : "Administrátor", + "No app name specified" : "Nešpecifikované meno aplikácie", + "App '%s' could not be installed!" : "Aplikáciu '%s' nebolo možné nainštalovať!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Toto je zvyčajne možné opraviť tým, že %s udelíte webovému serveru oprávnenie na zápis do priečinka aplikácií %s alebo vypnete obchod s aplikáciami v konfiguračnom súbore.", "Cannot create \"data\" directory (%s)" : "Nie je možné vytvoriť priečinok \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "To je zvyčajne možné opraviť tým že udelíte webovému serveru oprávnenie na zápis do koreňového priečinka.", diff --git a/lib/l10n/sq.js b/lib/l10n/sq.js index e5a4c3558cb81..7c69dfdb9e13b 100644 --- a/lib/l10n/sq.js +++ b/lib/l10n/sq.js @@ -176,8 +176,6 @@ OC.L10N.register( "The username is already being used" : "Emri i përdoruesit është tashmë i përdorur", "User disabled" : "Përdorues i çaktivizuar", "Login canceled by app" : "Hyrja u anulua nga aplikacioni", - "No app name specified" : "S’u dha emër aplikacioni", - "App '%s' could not be installed!" : "Aplikacioni \"%s\" nuk mund të instalohet!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Përditësimi \"%s\" s’instalohet dot, ngaqë s’plotësohen varësitë vijuese: %s.", "a safe home for all your data" : "Një shtëpi e sigurt për të dhënat e tua", "File is currently busy, please try again later" : "Kartela tani është e zënë, ju lutemi, riprovoni më vonë.", @@ -236,6 +234,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "S’mund të caktohet data e skadimit më shumë se %s ditë në të ardhmen", "Personal" : "Personale", "Admin" : "Admin", + "No app name specified" : "S’u dha emër aplikacioni", + "App '%s' could not be installed!" : "Aplikacioni \"%s\" nuk mund të instalohet!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Zakonisht kjo mund të ndreqet duke %si akorduar shërbyesit web të drejta shkrimi mbi drejtorinë e aplikacionit%s ose duke e çaktivizuar appstore-in te kartela e formësimit.", "Cannot create \"data\" directory (%s)" : "S’krijohet dot drejtoria \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Zakonisht kjo mund të ndreqet duke i akorduar shërbyesit web të drejta shkrimi mbi drejtorinë rrënjë.", diff --git a/lib/l10n/sq.json b/lib/l10n/sq.json index 4b37c6456f547..7ad9391cb43fd 100644 --- a/lib/l10n/sq.json +++ b/lib/l10n/sq.json @@ -174,8 +174,6 @@ "The username is already being used" : "Emri i përdoruesit është tashmë i përdorur", "User disabled" : "Përdorues i çaktivizuar", "Login canceled by app" : "Hyrja u anulua nga aplikacioni", - "No app name specified" : "S’u dha emër aplikacioni", - "App '%s' could not be installed!" : "Aplikacioni \"%s\" nuk mund të instalohet!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Përditësimi \"%s\" s’instalohet dot, ngaqë s’plotësohen varësitë vijuese: %s.", "a safe home for all your data" : "Një shtëpi e sigurt për të dhënat e tua", "File is currently busy, please try again later" : "Kartela tani është e zënë, ju lutemi, riprovoni më vonë.", @@ -234,6 +232,8 @@ "Cannot set expiration date more than %s days in the future" : "S’mund të caktohet data e skadimit më shumë se %s ditë në të ardhmen", "Personal" : "Personale", "Admin" : "Admin", + "No app name specified" : "S’u dha emër aplikacioni", + "App '%s' could not be installed!" : "Aplikacioni \"%s\" nuk mund të instalohet!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Zakonisht kjo mund të ndreqet duke %si akorduar shërbyesit web të drejta shkrimi mbi drejtorinë e aplikacionit%s ose duke e çaktivizuar appstore-in te kartela e formësimit.", "Cannot create \"data\" directory (%s)" : "S’krijohet dot drejtoria \"data\" (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Zakonisht kjo mund të ndreqet duke i akorduar shërbyesit web të drejta shkrimi mbi drejtorinë rrënjë.", diff --git a/lib/l10n/sr.js b/lib/l10n/sr.js index cf372068d0859..cbc5f10436fb8 100644 --- a/lib/l10n/sr.js +++ b/lib/l10n/sr.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Не могу да направим корисника", "User disabled" : "Корисник онемогућен", "Login canceled by app" : "Пријава отказана од стране апликације", - "No app name specified" : "Није наведен назив апликације", - "App '%s' could not be installed!" : "Апликација '%s' не може да се инсталира!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Апликација „%s“ не може бити инсталирана јер следеће зависности нису испуњене: %s", "a safe home for all your data" : "сигурно место за све Ваше податке", "File is currently busy, please try again later" : "Фајл је тренутно заузет, покушајте поново касније", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Датум истека не може да се постави више од %s дана у будућност", "Personal" : "Лично", "Admin" : "Администрација", + "No app name specified" : "Није наведен назив апликације", + "App '%s' could not be installed!" : "Апликација '%s' не може да се инсталира!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ово се обично може поправити %sgдавањем права уписа веб серверу директоријум%s апликација или искуључивањем продавнице апликација у фајлу config file.", "Cannot create \"data\" directory (%s)" : "Не могу формирати \"data\" директоријуме (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ово је обично може поправити давајући веб серверу право писања у корени директоријум.", diff --git a/lib/l10n/sr.json b/lib/l10n/sr.json index a8cb9badf9bec..ec8c5ec2c3aa1 100644 --- a/lib/l10n/sr.json +++ b/lib/l10n/sr.json @@ -184,8 +184,6 @@ "Could not create user" : "Не могу да направим корисника", "User disabled" : "Корисник онемогућен", "Login canceled by app" : "Пријава отказана од стране апликације", - "No app name specified" : "Није наведен назив апликације", - "App '%s' could not be installed!" : "Апликација '%s' не може да се инсталира!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Апликација „%s“ не може бити инсталирана јер следеће зависности нису испуњене: %s", "a safe home for all your data" : "сигурно место за све Ваше податке", "File is currently busy, please try again later" : "Фајл је тренутно заузет, покушајте поново касније", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Датум истека не може да се постави више од %s дана у будућност", "Personal" : "Лично", "Admin" : "Администрација", + "No app name specified" : "Није наведен назив апликације", + "App '%s' could not be installed!" : "Апликација '%s' не може да се инсталира!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Ово се обично може поправити %sgдавањем права уписа веб серверу директоријум%s апликација или искуључивањем продавнице апликација у фајлу config file.", "Cannot create \"data\" directory (%s)" : "Не могу формирати \"data\" директоријуме (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Ово је обично може поправити давајући веб серверу право писања у корени директоријум.", diff --git a/lib/l10n/sv.js b/lib/l10n/sv.js index 2e6c4defce853..99516f6ea82ab 100644 --- a/lib/l10n/sv.js +++ b/lib/l10n/sv.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Kunde inte skapa användare", "User disabled" : "Användare inaktiverad", "Login canceled by app" : "Inloggningen avbruten av appen", - "No app name specified" : "Inget appnamn angivet", - "App '%s' could not be installed!" : "Applikationen \"%s\" gick inte att installera!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Applikationen \"%s\" kan ej installeras eftersom följande kriterier inte är uppfyllda: %s", "a safe home for all your data" : "En säker lagringsplats för all din data", "File is currently busy, please try again later" : "Filen är för tillfället upptagen, vänligen försök igen senare", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Kan ej välja ett utgångsdatum längre fram än %s dagar", "Personal" : "Personliga Inställningar", "Admin" : "Administration", + "No app name specified" : "Inget appnamn angivet", + "App '%s' could not be installed!" : "Applikationen \"%s\" gick inte att installera!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Detta kan vanligtvis åtgärdas genom att %s ger webbservern skrivrättigheter till applikationskatalogen %s eller stänga av app-butik i konfigurationsfilen.", "Cannot create \"data\" directory (%s)" : "Kan inte skapa \"data\" katalog (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Detta kan vanligtvis åtgärdas genom att ge webbserver skrivåtkomst till rotkatalogen .", diff --git a/lib/l10n/sv.json b/lib/l10n/sv.json index ab2183b6d866d..ff77b5197278a 100644 --- a/lib/l10n/sv.json +++ b/lib/l10n/sv.json @@ -184,8 +184,6 @@ "Could not create user" : "Kunde inte skapa användare", "User disabled" : "Användare inaktiverad", "Login canceled by app" : "Inloggningen avbruten av appen", - "No app name specified" : "Inget appnamn angivet", - "App '%s' could not be installed!" : "Applikationen \"%s\" gick inte att installera!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Applikationen \"%s\" kan ej installeras eftersom följande kriterier inte är uppfyllda: %s", "a safe home for all your data" : "En säker lagringsplats för all din data", "File is currently busy, please try again later" : "Filen är för tillfället upptagen, vänligen försök igen senare", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Kan ej välja ett utgångsdatum längre fram än %s dagar", "Personal" : "Personliga Inställningar", "Admin" : "Administration", + "No app name specified" : "Inget appnamn angivet", + "App '%s' could not be installed!" : "Applikationen \"%s\" gick inte att installera!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Detta kan vanligtvis åtgärdas genom att %s ger webbservern skrivrättigheter till applikationskatalogen %s eller stänga av app-butik i konfigurationsfilen.", "Cannot create \"data\" directory (%s)" : "Kan inte skapa \"data\" katalog (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Detta kan vanligtvis åtgärdas genom att ge webbserver skrivåtkomst till rotkatalogen .", diff --git a/lib/l10n/tr.js b/lib/l10n/tr.js index caa416435c13c..77de0f83436c6 100644 --- a/lib/l10n/tr.js +++ b/lib/l10n/tr.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "Kullanıcı oluşturulamadı", "User disabled" : "Kullanıcı devre dışı", "Login canceled by app" : "Oturum açma uygulama tarafından iptal edildi", - "No app name specified" : "Uygulama adı belirtilmemiş", - "App '%s' could not be installed!" : "'%s' uygulaması kurulamadı!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "\"%s\" uygulaması, şu gereklilikler sağlanmadığı için kurulamıyor: %s", "a safe home for all your data" : "verileriniz için güvenli bir barınak", "File is currently busy, please try again later" : "Dosya şu anda meşgul, lütfen daha sonra deneyin", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "Paylaşımların son kullanım süreleri, gelecekte %s günden fazla olamaz", "Personal" : "Kişisel", "Admin" : "Yönetici", + "No app name specified" : "Uygulama adı belirtilmemiş", + "App '%s' could not be installed!" : "'%s' uygulaması kurulamadı!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Bu sorun genellikle, %sweb sunucusuna apps klasörüne yazma izni verilerek%s çözülebilir.", "Cannot create \"data\" directory (%s)" : "\"Veri\" klasörü oluşturulamadı (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Bu sorun genellikle, web sunucusuna kök klasöre yazma izni verilerek çözülebilir.", diff --git a/lib/l10n/tr.json b/lib/l10n/tr.json index d04324d8af803..a229657b479a8 100644 --- a/lib/l10n/tr.json +++ b/lib/l10n/tr.json @@ -184,8 +184,6 @@ "Could not create user" : "Kullanıcı oluşturulamadı", "User disabled" : "Kullanıcı devre dışı", "Login canceled by app" : "Oturum açma uygulama tarafından iptal edildi", - "No app name specified" : "Uygulama adı belirtilmemiş", - "App '%s' could not be installed!" : "'%s' uygulaması kurulamadı!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "\"%s\" uygulaması, şu gereklilikler sağlanmadığı için kurulamıyor: %s", "a safe home for all your data" : "verileriniz için güvenli bir barınak", "File is currently busy, please try again later" : "Dosya şu anda meşgul, lütfen daha sonra deneyin", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "Paylaşımların son kullanım süreleri, gelecekte %s günden fazla olamaz", "Personal" : "Kişisel", "Admin" : "Yönetici", + "No app name specified" : "Uygulama adı belirtilmemiş", + "App '%s' could not be installed!" : "'%s' uygulaması kurulamadı!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "Bu sorun genellikle, %sweb sunucusuna apps klasörüne yazma izni verilerek%s çözülebilir.", "Cannot create \"data\" directory (%s)" : "\"Veri\" klasörü oluşturulamadı (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "Bu sorun genellikle, web sunucusuna kök klasöre yazma izni verilerek çözülebilir.", diff --git a/lib/l10n/zh_CN.js b/lib/l10n/zh_CN.js index 421a31bc1cb3c..bd2044690f767 100644 --- a/lib/l10n/zh_CN.js +++ b/lib/l10n/zh_CN.js @@ -186,8 +186,6 @@ OC.L10N.register( "Could not create user" : "无法创建用户", "User disabled" : "用户已禁用", "Login canceled by app" : "已通过应用取消登录", - "No app name specified" : "没有指定的 App 名称", - "App '%s' could not be installed!" : "应用程序 '%s' 无法被安装!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "应用程序 \"%s\" 无法被安装,因为为满足下列依赖关系: %s", "a safe home for all your data" : "给您所有的数据一个安全的家", "File is currently busy, please try again later" : "文件当前正忙,请稍后再试", @@ -246,6 +244,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "无法将过期日期设置为超过 %s 天.", "Personal" : "个人", "Admin" : "管理", + "No app name specified" : "没有指定的 App 名称", + "App '%s' could not be installed!" : "应用程序 '%s' 无法被安装!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "您可以由 %s 设置 Web 服务器对应用目录 %s 的写权限或在配置文件中禁用应用商店可以修复这个问题.", "Cannot create \"data\" directory (%s)" : "无法创建“apps”目录 (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "点击 设置 Web 服务器对根目录的写入权限 可修复这个问题.", diff --git a/lib/l10n/zh_CN.json b/lib/l10n/zh_CN.json index 3734f2630a3b6..c31361a946e40 100644 --- a/lib/l10n/zh_CN.json +++ b/lib/l10n/zh_CN.json @@ -184,8 +184,6 @@ "Could not create user" : "无法创建用户", "User disabled" : "用户已禁用", "Login canceled by app" : "已通过应用取消登录", - "No app name specified" : "没有指定的 App 名称", - "App '%s' could not be installed!" : "应用程序 '%s' 无法被安装!", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "应用程序 \"%s\" 无法被安装,因为为满足下列依赖关系: %s", "a safe home for all your data" : "给您所有的数据一个安全的家", "File is currently busy, please try again later" : "文件当前正忙,请稍后再试", @@ -244,6 +242,8 @@ "Cannot set expiration date more than %s days in the future" : "无法将过期日期设置为超过 %s 天.", "Personal" : "个人", "Admin" : "管理", + "No app name specified" : "没有指定的 App 名称", + "App '%s' could not be installed!" : "应用程序 '%s' 无法被安装!", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "您可以由 %s 设置 Web 服务器对应用目录 %s 的写权限或在配置文件中禁用应用商店可以修复这个问题.", "Cannot create \"data\" directory (%s)" : "无法创建“apps”目录 (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "点击 设置 Web 服务器对根目录的写入权限 可修复这个问题.", diff --git a/lib/l10n/zh_TW.js b/lib/l10n/zh_TW.js index 129f4f24f2366..9f789f0a9cef6 100644 --- a/lib/l10n/zh_TW.js +++ b/lib/l10n/zh_TW.js @@ -175,8 +175,6 @@ OC.L10N.register( "Could not create user" : "無法建立使用者", "User disabled" : "使用者已停用", "Login canceled by app" : "應用程式取消了登入", - "No app name specified" : "沒有指定應用程式名稱", - "App '%s' could not be installed!" : "無法安裝應用程式 \"%s\"", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "應用程式 \"%s\" 無法被安裝,缺少下列所需元件: %s", "a safe home for all your data" : "您資料的安全屋", "File is currently busy, please try again later" : "檔案目前忙碌中,請稍候再試", @@ -235,6 +233,8 @@ OC.L10N.register( "Cannot set expiration date more than %s days in the future" : "無法設定到期日超過未來%s天", "Personal" : "個人", "Admin" : "管理", + "No app name specified" : "沒有指定應用程式名稱", + "App '%s' could not be installed!" : "無法安裝應用程式 \"%s\"", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "通常藉由%s開放網頁伺服器對 apps 目錄的權限%s或是在設定檔中關閉 appstore 就可以修正這個問題", "Cannot create \"data\" directory (%s)" : "無法建立 \"data\" 目錄 (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "開放網頁伺服器寫入根目錄通常就可以解決這個問題。", diff --git a/lib/l10n/zh_TW.json b/lib/l10n/zh_TW.json index 6e9a1663f451c..309ce773e95f6 100644 --- a/lib/l10n/zh_TW.json +++ b/lib/l10n/zh_TW.json @@ -173,8 +173,6 @@ "Could not create user" : "無法建立使用者", "User disabled" : "使用者已停用", "Login canceled by app" : "應用程式取消了登入", - "No app name specified" : "沒有指定應用程式名稱", - "App '%s' could not be installed!" : "無法安裝應用程式 \"%s\"", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "應用程式 \"%s\" 無法被安裝,缺少下列所需元件: %s", "a safe home for all your data" : "您資料的安全屋", "File is currently busy, please try again later" : "檔案目前忙碌中,請稍候再試", @@ -233,6 +231,8 @@ "Cannot set expiration date more than %s days in the future" : "無法設定到期日超過未來%s天", "Personal" : "個人", "Admin" : "管理", + "No app name specified" : "沒有指定應用程式名稱", + "App '%s' could not be installed!" : "無法安裝應用程式 \"%s\"", "This can usually be fixed by %sgiving the webserver write access to the apps directory%s or disabling the appstore in the config file." : "通常藉由%s開放網頁伺服器對 apps 目錄的權限%s或是在設定檔中關閉 appstore 就可以修正這個問題", "Cannot create \"data\" directory (%s)" : "無法建立 \"data\" 目錄 (%s)", "This can usually be fixed by giving the webserver write access to the root directory." : "開放網頁伺服器寫入根目錄通常就可以解決這個問題。", From f46573d8368725844b57d84ffdbdb276639508b7 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Thu, 1 Feb 2018 13:53:20 +0100 Subject: [PATCH 047/251] Update doc link version to 13 Signed-off-by: Morris Jobke --- lib/private/legacy/defaults.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/private/legacy/defaults.php b/lib/private/legacy/defaults.php index 494c65ef226b7..ead8d2703df39 100644 --- a/lib/private/legacy/defaults.php +++ b/lib/private/legacy/defaults.php @@ -64,7 +64,7 @@ public function __construct() { $this->defaultiTunesAppId = '1125420102'; $this->defaultAndroidClientUrl = 'https://play.google.com/store/apps/details?id=com.nextcloud.client'; $this->defaultDocBaseUrl = 'https://docs.nextcloud.com'; - $this->defaultDocVersion = '12'; // used to generate doc links + $this->defaultDocVersion = '13'; // used to generate doc links $this->defaultSlogan = $this->l->t('a safe home for all your data'); $this->defaultColorPrimary = '#0082c9'; $this->defaultTextColorPrimary = '#ffffff'; From d9e229ab70f153c0ad602da32c3a9939e9133ea3 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Thu, 1 Feb 2018 13:22:36 +0100 Subject: [PATCH 048/251] Use correct update server Signed-off-by: Morris Jobke --- .../lib/Controller/AdminController.php | 2 +- .../tests/Controller/AdminControllerTest.php | 12 ++++++------ 2 files changed, 7 insertions(+), 7 deletions(-) diff --git a/apps/updatenotification/lib/Controller/AdminController.php b/apps/updatenotification/lib/Controller/AdminController.php index 9d2a5074a4aa9..c96326c862e96 100644 --- a/apps/updatenotification/lib/Controller/AdminController.php +++ b/apps/updatenotification/lib/Controller/AdminController.php @@ -107,7 +107,7 @@ public function displayPanel() { $notifyGroups = json_decode($this->config->getAppValue('updatenotification', 'notify_groups', '["admin"]'), true); - $defaultUpdateServerURL = 'https://updates.nextcloud.com/server/'; + $defaultUpdateServerURL = 'https://updates.nextcloud.com/updater_server/'; $updateServerURL = $this->config->getSystemValue('updater.server.url', $defaultUpdateServerURL); $params = [ diff --git a/apps/updatenotification/tests/Controller/AdminControllerTest.php b/apps/updatenotification/tests/Controller/AdminControllerTest.php index 75588a1aec5e5..6eb049f6281b5 100644 --- a/apps/updatenotification/tests/Controller/AdminControllerTest.php +++ b/apps/updatenotification/tests/Controller/AdminControllerTest.php @@ -107,8 +107,8 @@ public function testDisplayPanelWithUpdate() { $this->config ->expects($this->once()) ->method('getSystemValue') - ->with('updater.server.url', 'https://updates.nextcloud.com/server/') - ->willReturn('https://updates.nextcloud.com/server/'); + ->with('updater.server.url', 'https://updates.nextcloud.com/updater_server/') + ->willReturn('https://updates.nextcloud.com/updater_server/'); $this->dateTimeFormatter ->expects($this->once()) ->method('formatDateTime') @@ -134,7 +134,7 @@ public function testDisplayPanelWithUpdate() { 'downloadLink' => 'https://downloads.nextcloud.org/server', 'updaterEnabled' => true, 'isDefaultUpdateServerURL' => true, - 'updateServerURL' => 'https://updates.nextcloud.com/server/', + 'updateServerURL' => 'https://updates.nextcloud.com/updater_server/', 'notify_groups' => 'admin', ]; @@ -166,8 +166,8 @@ public function testDisplayPanelWithoutUpdate() { $this->config ->expects($this->once()) ->method('getSystemValue') - ->with('updater.server.url', 'https://updates.nextcloud.com/server/') - ->willReturn('https://updates.nextcloud.com/server/'); + ->with('updater.server.url', 'https://updates.nextcloud.com/updater_server/') + ->willReturn('https://updates.nextcloud.com/updater_server/'); $this->dateTimeFormatter ->expects($this->once()) ->method('formatDateTime') @@ -188,7 +188,7 @@ public function testDisplayPanelWithoutUpdate() { 'downloadLink' => '', 'updaterEnabled' => 0, 'isDefaultUpdateServerURL' => true, - 'updateServerURL' => 'https://updates.nextcloud.com/server/', + 'updateServerURL' => 'https://updates.nextcloud.com/updater_server/', 'notify_groups' => 'admin', ]; From d5e56b34c48bd24eaac7689e940c41f9548dd153 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Thu, 1 Feb 2018 17:20:02 +0000 Subject: [PATCH 049/251] [tx-robot] updated from transifex --- apps/encryption/l10n/ca.js | 3 +- apps/encryption/l10n/ca.json | 3 +- apps/encryption/l10n/cs.js | 3 +- apps/encryption/l10n/cs.json | 3 +- apps/encryption/l10n/da.js | 3 +- apps/encryption/l10n/da.json | 3 +- apps/encryption/l10n/de.js | 3 +- apps/encryption/l10n/de.json | 3 +- apps/encryption/l10n/de_DE.js | 3 +- apps/encryption/l10n/de_DE.json | 3 +- apps/encryption/l10n/el.js | 3 +- apps/encryption/l10n/el.json | 3 +- apps/encryption/l10n/en_GB.js | 3 +- apps/encryption/l10n/en_GB.json | 3 +- apps/encryption/l10n/es.js | 3 +- apps/encryption/l10n/es.json | 3 +- apps/encryption/l10n/es_419.js | 3 +- apps/encryption/l10n/es_419.json | 3 +- apps/encryption/l10n/es_AR.js | 3 +- apps/encryption/l10n/es_AR.json | 3 +- apps/encryption/l10n/es_CL.js | 3 +- apps/encryption/l10n/es_CL.json | 3 +- apps/encryption/l10n/es_CO.js | 3 +- apps/encryption/l10n/es_CO.json | 3 +- apps/encryption/l10n/es_CR.js | 3 +- apps/encryption/l10n/es_CR.json | 3 +- apps/encryption/l10n/es_DO.js | 3 +- apps/encryption/l10n/es_DO.json | 3 +- apps/encryption/l10n/es_EC.js | 3 +- apps/encryption/l10n/es_EC.json | 3 +- apps/encryption/l10n/es_GT.js | 3 +- apps/encryption/l10n/es_GT.json | 3 +- apps/encryption/l10n/es_HN.js | 3 +- apps/encryption/l10n/es_HN.json | 3 +- apps/encryption/l10n/es_MX.js | 3 +- apps/encryption/l10n/es_MX.json | 3 +- apps/encryption/l10n/es_NI.js | 3 +- apps/encryption/l10n/es_NI.json | 3 +- apps/encryption/l10n/es_PA.js | 3 +- apps/encryption/l10n/es_PA.json | 3 +- apps/encryption/l10n/es_PE.js | 3 +- apps/encryption/l10n/es_PE.json | 3 +- apps/encryption/l10n/es_PR.js | 3 +- apps/encryption/l10n/es_PR.json | 3 +- apps/encryption/l10n/es_PY.js | 3 +- apps/encryption/l10n/es_PY.json | 3 +- apps/encryption/l10n/es_SV.js | 3 +- apps/encryption/l10n/es_SV.json | 3 +- apps/encryption/l10n/es_UY.js | 3 +- apps/encryption/l10n/es_UY.json | 3 +- apps/encryption/l10n/eu.js | 3 +- apps/encryption/l10n/eu.json | 3 +- apps/encryption/l10n/fi.js | 3 +- apps/encryption/l10n/fi.json | 3 +- apps/encryption/l10n/fr.js | 3 +- apps/encryption/l10n/fr.json | 3 +- apps/encryption/l10n/he.js | 3 +- apps/encryption/l10n/he.json | 3 +- apps/encryption/l10n/hu.js | 3 +- apps/encryption/l10n/hu.json | 3 +- apps/encryption/l10n/id.js | 3 +- apps/encryption/l10n/id.json | 3 +- apps/encryption/l10n/is.js | 3 +- apps/encryption/l10n/is.json | 3 +- apps/encryption/l10n/it.js | 3 +- apps/encryption/l10n/it.json | 3 +- apps/encryption/l10n/ja.js | 3 +- apps/encryption/l10n/ja.json | 3 +- apps/encryption/l10n/ka_GE.js | 3 +- apps/encryption/l10n/ka_GE.json | 3 +- apps/encryption/l10n/ko.js | 3 +- apps/encryption/l10n/ko.json | 3 +- apps/encryption/l10n/lt_LT.js | 3 +- apps/encryption/l10n/lt_LT.json | 3 +- apps/encryption/l10n/nb.js | 3 +- apps/encryption/l10n/nb.json | 3 +- apps/encryption/l10n/nl.js | 3 +- apps/encryption/l10n/nl.json | 3 +- apps/encryption/l10n/pl.js | 3 +- apps/encryption/l10n/pl.json | 3 +- apps/encryption/l10n/pt_BR.js | 3 +- apps/encryption/l10n/pt_BR.json | 3 +- apps/encryption/l10n/pt_PT.js | 3 +- apps/encryption/l10n/pt_PT.json | 3 +- apps/encryption/l10n/ru.js | 3 +- apps/encryption/l10n/ru.json | 3 +- apps/encryption/l10n/sk.js | 3 +- apps/encryption/l10n/sk.json | 3 +- apps/encryption/l10n/sl.js | 3 +- apps/encryption/l10n/sl.json | 3 +- apps/encryption/l10n/sq.js | 3 +- apps/encryption/l10n/sq.json | 3 +- apps/encryption/l10n/sr.js | 3 +- apps/encryption/l10n/sr.json | 3 +- apps/encryption/l10n/sv.js | 3 +- apps/encryption/l10n/sv.json | 3 +- apps/encryption/l10n/th.js | 3 +- apps/encryption/l10n/th.json | 3 +- apps/encryption/l10n/tr.js | 3 +- apps/encryption/l10n/tr.json | 3 +- apps/encryption/l10n/zh_CN.js | 3 +- apps/encryption/l10n/zh_CN.json | 3 +- apps/encryption/l10n/zh_TW.js | 3 +- apps/encryption/l10n/zh_TW.json | 3 +- apps/files/l10n/ca.js | 21 +- apps/files/l10n/ca.json | 21 +- apps/files/l10n/cs.js | 21 +- apps/files/l10n/cs.json | 21 +- apps/files/l10n/da.js | 21 +- apps/files/l10n/da.json | 21 +- apps/files/l10n/de.js | 21 +- apps/files/l10n/de.json | 21 +- apps/files/l10n/de_DE.js | 21 +- apps/files/l10n/de_DE.json | 21 +- apps/files/l10n/el.js | 21 +- apps/files/l10n/el.json | 21 +- apps/files/l10n/en_GB.js | 21 +- apps/files/l10n/en_GB.json | 21 +- apps/files/l10n/es.js | 21 +- apps/files/l10n/es.json | 21 +- apps/files/l10n/es_419.js | 21 +- apps/files/l10n/es_419.json | 21 +- apps/files/l10n/es_AR.js | 21 +- apps/files/l10n/es_AR.json | 21 +- apps/files/l10n/es_CL.js | 21 +- apps/files/l10n/es_CL.json | 21 +- apps/files/l10n/es_CO.js | 21 +- apps/files/l10n/es_CO.json | 21 +- apps/files/l10n/es_CR.js | 21 +- apps/files/l10n/es_CR.json | 21 +- apps/files/l10n/es_DO.js | 21 +- apps/files/l10n/es_DO.json | 21 +- apps/files/l10n/es_EC.js | 21 +- apps/files/l10n/es_EC.json | 21 +- apps/files/l10n/es_GT.js | 21 +- apps/files/l10n/es_GT.json | 21 +- apps/files/l10n/es_HN.js | 21 +- apps/files/l10n/es_HN.json | 21 +- apps/files/l10n/es_MX.js | 21 +- apps/files/l10n/es_MX.json | 21 +- apps/files/l10n/es_NI.js | 21 +- apps/files/l10n/es_NI.json | 21 +- apps/files/l10n/es_PA.js | 21 +- apps/files/l10n/es_PA.json | 21 +- apps/files/l10n/es_PE.js | 21 +- apps/files/l10n/es_PE.json | 21 +- apps/files/l10n/es_PR.js | 21 +- apps/files/l10n/es_PR.json | 21 +- apps/files/l10n/es_PY.js | 21 +- apps/files/l10n/es_PY.json | 21 +- apps/files/l10n/es_SV.js | 21 +- apps/files/l10n/es_SV.json | 21 +- apps/files/l10n/es_UY.js | 21 +- apps/files/l10n/es_UY.json | 21 +- apps/files/l10n/et_EE.js | 21 +- apps/files/l10n/et_EE.json | 21 +- apps/files/l10n/eu.js | 21 +- apps/files/l10n/eu.json | 21 +- apps/files/l10n/fi.js | 21 +- apps/files/l10n/fi.json | 21 +- apps/files/l10n/fr.js | 21 +- apps/files/l10n/fr.json | 21 +- apps/files/l10n/hu.js | 21 +- apps/files/l10n/hu.json | 21 +- apps/files/l10n/is.js | 21 +- apps/files/l10n/is.json | 21 +- apps/files/l10n/it.js | 21 +- apps/files/l10n/it.json | 21 +- apps/files/l10n/ja.js | 21 +- apps/files/l10n/ja.json | 21 +- apps/files/l10n/ka_GE.js | 21 +- apps/files/l10n/ka_GE.json | 21 +- apps/files/l10n/ko.js | 21 +- apps/files/l10n/ko.json | 21 +- apps/files/l10n/lt_LT.js | 21 +- apps/files/l10n/lt_LT.json | 21 +- apps/files/l10n/nb.js | 21 +- apps/files/l10n/nb.json | 21 +- apps/files/l10n/nl.js | 21 +- apps/files/l10n/nl.json | 21 +- apps/files/l10n/pl.js | 21 +- apps/files/l10n/pl.json | 21 +- apps/files/l10n/pt_BR.js | 21 +- apps/files/l10n/pt_BR.json | 21 +- apps/files/l10n/ro.js | 17 +- apps/files/l10n/ro.json | 17 +- apps/files/l10n/ru.js | 21 +- apps/files/l10n/ru.json | 21 +- apps/files/l10n/sk.js | 21 +- apps/files/l10n/sk.json | 21 +- apps/files/l10n/sl.js | 21 +- apps/files/l10n/sl.json | 21 +- apps/files/l10n/sq.js | 21 +- apps/files/l10n/sq.json | 21 +- apps/files/l10n/sr.js | 21 +- apps/files/l10n/sr.json | 21 +- apps/files/l10n/sv.js | 21 +- apps/files/l10n/sv.json | 21 +- apps/files/l10n/tr.js | 21 +- apps/files/l10n/tr.json | 21 +- apps/files/l10n/uk.js | 17 +- apps/files/l10n/uk.json | 17 +- apps/files/l10n/vi.js | 16 +- apps/files/l10n/vi.json | 16 +- apps/files/l10n/zh_CN.js | 21 +- apps/files/l10n/zh_CN.json | 21 +- apps/files/l10n/zh_TW.js | 21 +- apps/files/l10n/zh_TW.json | 21 +- apps/files_external/l10n/cs.js | 12 +- apps/files_external/l10n/cs.json | 12 +- apps/files_external/l10n/da.js | 12 +- apps/files_external/l10n/da.json | 12 +- apps/files_external/l10n/de.js | 12 +- apps/files_external/l10n/de.json | 12 +- apps/files_external/l10n/de_DE.js | 12 +- apps/files_external/l10n/de_DE.json | 12 +- apps/files_external/l10n/el.js | 12 +- apps/files_external/l10n/el.json | 12 +- apps/files_external/l10n/en_GB.js | 12 +- apps/files_external/l10n/en_GB.json | 12 +- apps/files_external/l10n/es.js | 12 +- apps/files_external/l10n/es.json | 12 +- apps/files_external/l10n/es_419.js | 12 +- apps/files_external/l10n/es_419.json | 12 +- apps/files_external/l10n/es_AR.js | 12 +- apps/files_external/l10n/es_AR.json | 12 +- apps/files_external/l10n/es_CL.js | 12 +- apps/files_external/l10n/es_CL.json | 12 +- apps/files_external/l10n/es_CO.js | 12 +- apps/files_external/l10n/es_CO.json | 12 +- apps/files_external/l10n/es_CR.js | 12 +- apps/files_external/l10n/es_CR.json | 12 +- apps/files_external/l10n/es_DO.js | 12 +- apps/files_external/l10n/es_DO.json | 12 +- apps/files_external/l10n/es_EC.js | 12 +- apps/files_external/l10n/es_EC.json | 12 +- apps/files_external/l10n/es_GT.js | 12 +- apps/files_external/l10n/es_GT.json | 12 +- apps/files_external/l10n/es_HN.js | 12 +- apps/files_external/l10n/es_HN.json | 12 +- apps/files_external/l10n/es_MX.js | 12 +- apps/files_external/l10n/es_MX.json | 12 +- apps/files_external/l10n/es_NI.js | 12 +- apps/files_external/l10n/es_NI.json | 12 +- apps/files_external/l10n/es_PA.js | 12 +- apps/files_external/l10n/es_PA.json | 12 +- apps/files_external/l10n/es_PE.js | 12 +- apps/files_external/l10n/es_PE.json | 12 +- apps/files_external/l10n/es_PR.js | 12 +- apps/files_external/l10n/es_PR.json | 12 +- apps/files_external/l10n/es_PY.js | 12 +- apps/files_external/l10n/es_PY.json | 12 +- apps/files_external/l10n/es_SV.js | 12 +- apps/files_external/l10n/es_SV.json | 12 +- apps/files_external/l10n/es_UY.js | 12 +- apps/files_external/l10n/es_UY.json | 12 +- apps/files_external/l10n/fi.js | 12 +- apps/files_external/l10n/fi.json | 12 +- apps/files_external/l10n/fr.js | 12 +- apps/files_external/l10n/fr.json | 12 +- apps/files_external/l10n/he.js | 12 +- apps/files_external/l10n/he.json | 12 +- apps/files_external/l10n/hu.js | 12 +- apps/files_external/l10n/hu.json | 12 +- apps/files_external/l10n/id.js | 12 +- apps/files_external/l10n/id.json | 12 +- apps/files_external/l10n/is.js | 12 +- apps/files_external/l10n/is.json | 12 +- apps/files_external/l10n/it.js | 12 +- apps/files_external/l10n/it.json | 12 +- apps/files_external/l10n/ja.js | 12 +- apps/files_external/l10n/ja.json | 12 +- apps/files_external/l10n/ka_GE.js | 12 +- apps/files_external/l10n/ka_GE.json | 12 +- apps/files_external/l10n/ko.js | 12 +- apps/files_external/l10n/ko.json | 12 +- apps/files_external/l10n/lt_LT.js | 12 +- apps/files_external/l10n/lt_LT.json | 12 +- apps/files_external/l10n/nb.js | 12 +- apps/files_external/l10n/nb.json | 12 +- apps/files_external/l10n/nl.js | 12 +- apps/files_external/l10n/nl.json | 12 +- apps/files_external/l10n/pl.js | 12 +- apps/files_external/l10n/pl.json | 12 +- apps/files_external/l10n/pt_BR.js | 12 +- apps/files_external/l10n/pt_BR.json | 12 +- apps/files_external/l10n/pt_PT.js | 12 +- apps/files_external/l10n/pt_PT.json | 12 +- apps/files_external/l10n/ru.js | 12 +- apps/files_external/l10n/ru.json | 12 +- apps/files_external/l10n/sk.js | 12 +- apps/files_external/l10n/sk.json | 12 +- apps/files_external/l10n/sl.js | 12 +- apps/files_external/l10n/sl.json | 12 +- apps/files_external/l10n/sq.js | 12 +- apps/files_external/l10n/sq.json | 12 +- apps/files_external/l10n/sr.js | 12 +- apps/files_external/l10n/sr.json | 12 +- apps/files_external/l10n/sv.js | 12 +- apps/files_external/l10n/sv.json | 12 +- apps/files_external/l10n/th.js | 10 +- apps/files_external/l10n/th.json | 10 +- apps/files_external/l10n/tr.js | 12 +- apps/files_external/l10n/tr.json | 12 +- apps/files_external/l10n/zh_CN.js | 12 +- apps/files_external/l10n/zh_CN.json | 12 +- apps/files_external/l10n/zh_TW.js | 12 +- apps/files_external/l10n/zh_TW.json | 12 +- apps/files_sharing/l10n/ast.js | 3 +- apps/files_sharing/l10n/ast.json | 3 +- apps/files_sharing/l10n/ca.js | 3 +- apps/files_sharing/l10n/ca.json | 3 +- apps/files_sharing/l10n/cs.js | 3 +- apps/files_sharing/l10n/cs.json | 3 +- apps/files_sharing/l10n/de.js | 3 +- apps/files_sharing/l10n/de.json | 3 +- apps/files_sharing/l10n/de_DE.js | 3 +- apps/files_sharing/l10n/de_DE.json | 3 +- apps/files_sharing/l10n/el.js | 3 +- apps/files_sharing/l10n/el.json | 3 +- apps/files_sharing/l10n/en_GB.js | 3 +- apps/files_sharing/l10n/en_GB.json | 3 +- apps/files_sharing/l10n/es.js | 3 +- apps/files_sharing/l10n/es.json | 3 +- apps/files_sharing/l10n/es_419.js | 3 +- apps/files_sharing/l10n/es_419.json | 3 +- apps/files_sharing/l10n/es_AR.js | 3 +- apps/files_sharing/l10n/es_AR.json | 3 +- apps/files_sharing/l10n/es_CL.js | 3 +- apps/files_sharing/l10n/es_CL.json | 3 +- apps/files_sharing/l10n/es_CO.js | 3 +- apps/files_sharing/l10n/es_CO.json | 3 +- apps/files_sharing/l10n/es_CR.js | 3 +- apps/files_sharing/l10n/es_CR.json | 3 +- apps/files_sharing/l10n/es_DO.js | 3 +- apps/files_sharing/l10n/es_DO.json | 3 +- apps/files_sharing/l10n/es_EC.js | 3 +- apps/files_sharing/l10n/es_EC.json | 3 +- apps/files_sharing/l10n/es_GT.js | 3 +- apps/files_sharing/l10n/es_GT.json | 3 +- apps/files_sharing/l10n/es_HN.js | 3 +- apps/files_sharing/l10n/es_HN.json | 3 +- apps/files_sharing/l10n/es_MX.js | 3 +- apps/files_sharing/l10n/es_MX.json | 3 +- apps/files_sharing/l10n/es_NI.js | 3 +- apps/files_sharing/l10n/es_NI.json | 3 +- apps/files_sharing/l10n/es_PA.js | 3 +- apps/files_sharing/l10n/es_PA.json | 3 +- apps/files_sharing/l10n/es_PE.js | 3 +- apps/files_sharing/l10n/es_PE.json | 3 +- apps/files_sharing/l10n/es_PR.js | 3 +- apps/files_sharing/l10n/es_PR.json | 3 +- apps/files_sharing/l10n/es_PY.js | 3 +- apps/files_sharing/l10n/es_PY.json | 3 +- apps/files_sharing/l10n/es_SV.js | 3 +- apps/files_sharing/l10n/es_SV.json | 3 +- apps/files_sharing/l10n/es_UY.js | 3 +- apps/files_sharing/l10n/es_UY.json | 3 +- apps/files_sharing/l10n/et_EE.js | 3 +- apps/files_sharing/l10n/et_EE.json | 3 +- apps/files_sharing/l10n/fi.js | 3 +- apps/files_sharing/l10n/fi.json | 3 +- apps/files_sharing/l10n/fr.js | 3 +- apps/files_sharing/l10n/fr.json | 3 +- apps/files_sharing/l10n/hu.js | 3 +- apps/files_sharing/l10n/hu.json | 3 +- apps/files_sharing/l10n/is.js | 3 +- apps/files_sharing/l10n/is.json | 3 +- apps/files_sharing/l10n/it.js | 3 +- apps/files_sharing/l10n/it.json | 3 +- apps/files_sharing/l10n/ja.js | 3 +- apps/files_sharing/l10n/ja.json | 3 +- apps/files_sharing/l10n/ka_GE.js | 3 +- apps/files_sharing/l10n/ka_GE.json | 3 +- apps/files_sharing/l10n/ko.js | 3 +- apps/files_sharing/l10n/ko.json | 3 +- apps/files_sharing/l10n/lt_LT.js | 3 +- apps/files_sharing/l10n/lt_LT.json | 3 +- apps/files_sharing/l10n/nb.js | 3 +- apps/files_sharing/l10n/nb.json | 3 +- apps/files_sharing/l10n/nl.js | 3 +- apps/files_sharing/l10n/nl.json | 3 +- apps/files_sharing/l10n/pl.js | 3 +- apps/files_sharing/l10n/pl.json | 3 +- apps/files_sharing/l10n/pt_BR.js | 3 +- apps/files_sharing/l10n/pt_BR.json | 3 +- apps/files_sharing/l10n/ru.js | 3 +- apps/files_sharing/l10n/ru.json | 3 +- apps/files_sharing/l10n/sk.js | 3 +- apps/files_sharing/l10n/sk.json | 3 +- apps/files_sharing/l10n/sq.js | 3 +- apps/files_sharing/l10n/sq.json | 3 +- apps/files_sharing/l10n/sr.js | 3 +- apps/files_sharing/l10n/sr.json | 3 +- apps/files_sharing/l10n/sv.js | 3 +- apps/files_sharing/l10n/sv.json | 3 +- apps/files_sharing/l10n/tr.js | 3 +- apps/files_sharing/l10n/tr.json | 3 +- apps/files_sharing/l10n/zh_CN.js | 3 +- apps/files_sharing/l10n/zh_CN.json | 3 +- apps/files_sharing/l10n/zh_TW.js | 3 +- apps/files_sharing/l10n/zh_TW.json | 3 +- core/l10n/bg.js | 316 ------------------------ core/l10n/bg.json | 314 ------------------------ core/l10n/ca.js | 66 +---- core/l10n/ca.json | 66 +---- core/l10n/cs.js | 66 +---- core/l10n/cs.json | 66 +---- core/l10n/da.js | 66 +---- core/l10n/da.json | 66 +---- core/l10n/de.js | 67 +---- core/l10n/de.json | 67 +---- core/l10n/de_DE.js | 67 +---- core/l10n/de_DE.json | 67 +---- core/l10n/el.js | 66 +---- core/l10n/el.json | 66 +---- core/l10n/en_GB.js | 67 +---- core/l10n/en_GB.json | 67 +---- core/l10n/es.js | 67 +---- core/l10n/es.json | 67 +---- core/l10n/es_419.js | 67 +---- core/l10n/es_419.json | 67 +---- core/l10n/es_AR.js | 347 -------------------------- core/l10n/es_AR.json | 345 -------------------------- core/l10n/es_CL.js | 67 +---- core/l10n/es_CL.json | 67 +---- core/l10n/es_CO.js | 67 +---- core/l10n/es_CO.json | 67 +---- core/l10n/es_CR.js | 67 +---- core/l10n/es_CR.json | 67 +---- core/l10n/es_DO.js | 67 +---- core/l10n/es_DO.json | 67 +---- core/l10n/es_EC.js | 67 +---- core/l10n/es_EC.json | 67 +---- core/l10n/es_GT.js | 67 +---- core/l10n/es_GT.json | 67 +---- core/l10n/es_HN.js | 67 +---- core/l10n/es_HN.json | 67 +---- core/l10n/es_MX.js | 67 +---- core/l10n/es_MX.json | 67 +---- core/l10n/es_NI.js | 67 +---- core/l10n/es_NI.json | 67 +---- core/l10n/es_PA.js | 67 +---- core/l10n/es_PA.json | 67 +---- core/l10n/es_PE.js | 67 +---- core/l10n/es_PE.json | 67 +---- core/l10n/es_PR.js | 67 +---- core/l10n/es_PR.json | 67 +---- core/l10n/es_PY.js | 67 +---- core/l10n/es_PY.json | 67 +---- core/l10n/es_SV.js | 67 +---- core/l10n/es_SV.json | 67 +---- core/l10n/es_UY.js | 67 +---- core/l10n/es_UY.json | 67 +---- core/l10n/et_EE.js | 54 +--- core/l10n/et_EE.json | 54 +--- core/l10n/eu.js | 64 +---- core/l10n/eu.json | 64 +---- core/l10n/fa.js | 314 ------------------------ core/l10n/fa.json | 312 ------------------------ core/l10n/fi.js | 65 +---- core/l10n/fi.json | 65 +---- core/l10n/fr.js | 67 +---- core/l10n/fr.json | 67 +---- core/l10n/hu.js | 67 +---- core/l10n/hu.json | 67 +---- core/l10n/id.js | 294 ---------------------- core/l10n/id.json | 292 ---------------------- core/l10n/is.js | 66 +---- core/l10n/is.json | 66 +---- core/l10n/it.js | 67 +---- core/l10n/it.json | 67 +---- core/l10n/ja.js | 352 --------------------------- core/l10n/ja.json | 350 -------------------------- core/l10n/ka_GE.js | 67 +---- core/l10n/ka_GE.json | 67 +---- core/l10n/ko.js | 67 +---- core/l10n/ko.json | 67 +---- core/l10n/lt_LT.js | 66 +---- core/l10n/lt_LT.json | 66 +---- core/l10n/lv.js | 317 ------------------------ core/l10n/lv.json | 315 ------------------------ core/l10n/nb.js | 67 +---- core/l10n/nb.json | 67 +---- core/l10n/nl.js | 67 +---- core/l10n/nl.json | 67 +---- core/l10n/pl.js | 66 +---- core/l10n/pl.json | 66 +---- core/l10n/pt_BR.js | 67 +---- core/l10n/pt_BR.json | 67 +---- core/l10n/pt_PT.js | 342 -------------------------- core/l10n/pt_PT.json | 340 -------------------------- core/l10n/ro.js | 66 +---- core/l10n/ro.json | 66 +---- core/l10n/ru.js | 67 +---- core/l10n/ru.json | 67 +---- core/l10n/sk.js | 66 +---- core/l10n/sk.json | 66 +---- core/l10n/sl.js | 321 ------------------------ core/l10n/sl.json | 319 ------------------------ core/l10n/sq.js | 345 -------------------------- core/l10n/sq.json | 343 -------------------------- core/l10n/sr.js | 67 +---- core/l10n/sr.json | 67 +---- core/l10n/sv.js | 66 +---- core/l10n/sv.json | 66 +---- core/l10n/tr.js | 67 +---- core/l10n/tr.json | 67 +---- core/l10n/uk.js | 320 ------------------------ core/l10n/uk.json | 318 ------------------------ core/l10n/vi.js | 66 +---- core/l10n/vi.json | 66 +---- core/l10n/zh_CN.js | 66 +---- core/l10n/zh_CN.json | 66 +---- core/l10n/zh_TW.js | 68 +----- core/l10n/zh_TW.json | 68 +----- lib/l10n/ast.js | 201 --------------- lib/l10n/ast.json | 199 --------------- lib/l10n/cs.js | 28 +-- lib/l10n/cs.json | 28 +-- lib/l10n/de.js | 28 +-- lib/l10n/de.json | 28 +-- lib/l10n/de_DE.js | 28 +-- lib/l10n/de_DE.json | 28 +-- lib/l10n/el.js | 28 +-- lib/l10n/el.json | 28 +-- lib/l10n/en_GB.js | 28 +-- lib/l10n/en_GB.json | 28 +-- lib/l10n/es.js | 28 +-- lib/l10n/es.json | 28 +-- lib/l10n/es_419.js | 28 +-- lib/l10n/es_419.json | 28 +-- lib/l10n/es_AR.js | 28 +-- lib/l10n/es_AR.json | 28 +-- lib/l10n/es_CL.js | 28 +-- lib/l10n/es_CL.json | 28 +-- lib/l10n/es_CO.js | 28 +-- lib/l10n/es_CO.json | 28 +-- lib/l10n/es_CR.js | 28 +-- lib/l10n/es_CR.json | 28 +-- lib/l10n/es_DO.js | 28 +-- lib/l10n/es_DO.json | 28 +-- lib/l10n/es_EC.js | 28 +-- lib/l10n/es_EC.json | 28 +-- lib/l10n/es_GT.js | 28 +-- lib/l10n/es_GT.json | 28 +-- lib/l10n/es_HN.js | 28 +-- lib/l10n/es_HN.json | 28 +-- lib/l10n/es_MX.js | 28 +-- lib/l10n/es_MX.json | 28 +-- lib/l10n/es_NI.js | 28 +-- lib/l10n/es_NI.json | 28 +-- lib/l10n/es_PA.js | 28 +-- lib/l10n/es_PA.json | 28 +-- lib/l10n/es_PE.js | 28 +-- lib/l10n/es_PE.json | 28 +-- lib/l10n/es_PR.js | 28 +-- lib/l10n/es_PR.json | 28 +-- lib/l10n/es_PY.js | 28 +-- lib/l10n/es_PY.json | 28 +-- lib/l10n/es_SV.js | 28 +-- lib/l10n/es_SV.json | 28 +-- lib/l10n/es_UY.js | 28 +-- lib/l10n/es_UY.json | 28 +-- lib/l10n/et_EE.js | 210 ---------------- lib/l10n/et_EE.json | 208 ---------------- lib/l10n/fi.js | 25 +- lib/l10n/fi.json | 25 +- lib/l10n/fr.js | 28 +-- lib/l10n/fr.json | 28 +-- lib/l10n/he.js | 195 --------------- lib/l10n/he.json | 193 --------------- lib/l10n/hu.js | 28 +-- lib/l10n/hu.json | 28 +-- lib/l10n/is.js | 28 +-- lib/l10n/is.json | 28 +-- lib/l10n/it.js | 28 +-- lib/l10n/it.json | 28 +-- lib/l10n/ja.js | 28 +-- lib/l10n/ja.json | 28 +-- lib/l10n/ka_GE.js | 28 +-- lib/l10n/ka_GE.json | 28 +-- lib/l10n/ko.js | 28 +-- lib/l10n/ko.json | 28 +-- lib/l10n/lt_LT.js | 27 +- lib/l10n/lt_LT.json | 27 +- lib/l10n/nb.js | 28 +-- lib/l10n/nb.json | 28 +-- lib/l10n/nl.js | 28 +-- lib/l10n/nl.json | 28 +-- lib/l10n/pl.js | 28 +-- lib/l10n/pl.json | 28 +-- lib/l10n/pt_BR.js | 28 +-- lib/l10n/pt_BR.json | 28 +-- lib/l10n/ru.js | 28 +-- lib/l10n/ru.json | 28 +-- lib/l10n/sk.js | 28 +-- lib/l10n/sk.json | 28 +-- lib/l10n/sq.js | 28 +-- lib/l10n/sq.json | 28 +-- lib/l10n/sr.js | 28 +-- lib/l10n/sr.json | 28 +-- lib/l10n/sv.js | 28 +-- lib/l10n/sv.json | 28 +-- lib/l10n/tr.js | 28 +-- lib/l10n/tr.json | 28 +-- lib/l10n/zh_CN.js | 28 +-- lib/l10n/zh_CN.json | 28 +-- lib/l10n/zh_TW.js | 28 +-- lib/l10n/zh_TW.json | 28 +-- settings/l10n/af.js | 22 +- settings/l10n/af.json | 22 +- settings/l10n/ar.js | 22 +- settings/l10n/ar.json | 22 +- settings/l10n/ast.js | 59 +---- settings/l10n/ast.json | 59 +---- settings/l10n/az.js | 41 +--- settings/l10n/az.json | 41 +--- settings/l10n/bg.js | 46 +--- settings/l10n/bg.json | 46 +--- settings/l10n/bn_BD.js | 15 +- settings/l10n/bn_BD.json | 15 +- settings/l10n/bs.js | 34 +-- settings/l10n/bs.json | 34 +-- settings/l10n/ca.js | 57 +---- settings/l10n/ca.json | 57 +---- settings/l10n/cs.js | 77 +----- settings/l10n/cs.json | 77 +----- settings/l10n/cy_GB.js | 4 +- settings/l10n/cy_GB.json | 4 +- settings/l10n/da.js | 56 +---- settings/l10n/da.json | 56 +---- settings/l10n/de.js | 77 +----- settings/l10n/de.json | 77 +----- settings/l10n/de_DE.js | 77 +----- settings/l10n/de_DE.json | 77 +----- settings/l10n/el.js | 66 +---- settings/l10n/el.json | 66 +---- settings/l10n/en_GB.js | 77 +----- settings/l10n/en_GB.json | 77 +----- settings/l10n/eo.js | 24 +- settings/l10n/eo.json | 24 +- settings/l10n/es.js | 77 +----- settings/l10n/es.json | 77 +----- settings/l10n/es_419.js | 77 +----- settings/l10n/es_419.json | 77 +----- settings/l10n/es_AR.js | 76 +----- settings/l10n/es_AR.json | 76 +----- settings/l10n/es_CL.js | 77 +----- settings/l10n/es_CL.json | 77 +----- settings/l10n/es_CO.js | 77 +----- settings/l10n/es_CO.json | 77 +----- settings/l10n/es_CR.js | 77 +----- settings/l10n/es_CR.json | 77 +----- settings/l10n/es_DO.js | 77 +----- settings/l10n/es_DO.json | 77 +----- settings/l10n/es_EC.js | 77 +----- settings/l10n/es_EC.json | 77 +----- settings/l10n/es_GT.js | 77 +----- settings/l10n/es_GT.json | 77 +----- settings/l10n/es_HN.js | 77 +----- settings/l10n/es_HN.json | 77 +----- settings/l10n/es_MX.js | 77 +----- settings/l10n/es_MX.json | 77 +----- settings/l10n/es_NI.js | 77 +----- settings/l10n/es_NI.json | 77 +----- settings/l10n/es_PA.js | 77 +----- settings/l10n/es_PA.json | 77 +----- settings/l10n/es_PE.js | 77 +----- settings/l10n/es_PE.json | 77 +----- settings/l10n/es_PR.js | 77 +----- settings/l10n/es_PR.json | 77 +----- settings/l10n/es_PY.js | 77 +----- settings/l10n/es_PY.json | 77 +----- settings/l10n/es_SV.js | 77 +----- settings/l10n/es_SV.json | 77 +----- settings/l10n/es_UY.js | 77 +----- settings/l10n/es_UY.json | 77 +----- settings/l10n/et_EE.js | 53 +--- settings/l10n/et_EE.json | 53 +--- settings/l10n/eu.js | 69 +----- settings/l10n/eu.json | 69 +----- settings/l10n/fa.js | 33 +-- settings/l10n/fa.json | 33 +-- settings/l10n/fi.js | 70 +----- settings/l10n/fi.json | 70 +----- settings/l10n/fr.js | 77 +----- settings/l10n/fr.json | 77 +----- settings/l10n/he.js | 53 +--- settings/l10n/he.json | 53 +--- settings/l10n/hr.js | 29 +-- settings/l10n/hr.json | 29 +-- settings/l10n/hu.js | 77 +----- settings/l10n/hu.json | 77 +----- settings/l10n/hy.js | 3 +- settings/l10n/hy.json | 3 +- settings/l10n/ia.js | 35 +-- settings/l10n/ia.json | 35 +-- settings/l10n/id.js | 54 +--- settings/l10n/id.json | 54 +--- settings/l10n/is.js | 77 +----- settings/l10n/is.json | 77 +----- settings/l10n/it.js | 77 +----- settings/l10n/it.json | 77 +----- settings/l10n/ja.js | 75 +----- settings/l10n/ja.json | 75 +----- settings/l10n/ka_GE.js | 77 +----- settings/l10n/ka_GE.json | 77 +----- settings/l10n/km.js | 17 +- settings/l10n/km.json | 17 +- settings/l10n/kn.js | 18 +- settings/l10n/kn.json | 18 +- settings/l10n/ko.js | 77 +----- settings/l10n/ko.json | 77 +----- settings/l10n/lb.js | 14 +- settings/l10n/lb.json | 14 +- settings/l10n/lt_LT.js | 35 +-- settings/l10n/lt_LT.json | 35 +-- settings/l10n/lv.js | 41 +--- settings/l10n/lv.json | 41 +--- settings/l10n/mk.js | 27 +- settings/l10n/mk.json | 27 +- settings/l10n/mn.js | 17 +- settings/l10n/mn.json | 17 +- settings/l10n/ms_MY.js | 5 +- settings/l10n/ms_MY.json | 5 +- settings/l10n/nb.js | 77 +----- settings/l10n/nb.json | 77 +----- settings/l10n/nl.js | 77 +----- settings/l10n/nl.json | 77 +----- settings/l10n/nn_NO.js | 15 +- settings/l10n/nn_NO.json | 15 +- settings/l10n/pl.js | 77 +----- settings/l10n/pl.json | 77 +----- settings/l10n/pt_BR.js | 77 +----- settings/l10n/pt_BR.json | 77 +----- settings/l10n/pt_PT.js | 53 +--- settings/l10n/pt_PT.json | 53 +--- settings/l10n/ro.js | 35 +-- settings/l10n/ro.json | 35 +-- settings/l10n/ru.js | 77 +----- settings/l10n/ru.json | 77 +----- settings/l10n/si_LK.js | 7 +- settings/l10n/si_LK.json | 7 +- settings/l10n/sk.js | 71 +----- settings/l10n/sk.json | 71 +----- settings/l10n/sl.js | 44 +--- settings/l10n/sl.json | 44 +--- settings/l10n/sq.js | 77 +----- settings/l10n/sq.json | 77 +----- settings/l10n/sr.js | 77 +----- settings/l10n/sr.json | 77 +----- settings/l10n/sv.js | 77 +----- settings/l10n/sv.json | 77 +----- settings/l10n/ta_LK.js | 7 +- settings/l10n/ta_LK.json | 7 +- settings/l10n/th.js | 48 +--- settings/l10n/th.json | 48 +--- settings/l10n/tr.js | 77 +----- settings/l10n/tr.json | 77 +----- settings/l10n/ug.js | 10 +- settings/l10n/ug.json | 10 +- settings/l10n/uk.js | 43 +--- settings/l10n/uk.json | 43 +--- settings/l10n/ur_PK.js | 6 +- settings/l10n/ur_PK.json | 6 +- settings/l10n/vi.js | 15 +- settings/l10n/vi.json | 15 +- settings/l10n/zh_CN.js | 77 +----- settings/l10n/zh_CN.json | 77 +----- settings/l10n/zh_HK.js | 13 +- settings/l10n/zh_HK.json | 13 +- settings/l10n/zh_TW.js | 70 +----- settings/l10n/zh_TW.json | 70 +----- 774 files changed, 758 insertions(+), 28520 deletions(-) delete mode 100644 core/l10n/bg.js delete mode 100644 core/l10n/bg.json delete mode 100644 core/l10n/es_AR.js delete mode 100644 core/l10n/es_AR.json delete mode 100644 core/l10n/fa.js delete mode 100644 core/l10n/fa.json delete mode 100644 core/l10n/id.js delete mode 100644 core/l10n/id.json delete mode 100644 core/l10n/ja.js delete mode 100644 core/l10n/ja.json delete mode 100644 core/l10n/lv.js delete mode 100644 core/l10n/lv.json delete mode 100644 core/l10n/pt_PT.js delete mode 100644 core/l10n/pt_PT.json delete mode 100644 core/l10n/sl.js delete mode 100644 core/l10n/sl.json delete mode 100644 core/l10n/sq.js delete mode 100644 core/l10n/sq.json delete mode 100644 core/l10n/uk.js delete mode 100644 core/l10n/uk.json delete mode 100644 lib/l10n/ast.js delete mode 100644 lib/l10n/ast.json delete mode 100644 lib/l10n/et_EE.js delete mode 100644 lib/l10n/et_EE.json delete mode 100644 lib/l10n/he.js delete mode 100644 lib/l10n/he.json diff --git a/apps/encryption/l10n/ca.js b/apps/encryption/l10n/ca.js index 208b2aebb113c..9a9fddd2af4e4 100644 --- a/apps/encryption/l10n/ca.js +++ b/apps/encryption/l10n/ca.js @@ -57,7 +57,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilita la recuperació de contrasenya:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Activar aquesta opció us permetrà obtenir de nou accés als vostres fitxers encriptats en cas de perdre la contrasenya", "Enabled" : "Activat", - "Disabled" : "Desactivat", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'aplicació d'encriptació està activada però les claus no estan inicialitzades, sortiu i acrediteu-vos de nou." + "Disabled" : "Desactivat" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/ca.json b/apps/encryption/l10n/ca.json index 1b02eea2feba1..614c74785b0b3 100644 --- a/apps/encryption/l10n/ca.json +++ b/apps/encryption/l10n/ca.json @@ -55,7 +55,6 @@ "Enable password recovery:" : "Habilita la recuperació de contrasenya:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Activar aquesta opció us permetrà obtenir de nou accés als vostres fitxers encriptats en cas de perdre la contrasenya", "Enabled" : "Activat", - "Disabled" : "Desactivat", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'aplicació d'encriptació està activada però les claus no estan inicialitzades, sortiu i acrediteu-vos de nou." + "Disabled" : "Desactivat" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/cs.js b/apps/encryption/l10n/cs.js index dbaf00ba63c2c..506ea7884c543 100644 --- a/apps/encryption/l10n/cs.js +++ b/apps/encryption/l10n/cs.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Povolit obnovu hesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Zapnutí této volby vám umožní znovu získat přístup k vašim zašifrovaným souborům pokud ztratíte heslo", "Enabled" : "Povoleno", - "Disabled" : "Zakázáno", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikace pro šifrování je zapnuta, ale vaše klíče nejsou inicializované. Prosím odhlaste se a znovu přihlaste" + "Disabled" : "Zakázáno" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/encryption/l10n/cs.json b/apps/encryption/l10n/cs.json index fa4ba721b09d4..2a61abcd4446e 100644 --- a/apps/encryption/l10n/cs.json +++ b/apps/encryption/l10n/cs.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Povolit obnovu hesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Zapnutí této volby vám umožní znovu získat přístup k vašim zašifrovaným souborům pokud ztratíte heslo", "Enabled" : "Povoleno", - "Disabled" : "Zakázáno", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikace pro šifrování je zapnuta, ale vaše klíče nejsou inicializované. Prosím odhlaste se a znovu přihlaste" + "Disabled" : "Zakázáno" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/encryption/l10n/da.js b/apps/encryption/l10n/da.js index 149819014c736..a7d6b558e201b 100644 --- a/apps/encryption/l10n/da.js +++ b/apps/encryption/l10n/da.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Aktiver kodeord gendannelse:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aktivering af denne valgmulighed tillader dig at generhverve adgang til dine krypterede filer i tilfælde af tab af kodeord", "Enabled" : "Aktiveret", - "Disabled" : "Deaktiveret", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet er aktiveret, men din nøgler er ikke igangsat. Log venligst ud og ind igen." + "Disabled" : "Deaktiveret" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/da.json b/apps/encryption/l10n/da.json index 41283089b1611..7519349d8de0d 100644 --- a/apps/encryption/l10n/da.json +++ b/apps/encryption/l10n/da.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Aktiver kodeord gendannelse:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aktivering af denne valgmulighed tillader dig at generhverve adgang til dine krypterede filer i tilfælde af tab af kodeord", "Enabled" : "Aktiveret", - "Disabled" : "Deaktiveret", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet er aktiveret, men din nøgler er ikke igangsat. Log venligst ud og ind igen." + "Disabled" : "Deaktiveret" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/de.js b/apps/encryption/l10n/de.js index cf32e517fe2a4..83f5506ab914b 100644 --- a/apps/encryption/l10n/de.js +++ b/apps/encryption/l10n/de.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Die Passwort-Wiederherstellung aktivieren:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Durch die Aktivierung dieser Option hast Du die Möglichkeit, wieder auf Deine verschlüsselten Dateien zugreifen zu können, wenn Du Dein Passwort verloren hast.", "Enabled" : "Aktiviert", - "Disabled" : "Deaktiviert", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Die Verschlüsselungs-App ist aktiviert, aber deine Schlüssel sind nicht initialisiert. Bitte erneut ab- und wieder anmelden." + "Disabled" : "Deaktiviert" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/de.json b/apps/encryption/l10n/de.json index 5dad919db345d..bfe91e90c9490 100644 --- a/apps/encryption/l10n/de.json +++ b/apps/encryption/l10n/de.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Die Passwort-Wiederherstellung aktivieren:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Durch die Aktivierung dieser Option hast Du die Möglichkeit, wieder auf Deine verschlüsselten Dateien zugreifen zu können, wenn Du Dein Passwort verloren hast.", "Enabled" : "Aktiviert", - "Disabled" : "Deaktiviert", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Die Verschlüsselungs-App ist aktiviert, aber deine Schlüssel sind nicht initialisiert. Bitte erneut ab- und wieder anmelden." + "Disabled" : "Deaktiviert" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/de_DE.js b/apps/encryption/l10n/de_DE.js index 80da278d6f8fa..dd4d12939faa0 100644 --- a/apps/encryption/l10n/de_DE.js +++ b/apps/encryption/l10n/de_DE.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Die Passwort-Wiederherstellung aktivieren:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Durch die Aktivierung dieser Option haben Sie die Möglichkeit, wieder auf Ihre verschlüsselten Dateien zugreifen zu können, wenn Sie Ihr Passwort verloren haben.", "Enabled" : "Aktiviert", - "Disabled" : "Deaktiviert", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Die Verschlüsselung-App ist aktiviert, aber Ihre Schlüssel sind nicht initialisiert. Bitte erneut ab- und wieder anmelden." + "Disabled" : "Deaktiviert" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/de_DE.json b/apps/encryption/l10n/de_DE.json index 37965f2a8341c..4617217476ba9 100644 --- a/apps/encryption/l10n/de_DE.json +++ b/apps/encryption/l10n/de_DE.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Die Passwort-Wiederherstellung aktivieren:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Durch die Aktivierung dieser Option haben Sie die Möglichkeit, wieder auf Ihre verschlüsselten Dateien zugreifen zu können, wenn Sie Ihr Passwort verloren haben.", "Enabled" : "Aktiviert", - "Disabled" : "Deaktiviert", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Die Verschlüsselung-App ist aktiviert, aber Ihre Schlüssel sind nicht initialisiert. Bitte erneut ab- und wieder anmelden." + "Disabled" : "Deaktiviert" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/el.js b/apps/encryption/l10n/el.js index 16fe713c83335..053ef08ae4f6d 100644 --- a/apps/encryption/l10n/el.js +++ b/apps/encryption/l10n/el.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Ενεργοποιήστε την ανάκτηση κωδικού πρόσβασης", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Η ενεργοποίηση αυτής της επιλογής θα σας επιτρέψει να επανακτήσετε πρόσβαση στα κρυπτογραφημένα σας αρχεία σε περίπτωση απώλειας του κωδικού σας", "Enabled" : "Ενεργοποιημένο", - "Disabled" : "Απενεργοποιημένο", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Η εφαρμογή κρυπτογράφησης είναι ενεργοποιημένη αλλά τα κλειδιά σας δεν έχουν καταγραφεί, παρακαλώ αποσυνδεθείτε και επανασυνδεθείτε." + "Disabled" : "Απενεργοποιημένο" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/el.json b/apps/encryption/l10n/el.json index 6ec8202c6cd7d..32d6740dc6f51 100644 --- a/apps/encryption/l10n/el.json +++ b/apps/encryption/l10n/el.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Ενεργοποιήστε την ανάκτηση κωδικού πρόσβασης", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Η ενεργοποίηση αυτής της επιλογής θα σας επιτρέψει να επανακτήσετε πρόσβαση στα κρυπτογραφημένα σας αρχεία σε περίπτωση απώλειας του κωδικού σας", "Enabled" : "Ενεργοποιημένο", - "Disabled" : "Απενεργοποιημένο", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Η εφαρμογή κρυπτογράφησης είναι ενεργοποιημένη αλλά τα κλειδιά σας δεν έχουν καταγραφεί, παρακαλώ αποσυνδεθείτε και επανασυνδεθείτε." + "Disabled" : "Απενεργοποιημένο" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/en_GB.js b/apps/encryption/l10n/en_GB.js index 7a4be4ea8266d..bbcd15eaeace9 100644 --- a/apps/encryption/l10n/en_GB.js +++ b/apps/encryption/l10n/en_GB.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Enable password recovery:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss", "Enabled" : "Enabled", - "Disabled" : "Disabled", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Encryption App is enabled but your keys are not initialised, please log-out and log-in again" + "Disabled" : "Disabled" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/en_GB.json b/apps/encryption/l10n/en_GB.json index 96d7e0034cb0d..24fcc35f2e842 100644 --- a/apps/encryption/l10n/en_GB.json +++ b/apps/encryption/l10n/en_GB.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Enable password recovery:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss", "Enabled" : "Enabled", - "Disabled" : "Disabled", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Encryption App is enabled but your keys are not initialised, please log-out and log-in again" + "Disabled" : "Disabled" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es.js b/apps/encryption/l10n/es.js index 73693248a6592..897aec00c64fc 100644 --- a/apps/encryption/l10n/es.js +++ b/apps/encryption/l10n/es.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción le permitirá volver a tener acceso a sus archivos cifrados en caso de pérdida de contraseña", "Enabled" : "Habilitar", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La app de cifrado está habilitada pero sus claves no se han inicializado, por favor, cierre la sesión y vuelva a iniciarla de nuevo." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es.json b/apps/encryption/l10n/es.json index e19a5bbaa88c4..2ef9ce57c8971 100644 --- a/apps/encryption/l10n/es.json +++ b/apps/encryption/l10n/es.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción le permitirá volver a tener acceso a sus archivos cifrados en caso de pérdida de contraseña", "Enabled" : "Habilitar", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La app de cifrado está habilitada pero sus claves no se han inicializado, por favor, cierre la sesión y vuelva a iniciarla de nuevo." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_419.js b/apps/encryption/l10n/es_419.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_419.js +++ b/apps/encryption/l10n/es_419.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_419.json b/apps/encryption/l10n/es_419.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_419.json +++ b/apps/encryption/l10n/es_419.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_AR.js b/apps/encryption/l10n/es_AR.js index 6b383a6eb8f40..9544a62c52087 100644 --- a/apps/encryption/l10n/es_AR.js +++ b/apps/encryption/l10n/es_AR.js @@ -58,7 +58,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción le permitirá volver a tener acceso a sus archivos encriptados en caso de perder la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, favor de cerrar la sesión y volver a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_AR.json b/apps/encryption/l10n/es_AR.json index 5943f572ec4ed..a06b3c20cc100 100644 --- a/apps/encryption/l10n/es_AR.json +++ b/apps/encryption/l10n/es_AR.json @@ -56,7 +56,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción le permitirá volver a tener acceso a sus archivos encriptados en caso de perder la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, favor de cerrar la sesión y volver a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_CL.js b/apps/encryption/l10n/es_CL.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_CL.js +++ b/apps/encryption/l10n/es_CL.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_CL.json b/apps/encryption/l10n/es_CL.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_CL.json +++ b/apps/encryption/l10n/es_CL.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_CO.js b/apps/encryption/l10n/es_CO.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_CO.js +++ b/apps/encryption/l10n/es_CO.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_CO.json b/apps/encryption/l10n/es_CO.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_CO.json +++ b/apps/encryption/l10n/es_CO.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_CR.js b/apps/encryption/l10n/es_CR.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_CR.js +++ b/apps/encryption/l10n/es_CR.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_CR.json b/apps/encryption/l10n/es_CR.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_CR.json +++ b/apps/encryption/l10n/es_CR.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_DO.js b/apps/encryption/l10n/es_DO.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_DO.js +++ b/apps/encryption/l10n/es_DO.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_DO.json b/apps/encryption/l10n/es_DO.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_DO.json +++ b/apps/encryption/l10n/es_DO.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_EC.js b/apps/encryption/l10n/es_EC.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_EC.js +++ b/apps/encryption/l10n/es_EC.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_EC.json b/apps/encryption/l10n/es_EC.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_EC.json +++ b/apps/encryption/l10n/es_EC.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_GT.js b/apps/encryption/l10n/es_GT.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_GT.js +++ b/apps/encryption/l10n/es_GT.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_GT.json b/apps/encryption/l10n/es_GT.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_GT.json +++ b/apps/encryption/l10n/es_GT.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_HN.js b/apps/encryption/l10n/es_HN.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_HN.js +++ b/apps/encryption/l10n/es_HN.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_HN.json b/apps/encryption/l10n/es_HN.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_HN.json +++ b/apps/encryption/l10n/es_HN.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_MX.js b/apps/encryption/l10n/es_MX.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_MX.js +++ b/apps/encryption/l10n/es_MX.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_MX.json b/apps/encryption/l10n/es_MX.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_MX.json +++ b/apps/encryption/l10n/es_MX.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_NI.js b/apps/encryption/l10n/es_NI.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_NI.js +++ b/apps/encryption/l10n/es_NI.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_NI.json b/apps/encryption/l10n/es_NI.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_NI.json +++ b/apps/encryption/l10n/es_NI.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_PA.js b/apps/encryption/l10n/es_PA.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_PA.js +++ b/apps/encryption/l10n/es_PA.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_PA.json b/apps/encryption/l10n/es_PA.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_PA.json +++ b/apps/encryption/l10n/es_PA.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_PE.js b/apps/encryption/l10n/es_PE.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_PE.js +++ b/apps/encryption/l10n/es_PE.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_PE.json b/apps/encryption/l10n/es_PE.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_PE.json +++ b/apps/encryption/l10n/es_PE.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_PR.js b/apps/encryption/l10n/es_PR.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_PR.js +++ b/apps/encryption/l10n/es_PR.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_PR.json b/apps/encryption/l10n/es_PR.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_PR.json +++ b/apps/encryption/l10n/es_PR.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_PY.js b/apps/encryption/l10n/es_PY.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_PY.js +++ b/apps/encryption/l10n/es_PY.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_PY.json b/apps/encryption/l10n/es_PY.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_PY.json +++ b/apps/encryption/l10n/es_PY.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_SV.js b/apps/encryption/l10n/es_SV.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_SV.js +++ b/apps/encryption/l10n/es_SV.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_SV.json b/apps/encryption/l10n/es_SV.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_SV.json +++ b/apps/encryption/l10n/es_SV.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es_UY.js b/apps/encryption/l10n/es_UY.js index 424b1f9313f56..4ada977546c17 100644 --- a/apps/encryption/l10n/es_UY.js +++ b/apps/encryption/l10n/es_UY.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/es_UY.json b/apps/encryption/l10n/es_UY.json index dabe0c4c41ffd..5671fd31553bf 100644 --- a/apps/encryption/l10n/es_UY.json +++ b/apps/encryption/l10n/es_UY.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar la recuperación de contraseña:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Habilitar esta opción te permitirá volver a tener acceso a tus archivos encriptados en caso de que pierdas la contraseña", "Enabled" : "Habilitado", - "Disabled" : "Deshabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción está habilitada pero tus llaves no han sido establecidas, por favor cierra la sesión y vuelve a iniciarla." + "Disabled" : "Deshabilitado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/eu.js b/apps/encryption/l10n/eu.js index 8a256e2de163c..fdbfe1fb88860 100644 --- a/apps/encryption/l10n/eu.js +++ b/apps/encryption/l10n/eu.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Gaitu pasahitzaren berreskuratzea:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aukera hau gaituz zure enkriptatutako fitxategiak berreskuratu ahal izango dituzu pasahitza galtzekotan", "Enabled" : "Gaitua", - "Disabled" : "Ez-gaitua", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Enkriptazio aplikazioa gaituta dago baina zure gakoak ez daude konfiguratuta, mesedez saioa bukatu eta berriro hasi" + "Disabled" : "Ez-gaitua" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/eu.json b/apps/encryption/l10n/eu.json index e684651f8372f..0ba8ac0821e07 100644 --- a/apps/encryption/l10n/eu.json +++ b/apps/encryption/l10n/eu.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Gaitu pasahitzaren berreskuratzea:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aukera hau gaituz zure enkriptatutako fitxategiak berreskuratu ahal izango dituzu pasahitza galtzekotan", "Enabled" : "Gaitua", - "Disabled" : "Ez-gaitua", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Enkriptazio aplikazioa gaituta dago baina zure gakoak ez daude konfiguratuta, mesedez saioa bukatu eta berriro hasi" + "Disabled" : "Ez-gaitua" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/fi.js b/apps/encryption/l10n/fi.js index 6bbc1e9be1c8b..a8030da3a3dd6 100644 --- a/apps/encryption/l10n/fi.js +++ b/apps/encryption/l10n/fi.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Ota salasanan palautus käyttöön:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Tämän valinnan käyttäminen mahdollistaa pääsyn salattuihin tiedostoihisi, jos salasana unohtuu", "Enabled" : "Käytössä", - "Disabled" : "Ei käytössä", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Salaussovellus on käytössä, mutta salausavaimia ei ole alustettu. Ole hyvä ja kirjaudu sisään uudelleen." + "Disabled" : "Ei käytössä" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/fi.json b/apps/encryption/l10n/fi.json index 2780134aa7a8b..7cd2baa37880e 100644 --- a/apps/encryption/l10n/fi.json +++ b/apps/encryption/l10n/fi.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Ota salasanan palautus käyttöön:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Tämän valinnan käyttäminen mahdollistaa pääsyn salattuihin tiedostoihisi, jos salasana unohtuu", "Enabled" : "Käytössä", - "Disabled" : "Ei käytössä", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Salaussovellus on käytössä, mutta salausavaimia ei ole alustettu. Ole hyvä ja kirjaudu sisään uudelleen." + "Disabled" : "Ei käytössä" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/fr.js b/apps/encryption/l10n/fr.js index 241215553cfaa..5030f7289c474 100644 --- a/apps/encryption/l10n/fr.js +++ b/apps/encryption/l10n/fr.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Activer la récupération du mot de passe :", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Activer cette option vous permettra d'obtenir à nouveau l'accès à vos fichiers chiffrés en cas de perte de mot de passe", "Enabled" : "Activé", - "Disabled" : "Désactivé", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'application de chiffrement est activée mais vos clefs ne sont pas initialisées. Veuillez vous déconnecter et ensuite vous reconnecter." + "Disabled" : "Désactivé" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/encryption/l10n/fr.json b/apps/encryption/l10n/fr.json index 881db20f32808..5d553f8adde67 100644 --- a/apps/encryption/l10n/fr.json +++ b/apps/encryption/l10n/fr.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Activer la récupération du mot de passe :", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Activer cette option vous permettra d'obtenir à nouveau l'accès à vos fichiers chiffrés en cas de perte de mot de passe", "Enabled" : "Activé", - "Disabled" : "Désactivé", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'application de chiffrement est activée mais vos clefs ne sont pas initialisées. Veuillez vous déconnecter et ensuite vous reconnecter." + "Disabled" : "Désactivé" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/he.js b/apps/encryption/l10n/he.js index 9c35ac54d2b9a..15928f9c77781 100644 --- a/apps/encryption/l10n/he.js +++ b/apps/encryption/l10n/he.js @@ -52,7 +52,6 @@ OC.L10N.register( "Enable password recovery:" : "מאפשר שחזור סיסמא:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "הפעלת אפשרות זו תאפשר לך לקבל מחדש גישה לקבצים המוצפנים שלך במקרה שסיסמא נשכחת", "Enabled" : "מופעל", - "Disabled" : "מנוטרל", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "יישום הצפנה מאופשר אבל המפתחות שלך לא אותחלו, יש להתנתק ולהתחבר מחדש" + "Disabled" : "מנוטרל" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/he.json b/apps/encryption/l10n/he.json index 8557342716133..9cdec228519ee 100644 --- a/apps/encryption/l10n/he.json +++ b/apps/encryption/l10n/he.json @@ -50,7 +50,6 @@ "Enable password recovery:" : "מאפשר שחזור סיסמא:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "הפעלת אפשרות זו תאפשר לך לקבל מחדש גישה לקבצים המוצפנים שלך במקרה שסיסמא נשכחת", "Enabled" : "מופעל", - "Disabled" : "מנוטרל", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "יישום הצפנה מאופשר אבל המפתחות שלך לא אותחלו, יש להתנתק ולהתחבר מחדש" + "Disabled" : "מנוטרל" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/hu.js b/apps/encryption/l10n/hu.js index 648aab24cbc1a..87b0bae71480d 100644 --- a/apps/encryption/l10n/hu.js +++ b/apps/encryption/l10n/hu.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Jelszó-visszaállítás bekapcsolása", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ez az opció lehetővé teszi, hogy a titkosított fájlok tartalmát visszanyerjük abban az esetben, ha elfelejti a jelszavát", "Enabled" : "Bekapcsolva", - "Disabled" : "Kikapcsolva", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "A fájlok titkosítása engedélyezve van, de az Ön titkos kulcsai nincsenek beállítva. Ezért kérlek, hogy jelentkezz ki, és lépj be újra!" + "Disabled" : "Kikapcsolva" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/hu.json b/apps/encryption/l10n/hu.json index 5230fc4ba2677..c014d6b9c11f2 100644 --- a/apps/encryption/l10n/hu.json +++ b/apps/encryption/l10n/hu.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Jelszó-visszaállítás bekapcsolása", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ez az opció lehetővé teszi, hogy a titkosított fájlok tartalmát visszanyerjük abban az esetben, ha elfelejti a jelszavát", "Enabled" : "Bekapcsolva", - "Disabled" : "Kikapcsolva", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "A fájlok titkosítása engedélyezve van, de az Ön titkos kulcsai nincsenek beállítva. Ezért kérlek, hogy jelentkezz ki, és lépj be újra!" + "Disabled" : "Kikapcsolva" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/id.js b/apps/encryption/l10n/id.js index a4106a01c219b..830cd79998fa8 100644 --- a/apps/encryption/l10n/id.js +++ b/apps/encryption/l10n/id.js @@ -58,7 +58,6 @@ OC.L10N.register( "Enable password recovery:" : "Aktifkan kata sandi pemulihan:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Mengaktifkan opsi ini memungkinkan Anda untuk mendapatkan kembali akses ke berkas terenkripsi Anda dalam kasus kehilangan kata sandi", "Enabled" : "Diaktifkan", - "Disabled" : "Dinonaktifkan", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi Enskripsi telah diaktifkan tetapi kunci tidak diinisialisasi, silakan log-out dan log-in lagi" + "Disabled" : "Dinonaktifkan" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/id.json b/apps/encryption/l10n/id.json index 81ea529c2d980..621f043206f03 100644 --- a/apps/encryption/l10n/id.json +++ b/apps/encryption/l10n/id.json @@ -56,7 +56,6 @@ "Enable password recovery:" : "Aktifkan kata sandi pemulihan:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Mengaktifkan opsi ini memungkinkan Anda untuk mendapatkan kembali akses ke berkas terenkripsi Anda dalam kasus kehilangan kata sandi", "Enabled" : "Diaktifkan", - "Disabled" : "Dinonaktifkan", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi Enskripsi telah diaktifkan tetapi kunci tidak diinisialisasi, silakan log-out dan log-in lagi" + "Disabled" : "Dinonaktifkan" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/is.js b/apps/encryption/l10n/is.js index daf9deb66f0f1..9a013e9de5371 100644 --- a/apps/encryption/l10n/is.js +++ b/apps/encryption/l10n/is.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Virkja endurheimtingu lykilorðs:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ef þessi kostur er virkur gerir það þér kleift að endurheimta aðgang að skránum þínum ef þú tapar lykilorðinu", "Enabled" : "Virkt", - "Disabled" : "Óvirkt", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Dulritunarforritið er virkt en dulritunarlyklarnir þínir eru ekki tilbúnir til notkunar, skráðu þig út og svo aftur inn" + "Disabled" : "Óvirkt" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/encryption/l10n/is.json b/apps/encryption/l10n/is.json index 2404e944edc96..c0a4ef3bb0dd7 100644 --- a/apps/encryption/l10n/is.json +++ b/apps/encryption/l10n/is.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Virkja endurheimtingu lykilorðs:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ef þessi kostur er virkur gerir það þér kleift að endurheimta aðgang að skránum þínum ef þú tapar lykilorðinu", "Enabled" : "Virkt", - "Disabled" : "Óvirkt", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Dulritunarforritið er virkt en dulritunarlyklarnir þínir eru ekki tilbúnir til notkunar, skráðu þig út og svo aftur inn" + "Disabled" : "Óvirkt" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/encryption/l10n/it.js b/apps/encryption/l10n/it.js index f11ca0b8c829e..ce80dd7437473 100644 --- a/apps/encryption/l10n/it.js +++ b/apps/encryption/l10n/it.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Abilita il ripristino della password:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "L'abilitazione di questa opzione ti consentirà di accedere nuovamente ai file cifrati in caso di perdita della password", "Enabled" : "Abilitata", - "Disabled" : "Disabilitata", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'applicazione di cifratura è abilitata, ma le chiavi non sono state inizializzate, disconnettiti ed effettua nuovamente l'accesso" + "Disabled" : "Disabilitata" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/it.json b/apps/encryption/l10n/it.json index 95f3627999ee8..462425a507d33 100644 --- a/apps/encryption/l10n/it.json +++ b/apps/encryption/l10n/it.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Abilita il ripristino della password:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "L'abilitazione di questa opzione ti consentirà di accedere nuovamente ai file cifrati in caso di perdita della password", "Enabled" : "Abilitata", - "Disabled" : "Disabilitata", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "L'applicazione di cifratura è abilitata, ma le chiavi non sono state inizializzate, disconnettiti ed effettua nuovamente l'accesso" + "Disabled" : "Disabilitata" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/ja.js b/apps/encryption/l10n/ja.js index 5584b0910cfcb..a1ffc807a78cb 100644 --- a/apps/encryption/l10n/ja.js +++ b/apps/encryption/l10n/ja.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "パスワードリカバリを有効に:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "このオプションを有効にすると、パスワードを紛失した場合も、暗号化されたファイルに再度アクセスすることができるようになります。", "Enabled" : "有効", - "Disabled" : "無効", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "暗号化アプリは有効ですが、あなたの暗号化キーは初期化されていません。ログアウトした後に、再度ログインしてください" + "Disabled" : "無効" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/ja.json b/apps/encryption/l10n/ja.json index 7803524626563..528e248eb9ca4 100644 --- a/apps/encryption/l10n/ja.json +++ b/apps/encryption/l10n/ja.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "パスワードリカバリを有効に:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "このオプションを有効にすると、パスワードを紛失した場合も、暗号化されたファイルに再度アクセスすることができるようになります。", "Enabled" : "有効", - "Disabled" : "無効", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "暗号化アプリは有効ですが、あなたの暗号化キーは初期化されていません。ログアウトした後に、再度ログインしてください" + "Disabled" : "無効" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/ka_GE.js b/apps/encryption/l10n/ka_GE.js index ef47980c1430b..823e5319d62d5 100644 --- a/apps/encryption/l10n/ka_GE.js +++ b/apps/encryption/l10n/ka_GE.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "აამოქმედეთ პაროლის აღდგენა:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "ამ არჩევნის ამოქმედება, პაროლის დაკარგვის შემთხვევაში, საშუალებას მოგცემთ ახლიდან მოიპოვოთ წვდომა თქვენს დაშიფრულ ფაილებზე", "Enabled" : "მოქმედია", - "Disabled" : "არაა მოქმედი", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "შიფრაციის აპლიკაცია მოქმედია, თუმცა თქვენი გასაღებები არაა ინიციალიზირებული, გთხოვთ გახვიდეთ და ახლიდან გაიაროთ ავტორიზაცია." + "Disabled" : "არაა მოქმედი" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/ka_GE.json b/apps/encryption/l10n/ka_GE.json index 65ec50e3a86e2..59cdea37ba1f3 100644 --- a/apps/encryption/l10n/ka_GE.json +++ b/apps/encryption/l10n/ka_GE.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "აამოქმედეთ პაროლის აღდგენა:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "ამ არჩევნის ამოქმედება, პაროლის დაკარგვის შემთხვევაში, საშუალებას მოგცემთ ახლიდან მოიპოვოთ წვდომა თქვენს დაშიფრულ ფაილებზე", "Enabled" : "მოქმედია", - "Disabled" : "არაა მოქმედი", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "შიფრაციის აპლიკაცია მოქმედია, თუმცა თქვენი გასაღებები არაა ინიციალიზირებული, გთხოვთ გახვიდეთ და ახლიდან გაიაროთ ავტორიზაცია." + "Disabled" : "არაა მოქმედი" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/ko.js b/apps/encryption/l10n/ko.js index 486ac2021520d..bd89c46697ffd 100644 --- a/apps/encryption/l10n/ko.js +++ b/apps/encryption/l10n/ko.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "암호 복구 사용:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "이 옵션을 사용하면 암호를 잊었을 때 암호화된 파일에 다시 접근할 수 있습니다", "Enabled" : "활성화", - "Disabled" : "비활성화", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "암호화 앱이 활성화되어 있지만 키가 초기화되지 않았습니다. 로그아웃한 후 다시 로그인하십시오" + "Disabled" : "비활성화" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/ko.json b/apps/encryption/l10n/ko.json index bc32939343f10..4545eccb38452 100644 --- a/apps/encryption/l10n/ko.json +++ b/apps/encryption/l10n/ko.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "암호 복구 사용:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "이 옵션을 사용하면 암호를 잊었을 때 암호화된 파일에 다시 접근할 수 있습니다", "Enabled" : "활성화", - "Disabled" : "비활성화", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "암호화 앱이 활성화되어 있지만 키가 초기화되지 않았습니다. 로그아웃한 후 다시 로그인하십시오" + "Disabled" : "비활성화" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/lt_LT.js b/apps/encryption/l10n/lt_LT.js index a825224cf324d..31df68f7d3405 100644 --- a/apps/encryption/l10n/lt_LT.js +++ b/apps/encryption/l10n/lt_LT.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Įjungti slaptažodžio atkūrimą:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Šios parinkties įjungimas leis jums iš naujo gauti prieigą prie savo užšifruotų duomenų tuo atveju, jei prarasite slaptažodį", "Enabled" : "Įjungta", - "Disabled" : "Išjungta", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Šifravimo programėlė yra įjungta, tačiau jūsų raktai nėra inicijuoti. Prašome atsijungti ir vėl prisijungti" + "Disabled" : "Išjungta" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/encryption/l10n/lt_LT.json b/apps/encryption/l10n/lt_LT.json index 13aaaacaafbb4..6b72ad0ab1cc5 100644 --- a/apps/encryption/l10n/lt_LT.json +++ b/apps/encryption/l10n/lt_LT.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Įjungti slaptažodžio atkūrimą:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Šios parinkties įjungimas leis jums iš naujo gauti prieigą prie savo užšifruotų duomenų tuo atveju, jei prarasite slaptažodį", "Enabled" : "Įjungta", - "Disabled" : "Išjungta", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Šifravimo programėlė yra įjungta, tačiau jūsų raktai nėra inicijuoti. Prašome atsijungti ir vėl prisijungti" + "Disabled" : "Išjungta" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/encryption/l10n/nb.js b/apps/encryption/l10n/nb.js index 5d987ce182b3c..78b3699471044 100644 --- a/apps/encryption/l10n/nb.js +++ b/apps/encryption/l10n/nb.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Aktiver gjenoppretting av passord:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aktivering av dette valget tillater deg å gjenerobre tilgang til dine krypterte filer i tilfelle du mister passordet ditt.", "Enabled" : "Aktiv", - "Disabled" : "Inaktiv", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Program for kryptering er aktivert men nøklene dine er ikke satt opp. Logg ut og inn igjen." + "Disabled" : "Inaktiv" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/nb.json b/apps/encryption/l10n/nb.json index 419eeaf1c1eb4..8d74466d8ee02 100644 --- a/apps/encryption/l10n/nb.json +++ b/apps/encryption/l10n/nb.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Aktiver gjenoppretting av passord:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aktivering av dette valget tillater deg å gjenerobre tilgang til dine krypterte filer i tilfelle du mister passordet ditt.", "Enabled" : "Aktiv", - "Disabled" : "Inaktiv", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Program for kryptering er aktivert men nøklene dine er ikke satt opp. Logg ut og inn igjen." + "Disabled" : "Inaktiv" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/nl.js b/apps/encryption/l10n/nl.js index 2661126492ac7..2c48482a182bb 100644 --- a/apps/encryption/l10n/nl.js +++ b/apps/encryption/l10n/nl.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Activeren wachtwoord herstel:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Het activeren van deze optie maakt het mogelijk om je versleutelde bestanden te benaderen als je wachtwoord kwijt is", "Enabled" : "Ingeschakeld", - "Disabled" : "Uitgeschakeld", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is ingeschakeld, maar je sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in." + "Disabled" : "Uitgeschakeld" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/nl.json b/apps/encryption/l10n/nl.json index 60f7644a4853a..c2ad13385da90 100644 --- a/apps/encryption/l10n/nl.json +++ b/apps/encryption/l10n/nl.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Activeren wachtwoord herstel:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Het activeren van deze optie maakt het mogelijk om je versleutelde bestanden te benaderen als je wachtwoord kwijt is", "Enabled" : "Ingeschakeld", - "Disabled" : "Uitgeschakeld", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is ingeschakeld, maar je sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in." + "Disabled" : "Uitgeschakeld" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/pl.js b/apps/encryption/l10n/pl.js index e6ac09a398905..3f3d2960f0a21 100644 --- a/apps/encryption/l10n/pl.js +++ b/apps/encryption/l10n/pl.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Włącz hasło odzyskiwania:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Włączenie tej opcji umożliwia otrzymać dostęp do zaszyfrowanych plików w przypadku utraty hasła", "Enabled" : "Włączone", - "Disabled" : "Wyłączone", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacja szyfrująca jest aktywna, ale Twoje klucze nie zostały zainicjowane, proszę wyloguj się i zaloguj ponownie." + "Disabled" : "Wyłączone" }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/encryption/l10n/pl.json b/apps/encryption/l10n/pl.json index 06771089d3aae..f6a5baf19369f 100644 --- a/apps/encryption/l10n/pl.json +++ b/apps/encryption/l10n/pl.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Włącz hasło odzyskiwania:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Włączenie tej opcji umożliwia otrzymać dostęp do zaszyfrowanych plików w przypadku utraty hasła", "Enabled" : "Włączone", - "Disabled" : "Wyłączone", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacja szyfrująca jest aktywna, ale Twoje klucze nie zostały zainicjowane, proszę wyloguj się i zaloguj ponownie." + "Disabled" : "Wyłączone" },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" } \ No newline at end of file diff --git a/apps/encryption/l10n/pt_BR.js b/apps/encryption/l10n/pt_BR.js index f57244b6d6672..77a54cedcae85 100644 --- a/apps/encryption/l10n/pt_BR.js +++ b/apps/encryption/l10n/pt_BR.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Habilitar recuperação de senha:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ativar essa opção vai permitir que você obtenha novamente acesso aos seus arquivos criptografados em caso de perda de senha", "Enabled" : "Habilitado", - "Disabled" : "Desabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "O aplicativo de criptografia está habilitado, mas as chaves não estão inicializadas. Por favor, saia e entre novamente" + "Disabled" : "Desabilitado" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/encryption/l10n/pt_BR.json b/apps/encryption/l10n/pt_BR.json index 300ebf055d96d..e2c7369d87002 100644 --- a/apps/encryption/l10n/pt_BR.json +++ b/apps/encryption/l10n/pt_BR.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Habilitar recuperação de senha:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ativar essa opção vai permitir que você obtenha novamente acesso aos seus arquivos criptografados em caso de perda de senha", "Enabled" : "Habilitado", - "Disabled" : "Desabilitado", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "O aplicativo de criptografia está habilitado, mas as chaves não estão inicializadas. Por favor, saia e entre novamente" + "Disabled" : "Desabilitado" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/pt_PT.js b/apps/encryption/l10n/pt_PT.js index 417076ae5143b..b5b26cefd0703 100644 --- a/apps/encryption/l10n/pt_PT.js +++ b/apps/encryption/l10n/pt_PT.js @@ -52,7 +52,6 @@ OC.L10N.register( "Enable password recovery:" : "Ativar a recuperação da palavra-passe:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ao ativar esta opção, irá fazer com que volte a obter o acesso aos seus ficheiros encriptados, se perder a palavra-passe", "Enabled" : "Ativada", - "Disabled" : "Desativada", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "A Aplicação de Encriptação está ativada, mas as suas chaves não inicializaram. Por favor, termine a sessão e inicie-a novamente" + "Disabled" : "Desativada" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/pt_PT.json b/apps/encryption/l10n/pt_PT.json index 3759d4859ab2f..2dbaaaf1dbf68 100644 --- a/apps/encryption/l10n/pt_PT.json +++ b/apps/encryption/l10n/pt_PT.json @@ -50,7 +50,6 @@ "Enable password recovery:" : "Ativar a recuperação da palavra-passe:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Ao ativar esta opção, irá fazer com que volte a obter o acesso aos seus ficheiros encriptados, se perder a palavra-passe", "Enabled" : "Ativada", - "Disabled" : "Desativada", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "A Aplicação de Encriptação está ativada, mas as suas chaves não inicializaram. Por favor, termine a sessão e inicie-a novamente" + "Disabled" : "Desativada" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/ru.js b/apps/encryption/l10n/ru.js index c21f28fc2dfa1..0d0f076fd02f8 100644 --- a/apps/encryption/l10n/ru.js +++ b/apps/encryption/l10n/ru.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Включить восстановление пароля:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Включение этой опции позволит вам получить доступ к своим зашифрованным файлам в случае утери пароля", "Enabled" : "Включено", - "Disabled" : "Отключено", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Приложение шифрования активно, но ваши ключи не инициализированы. Выйдите из системы и войдите заново" + "Disabled" : "Отключено" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/encryption/l10n/ru.json b/apps/encryption/l10n/ru.json index 581a1bb7d773e..22cfa96854c8e 100644 --- a/apps/encryption/l10n/ru.json +++ b/apps/encryption/l10n/ru.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Включить восстановление пароля:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Включение этой опции позволит вам получить доступ к своим зашифрованным файлам в случае утери пароля", "Enabled" : "Включено", - "Disabled" : "Отключено", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Приложение шифрования активно, но ваши ключи не инициализированы. Выйдите из системы и войдите заново" + "Disabled" : "Отключено" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/apps/encryption/l10n/sk.js b/apps/encryption/l10n/sk.js index 1fe170ebd1ba5..d03c1ba16790e 100644 --- a/apps/encryption/l10n/sk.js +++ b/apps/encryption/l10n/sk.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Povoliť obnovu hesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Povolenie Vám umožní znovu získať prístup k Vašim zašifrovaným súborom, ak stratíte heslo", "Enabled" : "Povolené", - "Disabled" : "Zakázané", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikácia na šifrovanie je zapnutá, ale vaše kľúče nie sú inicializované. Odhláste sa a znovu sa prihláste." + "Disabled" : "Zakázané" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/encryption/l10n/sk.json b/apps/encryption/l10n/sk.json index fc68f078c6132..191030b1cb702 100644 --- a/apps/encryption/l10n/sk.json +++ b/apps/encryption/l10n/sk.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Povoliť obnovu hesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Povolenie Vám umožní znovu získať prístup k Vašim zašifrovaným súborom, ak stratíte heslo", "Enabled" : "Povolené", - "Disabled" : "Zakázané", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikácia na šifrovanie je zapnutá, ale vaše kľúče nie sú inicializované. Odhláste sa a znovu sa prihláste." + "Disabled" : "Zakázané" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/encryption/l10n/sl.js b/apps/encryption/l10n/sl.js index 21755b0fecd8e..320249cd0e346 100644 --- a/apps/encryption/l10n/sl.js +++ b/apps/encryption/l10n/sl.js @@ -52,7 +52,6 @@ OC.L10N.register( "Enable password recovery:" : "Omogoči obnovitev gesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Nastavitev te možnosti omogoča ponovno pridobitev dostopa do šifriranih datotek, v primeru, da boste geslo pozabili.", "Enabled" : "Omogočeno", - "Disabled" : "Onemogočeno", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Program za šifriranje je omogočen, vendar ni začet. Odjavite se in nato ponovno prijavite." + "Disabled" : "Onemogočeno" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/encryption/l10n/sl.json b/apps/encryption/l10n/sl.json index 3751d34d8ee9b..3b67bd34c8363 100644 --- a/apps/encryption/l10n/sl.json +++ b/apps/encryption/l10n/sl.json @@ -50,7 +50,6 @@ "Enable password recovery:" : "Omogoči obnovitev gesla:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Nastavitev te možnosti omogoča ponovno pridobitev dostopa do šifriranih datotek, v primeru, da boste geslo pozabili.", "Enabled" : "Omogočeno", - "Disabled" : "Onemogočeno", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Program za šifriranje je omogočen, vendar ni začet. Odjavite se in nato ponovno prijavite." + "Disabled" : "Onemogočeno" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/apps/encryption/l10n/sq.js b/apps/encryption/l10n/sq.js index 269a81a253328..71ed392dedf7a 100644 --- a/apps/encryption/l10n/sq.js +++ b/apps/encryption/l10n/sq.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Aktivizo rimarrje fjalëkalimesh:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aktivizimi i kësaj mundësie do t’ju lejojë të rifitoni hyrje te kartelat tuaja të fshehtëzuara në rast humbjeje fjalëkalimi", "Enabled" : "E aktivizuar", - "Disabled" : "E çaktivizuar", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacioni i fshehtëzimeve është i aktivizuar, por kyçet tuaj s’janë vënë në punë, ju lutemi, dilni dhe ribëni hyrjen" + "Disabled" : "E çaktivizuar" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/sq.json b/apps/encryption/l10n/sq.json index fdba9f18dc081..f7a93102e6706 100644 --- a/apps/encryption/l10n/sq.json +++ b/apps/encryption/l10n/sq.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Aktivizo rimarrje fjalëkalimesh:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Aktivizimi i kësaj mundësie do t’ju lejojë të rifitoni hyrje te kartelat tuaja të fshehtëzuara në rast humbjeje fjalëkalimi", "Enabled" : "E aktivizuar", - "Disabled" : "E çaktivizuar", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacioni i fshehtëzimeve është i aktivizuar, por kyçet tuaj s’janë vënë në punë, ju lutemi, dilni dhe ribëni hyrjen" + "Disabled" : "E çaktivizuar" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/sr.js b/apps/encryption/l10n/sr.js index ac03e3cc74468..e2244bbead852 100644 --- a/apps/encryption/l10n/sr.js +++ b/apps/encryption/l10n/sr.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Укључи опоравак лозинке:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Укључивање ове опције омогућиће поновно добијање приступа вашим шифрованим фајловима у случају губитка лозинке", "Enabled" : "укључено", - "Disabled" : "искључено", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Апликација шифровања је укључена али ваши кључеви нису иницијализовани. Одјавите се и поново се пријавите." + "Disabled" : "искључено" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/encryption/l10n/sr.json b/apps/encryption/l10n/sr.json index eec6b6e158fbf..1559ec4e14feb 100644 --- a/apps/encryption/l10n/sr.json +++ b/apps/encryption/l10n/sr.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Укључи опоравак лозинке:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Укључивање ове опције омогућиће поновно добијање приступа вашим шифрованим фајловима у случају губитка лозинке", "Enabled" : "укључено", - "Disabled" : "искључено", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Апликација шифровања је укључена али ваши кључеви нису иницијализовани. Одјавите се и поново се пријавите." + "Disabled" : "искључено" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/encryption/l10n/sv.js b/apps/encryption/l10n/sv.js index 8dcc2af9d0325..677a89ac2d785 100644 --- a/apps/encryption/l10n/sv.js +++ b/apps/encryption/l10n/sv.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Aktivera lösenordsåterställning:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Genom att aktivera detta alternativ kommer du kunna återfå tillgång till dina krypterade filer om du skulle förlora/glömma ditt lösenord", "Enabled" : "Aktiverad", - "Disabled" : "Inaktiverad", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet är aktiverat men dina nycklar är inte initierade. Vänligen logga ut och in igen" + "Disabled" : "Inaktiverad" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/sv.json b/apps/encryption/l10n/sv.json index 1cf3e56e44da4..ee4e87ca65a98 100644 --- a/apps/encryption/l10n/sv.json +++ b/apps/encryption/l10n/sv.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Aktivera lösenordsåterställning:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Genom att aktivera detta alternativ kommer du kunna återfå tillgång till dina krypterade filer om du skulle förlora/glömma ditt lösenord", "Enabled" : "Aktiverad", - "Disabled" : "Inaktiverad", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet är aktiverat men dina nycklar är inte initierade. Vänligen logga ut och in igen" + "Disabled" : "Inaktiverad" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/th.js b/apps/encryption/l10n/th.js index 5597ac4f16608..bab9bba02a368 100644 --- a/apps/encryption/l10n/th.js +++ b/apps/encryption/l10n/th.js @@ -52,7 +52,6 @@ OC.L10N.register( "Enable password recovery:" : "เปิดใช้งานการกู้คืนรหัสผ่าน:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "การเปิดใช้งานตัวเลือกนี้จะช่วยให้คุณได้รับการเข้าถึงไฟล์ที่มีการเข้ารหัสของคุณในกรณีที่คุณลืมรหัสผ่าน", "Enabled" : "เปิดการใช้งาน", - "Disabled" : "ปิดการใช้งาน", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "การเข้ารหัสแอพฯ ถูกเปิดใช้งานแต่รหัสของคุณยังไม่ได้เริ่มต้นใช้ โปรดออกและเข้าสู่ระบบอีกครั้ง" + "Disabled" : "ปิดการใช้งาน" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/th.json b/apps/encryption/l10n/th.json index df509b53a7a4e..47baf21b68f4d 100644 --- a/apps/encryption/l10n/th.json +++ b/apps/encryption/l10n/th.json @@ -50,7 +50,6 @@ "Enable password recovery:" : "เปิดใช้งานการกู้คืนรหัสผ่าน:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "การเปิดใช้งานตัวเลือกนี้จะช่วยให้คุณได้รับการเข้าถึงไฟล์ที่มีการเข้ารหัสของคุณในกรณีที่คุณลืมรหัสผ่าน", "Enabled" : "เปิดการใช้งาน", - "Disabled" : "ปิดการใช้งาน", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "การเข้ารหัสแอพฯ ถูกเปิดใช้งานแต่รหัสของคุณยังไม่ได้เริ่มต้นใช้ โปรดออกและเข้าสู่ระบบอีกครั้ง" + "Disabled" : "ปิดการใช้งาน" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/tr.js b/apps/encryption/l10n/tr.js index b6cdc84356f53..4ee4359afeab4 100644 --- a/apps/encryption/l10n/tr.js +++ b/apps/encryption/l10n/tr.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "Parola kurtarmayı etkinleştir:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Bu seçenek etkinleştirildiğinde, parolayı unutursanız şifrelenmiş dosyalarınıza yeniden erişim izni elde edebilirsiniz", "Enabled" : "Etkin", - "Disabled" : "Devre Dışı", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Şifreleme Uygulaması etkin ancak anahtarlarınız hazırlanmamış. Lütfen oturumunuzu kapatıp yeniden açın" + "Disabled" : "Devre Dışı" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/encryption/l10n/tr.json b/apps/encryption/l10n/tr.json index f0d646f93e4d6..30b40df328f15 100644 --- a/apps/encryption/l10n/tr.json +++ b/apps/encryption/l10n/tr.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "Parola kurtarmayı etkinleştir:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Bu seçenek etkinleştirildiğinde, parolayı unutursanız şifrelenmiş dosyalarınıza yeniden erişim izni elde edebilirsiniz", "Enabled" : "Etkin", - "Disabled" : "Devre Dışı", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Şifreleme Uygulaması etkin ancak anahtarlarınız hazırlanmamış. Lütfen oturumunuzu kapatıp yeniden açın" + "Disabled" : "Devre Dışı" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/zh_CN.js b/apps/encryption/l10n/zh_CN.js index 7683288e8df80..6a7f47f48a363 100644 --- a/apps/encryption/l10n/zh_CN.js +++ b/apps/encryption/l10n/zh_CN.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "启用密码恢复:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "启用该项将允许你在密码丢失后取回您的加密文件", "Enabled" : "开启", - "Disabled" : "禁用", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "加密应用被启用了,但是你的加密密钥没有初始化,请重新登出登录系统一次。" + "Disabled" : "禁用" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/zh_CN.json b/apps/encryption/l10n/zh_CN.json index fc2ad5fcabb7c..27ac9432b982e 100644 --- a/apps/encryption/l10n/zh_CN.json +++ b/apps/encryption/l10n/zh_CN.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "启用密码恢复:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "启用该项将允许你在密码丢失后取回您的加密文件", "Enabled" : "开启", - "Disabled" : "禁用", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "加密应用被启用了,但是你的加密密钥没有初始化,请重新登出登录系统一次。" + "Disabled" : "禁用" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/zh_TW.js b/apps/encryption/l10n/zh_TW.js index 93fe93de7260c..e8fd3ec6ff070 100644 --- a/apps/encryption/l10n/zh_TW.js +++ b/apps/encryption/l10n/zh_TW.js @@ -59,7 +59,6 @@ OC.L10N.register( "Enable password recovery:" : "啟用密碼還原:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "啟用這個選項將會允許您因忘記密碼但需要存取您的加密檔案", "Enabled" : "已啓用", - "Disabled" : "已停用", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "檔案加密已啓用,但是您的金鑰尚未初始化,請重新登入一次" + "Disabled" : "已停用" }, "nplurals=1; plural=0;"); diff --git a/apps/encryption/l10n/zh_TW.json b/apps/encryption/l10n/zh_TW.json index 545a78efdda7d..992177aa9ec73 100644 --- a/apps/encryption/l10n/zh_TW.json +++ b/apps/encryption/l10n/zh_TW.json @@ -57,7 +57,6 @@ "Enable password recovery:" : "啟用密碼還原:", "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "啟用這個選項將會允許您因忘記密碼但需要存取您的加密檔案", "Enabled" : "已啓用", - "Disabled" : "已停用", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "檔案加密已啓用,但是您的金鑰尚未初始化,請重新登入一次" + "Disabled" : "已停用" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/ca.js b/apps/files/l10n/ca.js index ade98ac0928a2..7c5d2f9385e15 100644 --- a/apps/files/l10n/ca.js +++ b/apps/files/l10n/ca.js @@ -135,25 +135,6 @@ OC.L10N.register( "Tags" : "Etiquetes", "Deleted files" : "Fitxers esborrats", "Text file" : "Fitxer de text", - "New text file.txt" : "Nou fitxer de text.txt", - "Uploading..." : "Pujant...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Falta {hours}:{minutes}:{seconds} hora","Falten {hours}:{minutes}:{seconds} hores"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Falten {minutes}:{seconds} minuts","Falta {minutes}:{seconds} minut"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["Falta {seconds} segon","Falten {seconds} segons"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En qualsevol moment...", - "Soon..." : "Aviat...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Hi ha una pujada en curs. Si abandoneu la pàgina la pujada es cancel·larà.", - "Move" : "Mou", - "Copy local link" : "C", - "Folder" : "Carpeta", - "Upload" : "Puja", - "A new file or folder has been deleted" : "S'ha eliminat un nou fitxer o carpeta", - "A new file or folder has been restored" : "S'ha restaurat un nou fitxer o carpeta", - "Use this address to access your Files via WebDAV" : "Utilitzeu aquesta adreça per accedir als vostres fitxers a través de WebDAV", - "No favorites" : "No hi ha favorits" + "New text file.txt" : "Nou fitxer de text.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ca.json b/apps/files/l10n/ca.json index 786bd652258c3..5897600230e5b 100644 --- a/apps/files/l10n/ca.json +++ b/apps/files/l10n/ca.json @@ -133,25 +133,6 @@ "Tags" : "Etiquetes", "Deleted files" : "Fitxers esborrats", "Text file" : "Fitxer de text", - "New text file.txt" : "Nou fitxer de text.txt", - "Uploading..." : "Pujant...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Falta {hours}:{minutes}:{seconds} hora","Falten {hours}:{minutes}:{seconds} hores"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Falten {minutes}:{seconds} minuts","Falta {minutes}:{seconds} minut"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["Falta {seconds} segon","Falten {seconds} segons"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En qualsevol moment...", - "Soon..." : "Aviat...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Hi ha una pujada en curs. Si abandoneu la pàgina la pujada es cancel·larà.", - "Move" : "Mou", - "Copy local link" : "C", - "Folder" : "Carpeta", - "Upload" : "Puja", - "A new file or folder has been deleted" : "S'ha eliminat un nou fitxer o carpeta", - "A new file or folder has been restored" : "S'ha restaurat un nou fitxer o carpeta", - "Use this address to access your Files via WebDAV" : "Utilitzeu aquesta adreça per accedir als vostres fitxers a través de WebDAV", - "No favorites" : "No hi ha favorits" + "New text file.txt" : "Nou fitxer de text.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/cs.js b/apps/files/l10n/cs.js index 8284aec814085..2be55bf8c06eb 100644 --- a/apps/files/l10n/cs.js +++ b/apps/files/l10n/cs.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Značky", "Deleted files" : "Odstraněné soubory", "Text file" : "Textový soubor", - "New text file.txt" : "Nový textový soubor.txt", - "Uploading..." : "Odesílám...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["zbývá {hours}:{minutes}:{seconds} hodina","zbývají {hours}:{minutes}:{seconds} hodiny","zbývá {hours}:{minutes}:{seconds} hodin"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["zbývá {minutes}:{seconds} minuta","zbývají {minutes}:{seconds} minuty","zbývá {minutes}:{seconds} minut"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["zbývá {seconds} sekunda","zbývají {seconds} sekundy","zbývá {seconds} sekund"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Každou chvíli...", - "Soon..." : "Brzy...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Probíhá odesílání souboru. Opuštění stránky způsobí zrušení nahrávání.", - "Move" : "Přesunout", - "Copy local link" : "Kopírovat místní odkaz", - "Folder" : "Adresář", - "Upload" : "Odeslat", - "A new file or folder has been deleted" : "Nový soubor nebo adresář byl smazán", - "A new file or folder has been restored" : "Nový soubor nebo adresář byl obnoven", - "Use this address to access your Files via WebDAV" : "Použijte tuto adresu pro přístup ke svým Souborům přes WebDAV", - "No favorites" : "Žádné oblíbené" + "New text file.txt" : "Nový textový soubor.txt" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files/l10n/cs.json b/apps/files/l10n/cs.json index 350a15421699d..beeba97f71455 100644 --- a/apps/files/l10n/cs.json +++ b/apps/files/l10n/cs.json @@ -141,25 +141,6 @@ "Tags" : "Značky", "Deleted files" : "Odstraněné soubory", "Text file" : "Textový soubor", - "New text file.txt" : "Nový textový soubor.txt", - "Uploading..." : "Odesílám...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["zbývá {hours}:{minutes}:{seconds} hodina","zbývají {hours}:{minutes}:{seconds} hodiny","zbývá {hours}:{minutes}:{seconds} hodin"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["zbývá {minutes}:{seconds} minuta","zbývají {minutes}:{seconds} minuty","zbývá {minutes}:{seconds} minut"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["zbývá {seconds} sekunda","zbývají {seconds} sekundy","zbývá {seconds} sekund"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Každou chvíli...", - "Soon..." : "Brzy...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Probíhá odesílání souboru. Opuštění stránky způsobí zrušení nahrávání.", - "Move" : "Přesunout", - "Copy local link" : "Kopírovat místní odkaz", - "Folder" : "Adresář", - "Upload" : "Odeslat", - "A new file or folder has been deleted" : "Nový soubor nebo adresář byl smazán", - "A new file or folder has been restored" : "Nový soubor nebo adresář byl obnoven", - "Use this address to access your Files via WebDAV" : "Použijte tuto adresu pro přístup ke svým Souborům přes WebDAV", - "No favorites" : "Žádné oblíbené" + "New text file.txt" : "Nový textový soubor.txt" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files/l10n/da.js b/apps/files/l10n/da.js index 0c8fea1c3ff20..70d8da3a7f16a 100644 --- a/apps/files/l10n/da.js +++ b/apps/files/l10n/da.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Mærker", "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekst file.txt", - "Uploading..." : "Uploader...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} time tilbage","{hours}:{minutes}:{seconds} timer tilbage"], - "{hours}:{minutes}h" : "{hours}:{minutes}t", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minut tilbage","{minutes}:{seconds} minutter tilbage"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund tilbage","{seconds} sekunder tilbage"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Når som helst...", - "Soon..." : "Snart...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fil upload kører. Hvis du forlader siden nu, vil uploadet blive annuleret.", - "Move" : "Flyt", - "Copy local link" : "Kopier lokalt link", - "Folder" : "Mappe", - "Upload" : "Upload", - "A new file or folder has been deleted" : "En ny fil eller mappe er blevet slettet", - "A new file or folder has been restored" : "En ny fil eller mappe er blevet gendannet", - "Use this address to access your Files via WebDAV" : "Brug denne adresse til at tilgå dine filer via WebDAV", - "No favorites" : "Ingen foretrukne" + "New text file.txt" : "Ny tekst file.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/da.json b/apps/files/l10n/da.json index ae52158a78d84..96832c04296ef 100644 --- a/apps/files/l10n/da.json +++ b/apps/files/l10n/da.json @@ -141,25 +141,6 @@ "Tags" : "Mærker", "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekst file.txt", - "Uploading..." : "Uploader...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} time tilbage","{hours}:{minutes}:{seconds} timer tilbage"], - "{hours}:{minutes}h" : "{hours}:{minutes}t", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minut tilbage","{minutes}:{seconds} minutter tilbage"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund tilbage","{seconds} sekunder tilbage"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Når som helst...", - "Soon..." : "Snart...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fil upload kører. Hvis du forlader siden nu, vil uploadet blive annuleret.", - "Move" : "Flyt", - "Copy local link" : "Kopier lokalt link", - "Folder" : "Mappe", - "Upload" : "Upload", - "A new file or folder has been deleted" : "En ny fil eller mappe er blevet slettet", - "A new file or folder has been restored" : "En ny fil eller mappe er blevet gendannet", - "Use this address to access your Files via WebDAV" : "Brug denne adresse til at tilgå dine filer via WebDAV", - "No favorites" : "Ingen foretrukne" + "New text file.txt" : "Ny tekst file.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/de.js b/apps/files/l10n/de.js index 6f25a1ec2d7bd..e9163082b97a3 100644 --- a/apps/files/l10n/de.js +++ b/apps/files/l10n/de.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Tags", "Deleted files" : "Gelöschte Dateien", "Text file" : "Textdatei", - "New text file.txt" : "Neue Textdatei file.txt", - "Uploading..." : "Hochladen…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} Stunde verbleibend","Noch {hours}:{minutes}:{seconds} Stunden"], - "{hours}:{minutes}h" : "{hours}:{minutes} Std.", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} Minute verbleibend","Noch {minutes}:{seconds} Minuten"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} Sekunde verbleibend","Noch {seconds} Sekunden"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Gleich fertig…", - "Soon..." : "Bald…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dateiupload läuft. Wenn die Seite jetzt verlassen wird, bricht der Upload ab.", - "Move" : "Verschieben", - "Copy local link" : "Lokalen Link kopieren", - "Folder" : "Ordner", - "Upload" : "Hochladen", - "A new file or folder has been deleted" : "Eine neue Datei oder Ordner wurde gelöscht", - "A new file or folder has been restored" : "Neue Datei oder Ordner wurde wiederhergestellt", - "Use this address to access your Files via WebDAV" : "Diese Adresse benutzen, um über WebDAV auf Deine Dateien zuzugreifen", - "No favorites" : "Keine Favoriten" + "New text file.txt" : "Neue Textdatei file.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/de.json b/apps/files/l10n/de.json index 9df967faf353a..94c4805e83e98 100644 --- a/apps/files/l10n/de.json +++ b/apps/files/l10n/de.json @@ -144,25 +144,6 @@ "Tags" : "Tags", "Deleted files" : "Gelöschte Dateien", "Text file" : "Textdatei", - "New text file.txt" : "Neue Textdatei file.txt", - "Uploading..." : "Hochladen…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} Stunde verbleibend","Noch {hours}:{minutes}:{seconds} Stunden"], - "{hours}:{minutes}h" : "{hours}:{minutes} Std.", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} Minute verbleibend","Noch {minutes}:{seconds} Minuten"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} Sekunde verbleibend","Noch {seconds} Sekunden"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Gleich fertig…", - "Soon..." : "Bald…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dateiupload läuft. Wenn die Seite jetzt verlassen wird, bricht der Upload ab.", - "Move" : "Verschieben", - "Copy local link" : "Lokalen Link kopieren", - "Folder" : "Ordner", - "Upload" : "Hochladen", - "A new file or folder has been deleted" : "Eine neue Datei oder Ordner wurde gelöscht", - "A new file or folder has been restored" : "Neue Datei oder Ordner wurde wiederhergestellt", - "Use this address to access your Files via WebDAV" : "Diese Adresse benutzen, um über WebDAV auf Deine Dateien zuzugreifen", - "No favorites" : "Keine Favoriten" + "New text file.txt" : "Neue Textdatei file.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/de_DE.js b/apps/files/l10n/de_DE.js index 592fd62ed6220..79913c00648df 100644 --- a/apps/files/l10n/de_DE.js +++ b/apps/files/l10n/de_DE.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Tags", "Deleted files" : "Gelöschte Dateien", "Text file" : "Textdatei", - "New text file.txt" : "Neue Textdatei file.txt", - "Uploading..." : "Hochladen…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} Stunde verbleiben","Noch {hours}:{minutes}:{seconds} Stunden"], - "{hours}:{minutes}h" : "{hours}:{minutes} Std.", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} Minute verbleibend","Noch {minutes}:{seconds} Minuten"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} Sekunde verbleiben","Noch {seconds} Sekunden"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Gleich fertig …", - "Soon..." : "Bald …", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen.", - "Move" : "Verschieben", - "Copy local link" : "Lokalen Link kopieren", - "Folder" : "Ordner", - "Upload" : "Hochladen", - "A new file or folder has been deleted" : "Eine neue Datei oder Ordner wurde gelöscht", - "A new file or folder has been restored" : "Eine neue Datei oder Ordner wurde wiederhergestellt", - "Use this address to access your Files via WebDAV" : "Benutzen Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen", - "No favorites" : "Keine Favoriten" + "New text file.txt" : "Neue Textdatei file.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/de_DE.json b/apps/files/l10n/de_DE.json index 73f811b69c2cf..91bbd8efcadf5 100644 --- a/apps/files/l10n/de_DE.json +++ b/apps/files/l10n/de_DE.json @@ -144,25 +144,6 @@ "Tags" : "Tags", "Deleted files" : "Gelöschte Dateien", "Text file" : "Textdatei", - "New text file.txt" : "Neue Textdatei file.txt", - "Uploading..." : "Hochladen…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} Stunde verbleiben","Noch {hours}:{minutes}:{seconds} Stunden"], - "{hours}:{minutes}h" : "{hours}:{minutes} Std.", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} Minute verbleibend","Noch {minutes}:{seconds} Minuten"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} Sekunde verbleiben","Noch {seconds} Sekunden"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Gleich fertig …", - "Soon..." : "Bald …", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dateiupload läuft. Wenn Sie die Seite jetzt verlassen, wird der Upload abgebrochen.", - "Move" : "Verschieben", - "Copy local link" : "Lokalen Link kopieren", - "Folder" : "Ordner", - "Upload" : "Hochladen", - "A new file or folder has been deleted" : "Eine neue Datei oder Ordner wurde gelöscht", - "A new file or folder has been restored" : "Eine neue Datei oder Ordner wurde wiederhergestellt", - "Use this address to access your Files via WebDAV" : "Benutzen Sie diese Adresse, um via WebDAV auf Ihre Dateien zuzugreifen", - "No favorites" : "Keine Favoriten" + "New text file.txt" : "Neue Textdatei file.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/el.js b/apps/files/l10n/el.js index 0b49bb9954b30..488617620db4d 100644 --- a/apps/files/l10n/el.js +++ b/apps/files/l10n/el.js @@ -141,25 +141,6 @@ OC.L10N.register( "Tags" : "Ετικέτες", "Deleted files" : "Διεγραμμένα αρχεία", "Text file" : "Αρχείο κειμένου", - "New text file.txt" : "Νέο αρχείο κειμένου.txt", - "Uploading..." : "Μεταφόρτωση...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} ώρα απομένει","{hours}:{minutes}:{seconds} ώρες απομένουν"], - "{hours}:{minutes}h" : "{hours}:{minutes}ω", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} λεπτό απομένει","{minutes}:{seconds} λεπτά απομένουν"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}λ", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} δευτερόλεπτο απομένει","{seconds} δευτερόλεπτα απομένουν"], - "{seconds}s" : "{seconds}δ", - "Any moment now..." : "Από στιγμή σε στιγμή", - "Soon..." : "Σύντομα...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Η αποστολή του αρχείου βρίσκεται σε εξέλιξη. Το κλείσιμο της σελίδας θα ακυρώσει την αποστολή.", - "Move" : "Μετακίνηση", - "Copy local link" : "Αντιγραφή τοπικού συνδέσμου", - "Folder" : "Φάκελος", - "Upload" : "Μεταφόρτωση", - "A new file or folder has been deleted" : "Ένα νέο αρχείο ή φάκελος έχει διαγραφεί", - "A new file or folder has been restored" : "Ένα νέο αρχείο ή φάκελος έχει επαναφερθεί", - "Use this address to access your Files via WebDAV" : "Χρησιμοποιήστε αυτή τη διεύθυνση για να έχετε πρόσβαση στα Αρχεία σας μέσω WebDAV", - "No favorites" : "Δεν υπάρχουν αγαπημένα" + "New text file.txt" : "Νέο αρχείο κειμένου.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/el.json b/apps/files/l10n/el.json index 7905b940677ed..9089366328c5b 100644 --- a/apps/files/l10n/el.json +++ b/apps/files/l10n/el.json @@ -139,25 +139,6 @@ "Tags" : "Ετικέτες", "Deleted files" : "Διεγραμμένα αρχεία", "Text file" : "Αρχείο κειμένου", - "New text file.txt" : "Νέο αρχείο κειμένου.txt", - "Uploading..." : "Μεταφόρτωση...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} ώρα απομένει","{hours}:{minutes}:{seconds} ώρες απομένουν"], - "{hours}:{minutes}h" : "{hours}:{minutes}ω", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} λεπτό απομένει","{minutes}:{seconds} λεπτά απομένουν"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}λ", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} δευτερόλεπτο απομένει","{seconds} δευτερόλεπτα απομένουν"], - "{seconds}s" : "{seconds}δ", - "Any moment now..." : "Από στιγμή σε στιγμή", - "Soon..." : "Σύντομα...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Η αποστολή του αρχείου βρίσκεται σε εξέλιξη. Το κλείσιμο της σελίδας θα ακυρώσει την αποστολή.", - "Move" : "Μετακίνηση", - "Copy local link" : "Αντιγραφή τοπικού συνδέσμου", - "Folder" : "Φάκελος", - "Upload" : "Μεταφόρτωση", - "A new file or folder has been deleted" : "Ένα νέο αρχείο ή φάκελος έχει διαγραφεί", - "A new file or folder has been restored" : "Ένα νέο αρχείο ή φάκελος έχει επαναφερθεί", - "Use this address to access your Files via WebDAV" : "Χρησιμοποιήστε αυτή τη διεύθυνση για να έχετε πρόσβαση στα Αρχεία σας μέσω WebDAV", - "No favorites" : "Δεν υπάρχουν αγαπημένα" + "New text file.txt" : "Νέο αρχείο κειμένου.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/en_GB.js b/apps/files/l10n/en_GB.js index 21f6e33978420..4d27b63bfa330 100644 --- a/apps/files/l10n/en_GB.js +++ b/apps/files/l10n/en_GB.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Tags", "Deleted files" : "Deleted files", "Text file" : "Text file", - "New text file.txt" : "New text file.txt", - "Uploading..." : "Uploading...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} hours left","{hours}:{minutes}:{seconds} hours left"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minutes left","{minutes}:{seconds} minutes left"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} second left","{seconds} seconds left"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Any moment now...", - "Soon..." : "Soon...", - "File upload is in progress. Leaving the page now will cancel the upload." : "File upload is in progress. Leaving the page now will cancel the upload.", - "Move" : "Move", - "Copy local link" : "Copy local link", - "Folder" : "Folder", - "Upload" : "Upload", - "A new file or folder has been deleted" : "A new file or folder has been deleted", - "A new file or folder has been restored" : "A new file or folder has been restored", - "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV", - "No favorites" : "No favourites" + "New text file.txt" : "New text file.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/en_GB.json b/apps/files/l10n/en_GB.json index f8ff0a553b5bc..4191f7847dc93 100644 --- a/apps/files/l10n/en_GB.json +++ b/apps/files/l10n/en_GB.json @@ -144,25 +144,6 @@ "Tags" : "Tags", "Deleted files" : "Deleted files", "Text file" : "Text file", - "New text file.txt" : "New text file.txt", - "Uploading..." : "Uploading...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} hours left","{hours}:{minutes}:{seconds} hours left"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minutes left","{minutes}:{seconds} minutes left"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} second left","{seconds} seconds left"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Any moment now...", - "Soon..." : "Soon...", - "File upload is in progress. Leaving the page now will cancel the upload." : "File upload is in progress. Leaving the page now will cancel the upload.", - "Move" : "Move", - "Copy local link" : "Copy local link", - "Folder" : "Folder", - "Upload" : "Upload", - "A new file or folder has been deleted" : "A new file or folder has been deleted", - "A new file or folder has been restored" : "A new file or folder has been restored", - "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV", - "No favorites" : "No favourites" + "New text file.txt" : "New text file.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es.js b/apps/files/l10n/es.js index 0852da86efc98..1c4cad6f01386 100644 --- a/apps/files/l10n/es.js +++ b/apps/files/l10n/es.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos eliminados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo archivo de texto.txt", - "Uploading..." : "Subiendo...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} hora restante","{hours}:{minutes}:{seconds} horas restantes"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuto restante","{minutes}:{seconds} minutos restantes"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} segundo restante","{seconds} segundos restantes"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Dentro de poco...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La subida del archivo está en proceso. Si sale de la página ahora, la subida será cancelada.", - "Move" : "Mover", - "Copy local link" : "Copiar enlace local", - "Folder" : "Carpeta", - "Upload" : "Subir", - "A new file or folder has been deleted" : "Un nuevo archivo o carpeta ha sido eliminado", - "A new file or folder has been restored" : "Un nuevo archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos mediante WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo archivo de texto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es.json b/apps/files/l10n/es.json index db8baad60b33b..2a49be9c754df 100644 --- a/apps/files/l10n/es.json +++ b/apps/files/l10n/es.json @@ -144,25 +144,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos eliminados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo archivo de texto.txt", - "Uploading..." : "Subiendo...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} hora restante","{hours}:{minutes}:{seconds} horas restantes"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuto restante","{minutes}:{seconds} minutos restantes"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} segundo restante","{seconds} segundos restantes"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Dentro de poco...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La subida del archivo está en proceso. Si sale de la página ahora, la subida será cancelada.", - "Move" : "Mover", - "Copy local link" : "Copiar enlace local", - "Folder" : "Carpeta", - "Upload" : "Subir", - "A new file or folder has been deleted" : "Un nuevo archivo o carpeta ha sido eliminado", - "A new file or folder has been restored" : "Un nuevo archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos mediante WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo archivo de texto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_419.js b/apps/files/l10n/es_419.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_419.js +++ b/apps/files/l10n/es_419.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_419.json b/apps/files/l10n/es_419.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_419.json +++ b/apps/files/l10n/es_419.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_AR.js b/apps/files/l10n/es_AR.js index b4121e83246ac..344dd8696878d 100644 --- a/apps/files/l10n/es_AR.js +++ b/apps/files/l10n/es_AR.js @@ -127,25 +127,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar link local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un nuevo archivo ha sido borrado", - "A new file or folder has been restored" : "Un nuevo archivo ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Use esta dirección para acceder sus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_AR.json b/apps/files/l10n/es_AR.json index 549e2a7672c04..3edd9185bb417 100644 --- a/apps/files/l10n/es_AR.json +++ b/apps/files/l10n/es_AR.json @@ -125,25 +125,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar link local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un nuevo archivo ha sido borrado", - "A new file or folder has been restored" : "Un nuevo archivo ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Use esta dirección para acceder sus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_CL.js b/apps/files/l10n/es_CL.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_CL.js +++ b/apps/files/l10n/es_CL.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_CL.json b/apps/files/l10n/es_CL.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_CL.json +++ b/apps/files/l10n/es_CL.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_CO.js b/apps/files/l10n/es_CO.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_CO.js +++ b/apps/files/l10n/es_CO.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_CO.json b/apps/files/l10n/es_CO.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_CO.json +++ b/apps/files/l10n/es_CO.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_CR.js b/apps/files/l10n/es_CR.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_CR.js +++ b/apps/files/l10n/es_CR.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_CR.json b/apps/files/l10n/es_CR.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_CR.json +++ b/apps/files/l10n/es_CR.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_DO.js b/apps/files/l10n/es_DO.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_DO.js +++ b/apps/files/l10n/es_DO.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_DO.json b/apps/files/l10n/es_DO.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_DO.json +++ b/apps/files/l10n/es_DO.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_EC.js b/apps/files/l10n/es_EC.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_EC.js +++ b/apps/files/l10n/es_EC.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_EC.json b/apps/files/l10n/es_EC.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_EC.json +++ b/apps/files/l10n/es_EC.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_GT.js b/apps/files/l10n/es_GT.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_GT.js +++ b/apps/files/l10n/es_GT.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_GT.json b/apps/files/l10n/es_GT.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_GT.json +++ b/apps/files/l10n/es_GT.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_HN.js b/apps/files/l10n/es_HN.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_HN.js +++ b/apps/files/l10n/es_HN.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_HN.json b/apps/files/l10n/es_HN.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_HN.json +++ b/apps/files/l10n/es_HN.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_MX.js b/apps/files/l10n/es_MX.js index 99cddff26c160..b03e9e6e7d8c1 100644 --- a/apps/files/l10n/es_MX.js +++ b/apps/files/l10n/es_MX.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_MX.json b/apps/files/l10n/es_MX.json index 63160ebcf09dc..837e1a2ccc42e 100644 --- a/apps/files/l10n/es_MX.json +++ b/apps/files/l10n/es_MX.json @@ -144,25 +144,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_NI.js b/apps/files/l10n/es_NI.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_NI.js +++ b/apps/files/l10n/es_NI.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_NI.json b/apps/files/l10n/es_NI.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_NI.json +++ b/apps/files/l10n/es_NI.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_PA.js b/apps/files/l10n/es_PA.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_PA.js +++ b/apps/files/l10n/es_PA.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_PA.json b/apps/files/l10n/es_PA.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_PA.json +++ b/apps/files/l10n/es_PA.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_PE.js b/apps/files/l10n/es_PE.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_PE.js +++ b/apps/files/l10n/es_PE.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_PE.json b/apps/files/l10n/es_PE.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_PE.json +++ b/apps/files/l10n/es_PE.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_PR.js b/apps/files/l10n/es_PR.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_PR.js +++ b/apps/files/l10n/es_PR.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_PR.json b/apps/files/l10n/es_PR.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_PR.json +++ b/apps/files/l10n/es_PR.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_PY.js b/apps/files/l10n/es_PY.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_PY.js +++ b/apps/files/l10n/es_PY.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_PY.json b/apps/files/l10n/es_PY.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_PY.json +++ b/apps/files/l10n/es_PY.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_SV.js b/apps/files/l10n/es_SV.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_SV.js +++ b/apps/files/l10n/es_SV.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_SV.json b/apps/files/l10n/es_SV.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_SV.json +++ b/apps/files/l10n/es_SV.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es_UY.js b/apps/files/l10n/es_UY.js index 793abaf101b5b..5eb28fca10f6c 100644 --- a/apps/files/l10n/es_UY.js +++ b/apps/files/l10n/es_UY.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es_UY.json b/apps/files/l10n/es_UY.json index 4083caedd5e0c..beb3c150b4ad3 100644 --- a/apps/files/l10n/es_UY.json +++ b/apps/files/l10n/es_UY.json @@ -141,25 +141,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos borrados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo ArchivoDeTexto.txt", - "Uploading..." : "Cargando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["falta {hours}:{minutes}:{seconds} hora","faltan {hours}:{minutes}:{seconds} horas"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["falta {minutes}:{seconds} minuto","faltan {minutes}:{seconds} minutos"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["falta {seconds} segundo","faltan {seconds} segundos"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momento...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La carga del archivo está en curso. El salir de la página ahora, la cancelará. ", - "Move" : "Mover", - "Copy local link" : "Copiar liga local", - "Folder" : "Carpeta", - "Upload" : "Cargar", - "A new file or folder has been deleted" : "Un archivo o carpeta ha sido borrado", - "A new file or folder has been restored" : "Un archivo o carpeta ha sido restaurado", - "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder tus archivos vía WebDAV", - "No favorites" : "No hay favoritos" + "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/et_EE.js b/apps/files/l10n/et_EE.js index e8b8e55848ed1..70607ab5cfde2 100644 --- a/apps/files/l10n/et_EE.js +++ b/apps/files/l10n/et_EE.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Sildid", "Deleted files" : "Kustutatud failid", "Text file" : "Tekstifail", - "New text file.txt" : "Uus tekstifail.txt", - "Uploading..." : "Üleslaadimine...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} tund jäänud","{hours}:{minutes}:{seconds} tundi jäänud"], - "{hours}:{minutes}h" : "{hours}:{minutes}t", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minut jäänud","{minutes}:{seconds} minutit jäänud"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund jäänud","{seconds} sekundit jäänud"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Iga hetk...", - "Soon..." : "Varsti...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle üleslaadimise.", - "Move" : "Liiguta", - "Copy local link" : "Kopeeri kohalik link", - "Folder" : "Kaust", - "Upload" : "Lae üles", - "A new file or folder has been deleted" : "Uus fail või kaust on kustutatud", - "A new file or folder has been restored" : "Uus fail või kaust on taastatud", - "Use this address to access your Files via WebDAV" : "Kasuta seda aadressi, et oma failidele WebDAV kaudu ligi pääseda", - "No favorites" : "Lemmikuid pole" + "New text file.txt" : "Uus tekstifail.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/et_EE.json b/apps/files/l10n/et_EE.json index 7d8d47e3b9519..085f656207b75 100644 --- a/apps/files/l10n/et_EE.json +++ b/apps/files/l10n/et_EE.json @@ -141,25 +141,6 @@ "Tags" : "Sildid", "Deleted files" : "Kustutatud failid", "Text file" : "Tekstifail", - "New text file.txt" : "Uus tekstifail.txt", - "Uploading..." : "Üleslaadimine...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} tund jäänud","{hours}:{minutes}:{seconds} tundi jäänud"], - "{hours}:{minutes}h" : "{hours}:{minutes}t", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minut jäänud","{minutes}:{seconds} minutit jäänud"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund jäänud","{seconds} sekundit jäänud"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Iga hetk...", - "Soon..." : "Varsti...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Faili üleslaadimine on töös. Lehelt lahkumine katkestab selle üleslaadimise.", - "Move" : "Liiguta", - "Copy local link" : "Kopeeri kohalik link", - "Folder" : "Kaust", - "Upload" : "Lae üles", - "A new file or folder has been deleted" : "Uus fail või kaust on kustutatud", - "A new file or folder has been restored" : "Uus fail või kaust on taastatud", - "Use this address to access your Files via WebDAV" : "Kasuta seda aadressi, et oma failidele WebDAV kaudu ligi pääseda", - "No favorites" : "Lemmikuid pole" + "New text file.txt" : "Uus tekstifail.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/eu.js b/apps/files/l10n/eu.js index 9af90d81c22f0..c429112d74675 100644 --- a/apps/files/l10n/eu.js +++ b/apps/files/l10n/eu.js @@ -140,25 +140,6 @@ OC.L10N.register( "Tags" : "Etiketak", "Deleted files" : "Ezabatutako fitxategiak", "Text file" : "Testu fitxategia", - "New text file.txt" : ".txt testu fitxategi berria", - "Uploading..." : "Igotzen...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Ordu {hours}:{minutes}:{seconds} geratzen da","{hours}:{minutes}:{seconds} ordu geratzen dira"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Minutu {minutes}:{seconds} geratzen da","{minutes}:{seconds} minutu geratzen dira"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["Segundu {seconds} geratzen da","{seconds} segundu geratzen dira"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Edozein unean...", - "Soon..." : "Laster...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fitxategien igoera martxan da. Orria orain uzteak igoera ezeztatutko du.", - "Move" : "Mugitu", - "Copy local link" : "Kopiatu tokiko esteka", - "Folder" : "Karpeta", - "Upload" : "Igo", - "A new file or folder has been deleted" : "A new file or folder has been deleted", - "A new file or folder has been restored" : "A new file or folder has been restored", - "Use this address to access your Files via WebDAV" : "Erabili helbide hau WebDAV bidez zure fitxategietara sartzeko ", - "No favorites" : "Gogokorik ez" + "New text file.txt" : ".txt testu fitxategi berria" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/eu.json b/apps/files/l10n/eu.json index 735f952f6cd40..2a25620c455b4 100644 --- a/apps/files/l10n/eu.json +++ b/apps/files/l10n/eu.json @@ -138,25 +138,6 @@ "Tags" : "Etiketak", "Deleted files" : "Ezabatutako fitxategiak", "Text file" : "Testu fitxategia", - "New text file.txt" : ".txt testu fitxategi berria", - "Uploading..." : "Igotzen...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Ordu {hours}:{minutes}:{seconds} geratzen da","{hours}:{minutes}:{seconds} ordu geratzen dira"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Minutu {minutes}:{seconds} geratzen da","{minutes}:{seconds} minutu geratzen dira"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["Segundu {seconds} geratzen da","{seconds} segundu geratzen dira"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Edozein unean...", - "Soon..." : "Laster...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fitxategien igoera martxan da. Orria orain uzteak igoera ezeztatutko du.", - "Move" : "Mugitu", - "Copy local link" : "Kopiatu tokiko esteka", - "Folder" : "Karpeta", - "Upload" : "Igo", - "A new file or folder has been deleted" : "A new file or folder has been deleted", - "A new file or folder has been restored" : "A new file or folder has been restored", - "Use this address to access your Files via WebDAV" : "Erabili helbide hau WebDAV bidez zure fitxategietara sartzeko ", - "No favorites" : "Gogokorik ez" + "New text file.txt" : ".txt testu fitxategi berria" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/fi.js b/apps/files/l10n/fi.js index 58d1b93dbb289..e7ea921602bd4 100644 --- a/apps/files/l10n/fi.js +++ b/apps/files/l10n/fi.js @@ -142,25 +142,6 @@ OC.L10N.register( "Tags" : "Tunnisteet", "Deleted files" : "Poistetut tiedostot", "Text file" : "Tekstitiedosto", - "New text file.txt" : "Uusi tekstitiedosto.txt", - "Uploading..." : "Lähetetään...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} tunti jäljellä","{hours}:{minutes}:{seconds} tuntia jäljellä"], - "{hours}:{minutes}h" : "{hours}h {minutes}m", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuutti jäljellä","{minutes}:{seconds} minuuttia jäljellä"], - "{minutes}:{seconds}m" : "{minutes}m {seconds}s", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekunti jäljellä","{seconds} sekuntia jäljellä"], - "{seconds}s" : "{seconds} s", - "Any moment now..." : "Minä tahansa hetkenä...", - "Soon..." : "Pian...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Tiedoston lähetys on meneillään. Sivulta poistuminen nyt peruu tiedoston lähetyksen.", - "Move" : "Siirrä", - "Copy local link" : "Kopioi paikallinen linkki", - "Folder" : "Kansio", - "Upload" : "Lähetä", - "A new file or folder has been deleted" : "Uusi tiedosto tai kansio on poistettu", - "A new file or folder has been restored" : "Uusi tiedosto tai kansio on palautettu", - "Use this address to access your Files via WebDAV" : "Tällä osoitteella käytät tiedostojasi WebDAV:n yli", - "No favorites" : "Ei suosikkeja" + "New text file.txt" : "Uusi tekstitiedosto.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/fi.json b/apps/files/l10n/fi.json index fada7c7ffc9ac..2c768b4df3c2e 100644 --- a/apps/files/l10n/fi.json +++ b/apps/files/l10n/fi.json @@ -140,25 +140,6 @@ "Tags" : "Tunnisteet", "Deleted files" : "Poistetut tiedostot", "Text file" : "Tekstitiedosto", - "New text file.txt" : "Uusi tekstitiedosto.txt", - "Uploading..." : "Lähetetään...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} tunti jäljellä","{hours}:{minutes}:{seconds} tuntia jäljellä"], - "{hours}:{minutes}h" : "{hours}h {minutes}m", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuutti jäljellä","{minutes}:{seconds} minuuttia jäljellä"], - "{minutes}:{seconds}m" : "{minutes}m {seconds}s", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekunti jäljellä","{seconds} sekuntia jäljellä"], - "{seconds}s" : "{seconds} s", - "Any moment now..." : "Minä tahansa hetkenä...", - "Soon..." : "Pian...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Tiedoston lähetys on meneillään. Sivulta poistuminen nyt peruu tiedoston lähetyksen.", - "Move" : "Siirrä", - "Copy local link" : "Kopioi paikallinen linkki", - "Folder" : "Kansio", - "Upload" : "Lähetä", - "A new file or folder has been deleted" : "Uusi tiedosto tai kansio on poistettu", - "A new file or folder has been restored" : "Uusi tiedosto tai kansio on palautettu", - "Use this address to access your Files via WebDAV" : "Tällä osoitteella käytät tiedostojasi WebDAV:n yli", - "No favorites" : "Ei suosikkeja" + "New text file.txt" : "Uusi tekstitiedosto.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/fr.js b/apps/files/l10n/fr.js index ccce056d6314b..65676b54ac0bc 100644 --- a/apps/files/l10n/fr.js +++ b/apps/files/l10n/fr.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Étiquettes", "Deleted files" : "Fichiers supprimés", "Text file" : "Fichier texte", - "New text file.txt" : "Nouveau fichier texte.txt", - "Uploading..." : "Envoi en cours…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} heure restante","{hours}:{minutes}:{seconds} heures restantes"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minute restante","{minutes}:{seconds} minutes restantes"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} seconde restante","{seconds} secondes restantes"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "D'ici quelques instants…", - "Soon..." : "Bientôt…", - "File upload is in progress. Leaving the page now will cancel the upload." : "L'envoi du fichier est en cours. Quitter cette page maintenant annulera l'envoi du fichier.", - "Move" : "Déplacer", - "Copy local link" : "Copier le dossier local", - "Folder" : "Dossier", - "Upload" : "Téléverser", - "A new file or folder has been deleted" : "Un nouveau fichier ou répertoire a été supprimé", - "A new file or folder has been restored" : "Un nouveau fichier ou répertoire a été restauré", - "Use this address to access your Files via WebDAV" : "Utilisez cette adresse pour accéder à vos fichiers par WebDAV", - "No favorites" : "Aucun favori" + "New text file.txt" : "Nouveau fichier texte.txt" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files/l10n/fr.json b/apps/files/l10n/fr.json index d1e1320c0dc4e..4499977a1832f 100644 --- a/apps/files/l10n/fr.json +++ b/apps/files/l10n/fr.json @@ -144,25 +144,6 @@ "Tags" : "Étiquettes", "Deleted files" : "Fichiers supprimés", "Text file" : "Fichier texte", - "New text file.txt" : "Nouveau fichier texte.txt", - "Uploading..." : "Envoi en cours…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} heure restante","{hours}:{minutes}:{seconds} heures restantes"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minute restante","{minutes}:{seconds} minutes restantes"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} seconde restante","{seconds} secondes restantes"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "D'ici quelques instants…", - "Soon..." : "Bientôt…", - "File upload is in progress. Leaving the page now will cancel the upload." : "L'envoi du fichier est en cours. Quitter cette page maintenant annulera l'envoi du fichier.", - "Move" : "Déplacer", - "Copy local link" : "Copier le dossier local", - "Folder" : "Dossier", - "Upload" : "Téléverser", - "A new file or folder has been deleted" : "Un nouveau fichier ou répertoire a été supprimé", - "A new file or folder has been restored" : "Un nouveau fichier ou répertoire a été restauré", - "Use this address to access your Files via WebDAV" : "Utilisez cette adresse pour accéder à vos fichiers par WebDAV", - "No favorites" : "Aucun favori" + "New text file.txt" : "Nouveau fichier texte.txt" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files/l10n/hu.js b/apps/files/l10n/hu.js index 9eb1c1337843a..4807fcf64ef4e 100644 --- a/apps/files/l10n/hu.js +++ b/apps/files/l10n/hu.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Címkék", "Deleted files" : "Törölt fájlok", "Text file" : "Szövegfájl", - "New text file.txt" : "Új szöveges fájl.txt", - "Uploading..." : "Feltöltés...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} óra van hátra","{hours}:{minutes}:{seconds} óra van hátra"], - "{hours}:{minutes}h" : "{hours}:{minutes}ó", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} perc van hátra","{minutes}:{seconds} perc van hátra"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}p", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} másodperc van hátra","{seconds} másodperc van hátra"], - "{seconds}s" : "{seconds}mp", - "Any moment now..." : "Mostmár bármelyik pillanatban...", - "Soon..." : "Hamarosan...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fájlfeltöltés van folyamatban. Az oldal elhagyása megszakítja a feltöltést.", - "Move" : "Áthelyezés", - "Copy local link" : "Helyi hivatkozás másolása", - "Folder" : "Mappa", - "Upload" : "Feltöltés", - "A new file or folder has been deleted" : "Egy új fájl vagy mappa törölve", - "A new file or folder has been restored" : "Egy új fájl vagy mappa visszaállítva", - "Use this address to access your Files via WebDAV" : "Használja ezt a címet a Fájlok eléréséhez WebDAV-on keresztül.", - "No favorites" : "Nincsenek kedvencek" + "New text file.txt" : "Új szöveges fájl.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/hu.json b/apps/files/l10n/hu.json index 8206518d6abdc..06043e50e71cc 100644 --- a/apps/files/l10n/hu.json +++ b/apps/files/l10n/hu.json @@ -144,25 +144,6 @@ "Tags" : "Címkék", "Deleted files" : "Törölt fájlok", "Text file" : "Szövegfájl", - "New text file.txt" : "Új szöveges fájl.txt", - "Uploading..." : "Feltöltés...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} óra van hátra","{hours}:{minutes}:{seconds} óra van hátra"], - "{hours}:{minutes}h" : "{hours}:{minutes}ó", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} perc van hátra","{minutes}:{seconds} perc van hátra"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}p", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} másodperc van hátra","{seconds} másodperc van hátra"], - "{seconds}s" : "{seconds}mp", - "Any moment now..." : "Mostmár bármelyik pillanatban...", - "Soon..." : "Hamarosan...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fájlfeltöltés van folyamatban. Az oldal elhagyása megszakítja a feltöltést.", - "Move" : "Áthelyezés", - "Copy local link" : "Helyi hivatkozás másolása", - "Folder" : "Mappa", - "Upload" : "Feltöltés", - "A new file or folder has been deleted" : "Egy új fájl vagy mappa törölve", - "A new file or folder has been restored" : "Egy új fájl vagy mappa visszaállítva", - "Use this address to access your Files via WebDAV" : "Használja ezt a címet a Fájlok eléréséhez WebDAV-on keresztül.", - "No favorites" : "Nincsenek kedvencek" + "New text file.txt" : "Új szöveges fájl.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/is.js b/apps/files/l10n/is.js index 60f65b60dd9a8..04009665b1f91 100644 --- a/apps/files/l10n/is.js +++ b/apps/files/l10n/is.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Merki", "Deleted files" : "Eyddar skrár", "Text file" : "Textaskrá", - "New text file.txt" : "Ný textaskrá.txt", - "Uploading..." : "Sendi inn ...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} klukkustund eftir","{hours}:{minutes}:{seconds} klukkustundir eftir"], - "{hours}:{minutes}h" : "{hours}:{minutes}klst", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} mínúta eftir","{minutes}:{seconds} mínútur eftir"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}mín", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekúnda eftir","{seconds} sekúndur eftir"], - "{seconds}s" : "{seconds}sek", - "Any moment now..." : "Á hverri stundu...", - "Soon..." : "Bráðum...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Innsending í gangi. Ef þú ferð af þessari síðu mun innsending hætta.", - "Move" : "Færa", - "Copy local link" : "Afrita staðværan tengil", - "Folder" : "Mappa", - "Upload" : "Senda inn", - "A new file or folder has been deleted" : "Nýrri skrá eða möppu hefur verið eytt", - "A new file or folder has been restored" : "Ný skrá eða mappa hefur verið endurheimt", - "Use this address to access your Files via WebDAV" : "Notaðu þetta vistfang til að nálgast skrárnar þínar með WebDAV", - "No favorites" : "Engin eftirlæti" + "New text file.txt" : "Ný textaskrá.txt" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files/l10n/is.json b/apps/files/l10n/is.json index a7a17ed28d1c8..5bca88d8ecd56 100644 --- a/apps/files/l10n/is.json +++ b/apps/files/l10n/is.json @@ -141,25 +141,6 @@ "Tags" : "Merki", "Deleted files" : "Eyddar skrár", "Text file" : "Textaskrá", - "New text file.txt" : "Ný textaskrá.txt", - "Uploading..." : "Sendi inn ...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} klukkustund eftir","{hours}:{minutes}:{seconds} klukkustundir eftir"], - "{hours}:{minutes}h" : "{hours}:{minutes}klst", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} mínúta eftir","{minutes}:{seconds} mínútur eftir"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}mín", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekúnda eftir","{seconds} sekúndur eftir"], - "{seconds}s" : "{seconds}sek", - "Any moment now..." : "Á hverri stundu...", - "Soon..." : "Bráðum...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Innsending í gangi. Ef þú ferð af þessari síðu mun innsending hætta.", - "Move" : "Færa", - "Copy local link" : "Afrita staðværan tengil", - "Folder" : "Mappa", - "Upload" : "Senda inn", - "A new file or folder has been deleted" : "Nýrri skrá eða möppu hefur verið eytt", - "A new file or folder has been restored" : "Ný skrá eða mappa hefur verið endurheimt", - "Use this address to access your Files via WebDAV" : "Notaðu þetta vistfang til að nálgast skrárnar þínar með WebDAV", - "No favorites" : "Engin eftirlæti" + "New text file.txt" : "Ný textaskrá.txt" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/files/l10n/it.js b/apps/files/l10n/it.js index bb4faa24595dc..8ab1c8bb54dc0 100644 --- a/apps/files/l10n/it.js +++ b/apps/files/l10n/it.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Etichette", "Deleted files" : "File eliminati", "Text file" : "File di testo", - "New text file.txt" : "Nuovo file di testo.txt", - "Uploading..." : "Caricamento in corso...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} ora rimanente","{hours}:{minutes}:{seconds} ore rimanenti"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuto rimanente","{minutes}:{seconds} minuti rimanenti"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} secondo rimanente","{seconds} secondi rimanenti"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Da un momento all'altro...", - "Soon..." : "Presto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Caricamento del file in corso. La chiusura della pagina annullerà il caricamento.", - "Move" : "Sposta", - "Copy local link" : "Copia collegamento locale", - "Folder" : "Cartella", - "Upload" : "Carica", - "A new file or folder has been deleted" : "Un nuovo file o cartella è stato eliminato", - "A new file or folder has been restored" : "Un nuovo file o una cartella è stato ripristinato", - "Use this address to access your Files via WebDAV" : "Utilizza questo indirizzo per accedere ai tuoi file con WebDAV", - "No favorites" : "Nessun preferito" + "New text file.txt" : "Nuovo file di testo.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/it.json b/apps/files/l10n/it.json index 332eb746ac1db..da720dd9a9a5a 100644 --- a/apps/files/l10n/it.json +++ b/apps/files/l10n/it.json @@ -144,25 +144,6 @@ "Tags" : "Etichette", "Deleted files" : "File eliminati", "Text file" : "File di testo", - "New text file.txt" : "Nuovo file di testo.txt", - "Uploading..." : "Caricamento in corso...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} ora rimanente","{hours}:{minutes}:{seconds} ore rimanenti"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuto rimanente","{minutes}:{seconds} minuti rimanenti"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} secondo rimanente","{seconds} secondi rimanenti"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Da un momento all'altro...", - "Soon..." : "Presto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Caricamento del file in corso. La chiusura della pagina annullerà il caricamento.", - "Move" : "Sposta", - "Copy local link" : "Copia collegamento locale", - "Folder" : "Cartella", - "Upload" : "Carica", - "A new file or folder has been deleted" : "Un nuovo file o cartella è stato eliminato", - "A new file or folder has been restored" : "Un nuovo file o una cartella è stato ripristinato", - "Use this address to access your Files via WebDAV" : "Utilizza questo indirizzo per accedere ai tuoi file con WebDAV", - "No favorites" : "Nessun preferito" + "New text file.txt" : "Nuovo file di testo.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/ja.js b/apps/files/l10n/ja.js index 77a97ed35d116..7629e27378443 100644 --- a/apps/files/l10n/ja.js +++ b/apps/files/l10n/ja.js @@ -132,25 +132,6 @@ OC.L10N.register( "Tags" : "タグ", "Deleted files" : "ゴミ箱", "Text file" : "テキストファイル", - "New text file.txt" : "新規のテキストファイル作成", - "Uploading..." : "アップロード中...", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["残り {hours}:{minutes}:{seconds} 時間"], - "{hours}:{minutes}h" : "{hours}:{minutes} 時間", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["残り {minutes}:{seconds} 分"], - "{minutes}:{seconds}m" : "{minutes}:{seconds} 分", - "_{seconds} second left_::_{seconds} seconds left_" : ["残り {seconds} 秒"], - "{seconds}s" : "{seconds} 秒", - "Any moment now..." : "まもなく…", - "Soon..." : "まもなく…", - "File upload is in progress. Leaving the page now will cancel the upload." : "ファイル転送を実行中です。今このページから移動するとアップロードが中止されます。", - "Move" : "移動", - "Copy local link" : "ローカルリンクをコピー", - "Folder" : "フォルダー", - "Upload" : "アップロード", - "A new file or folder has been deleted" : "新しいファイルまたはフォルダが削除されたとき", - "A new file or folder has been restored" : "新しいファイルまたはフォルダが復元されました", - "Use this address to access your Files via WebDAV" : "WebDAV 経由でファイルにアクセスするにはこのアドレスを利用してください", - "No favorites" : "お気に入りなし" + "New text file.txt" : "新規のテキストファイル作成" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ja.json b/apps/files/l10n/ja.json index 32fd39ecbe470..1af3dbeb40b17 100644 --- a/apps/files/l10n/ja.json +++ b/apps/files/l10n/ja.json @@ -130,25 +130,6 @@ "Tags" : "タグ", "Deleted files" : "ゴミ箱", "Text file" : "テキストファイル", - "New text file.txt" : "新規のテキストファイル作成", - "Uploading..." : "アップロード中...", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["残り {hours}:{minutes}:{seconds} 時間"], - "{hours}:{minutes}h" : "{hours}:{minutes} 時間", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["残り {minutes}:{seconds} 分"], - "{minutes}:{seconds}m" : "{minutes}:{seconds} 分", - "_{seconds} second left_::_{seconds} seconds left_" : ["残り {seconds} 秒"], - "{seconds}s" : "{seconds} 秒", - "Any moment now..." : "まもなく…", - "Soon..." : "まもなく…", - "File upload is in progress. Leaving the page now will cancel the upload." : "ファイル転送を実行中です。今このページから移動するとアップロードが中止されます。", - "Move" : "移動", - "Copy local link" : "ローカルリンクをコピー", - "Folder" : "フォルダー", - "Upload" : "アップロード", - "A new file or folder has been deleted" : "新しいファイルまたはフォルダが削除されたとき", - "A new file or folder has been restored" : "新しいファイルまたはフォルダが復元されました", - "Use this address to access your Files via WebDAV" : "WebDAV 経由でファイルにアクセスするにはこのアドレスを利用してください", - "No favorites" : "お気に入りなし" + "New text file.txt" : "新規のテキストファイル作成" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/ka_GE.js b/apps/files/l10n/ka_GE.js index b2b68baa747b2..7b314826c1451 100644 --- a/apps/files/l10n/ka_GE.js +++ b/apps/files/l10n/ka_GE.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "ტეგები", "Deleted files" : "გაუქმებული ფაილები", "Text file" : "ტექსტური ფაილი", - "New text file.txt" : "ახალი ტექსტი file.txt", - "Uploading..." : "მიმდინარეობს ატვირთვა...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["დარჩა {hours}:{minutes}:{seconds} საათი"], - "{hours}:{minutes}h" : "{hours}:{minutes}სთ", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["დარჩა {minutes}:{seconds} წუთი"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}წთ", - "_{seconds} second left_::_{seconds} seconds left_" : ["დარჩა {seconds} წამი"], - "{seconds}s" : "{seconds}წმ", - "Any moment now..." : "ნებისმიერ მომენტში...", - "Soon..." : "მალე...", - "File upload is in progress. Leaving the page now will cancel the upload." : "მიმდინარეობს ფაილის ატვირთვა. სხვა გვერდზე გადასვლა გამოიწვევს ატვირთვის შეჩერებას", - "Move" : "გადატანა", - "Copy local link" : "ლოკალური ბმულის კოპირება", - "Folder" : "დირექტორია", - "Upload" : "ატვირთვა", - "A new file or folder has been deleted" : "ახალი ფაილი ან დირექტორია გაუქმდა", - "A new file or folder has been restored" : "ახალი ფაილი ან დირექტორია აღდგენილ იქნა", - "Use this address to access your Files via WebDAV" : "გამოიყენეთ ეს მისამართი რომ წვდომა იქოინოთ თქვენს ფაილებთან WebDAV-ით", - "No favorites" : "რჩეულები არაა" + "New text file.txt" : "ახალი ტექსტი file.txt" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ka_GE.json b/apps/files/l10n/ka_GE.json index 5c496dc08cfa6..256bff0e6093f 100644 --- a/apps/files/l10n/ka_GE.json +++ b/apps/files/l10n/ka_GE.json @@ -144,25 +144,6 @@ "Tags" : "ტეგები", "Deleted files" : "გაუქმებული ფაილები", "Text file" : "ტექსტური ფაილი", - "New text file.txt" : "ახალი ტექსტი file.txt", - "Uploading..." : "მიმდინარეობს ატვირთვა...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["დარჩა {hours}:{minutes}:{seconds} საათი"], - "{hours}:{minutes}h" : "{hours}:{minutes}სთ", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["დარჩა {minutes}:{seconds} წუთი"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}წთ", - "_{seconds} second left_::_{seconds} seconds left_" : ["დარჩა {seconds} წამი"], - "{seconds}s" : "{seconds}წმ", - "Any moment now..." : "ნებისმიერ მომენტში...", - "Soon..." : "მალე...", - "File upload is in progress. Leaving the page now will cancel the upload." : "მიმდინარეობს ფაილის ატვირთვა. სხვა გვერდზე გადასვლა გამოიწვევს ატვირთვის შეჩერებას", - "Move" : "გადატანა", - "Copy local link" : "ლოკალური ბმულის კოპირება", - "Folder" : "დირექტორია", - "Upload" : "ატვირთვა", - "A new file or folder has been deleted" : "ახალი ფაილი ან დირექტორია გაუქმდა", - "A new file or folder has been restored" : "ახალი ფაილი ან დირექტორია აღდგენილ იქნა", - "Use this address to access your Files via WebDAV" : "გამოიყენეთ ეს მისამართი რომ წვდომა იქოინოთ თქვენს ფაილებთან WebDAV-ით", - "No favorites" : "რჩეულები არაა" + "New text file.txt" : "ახალი ტექსტი file.txt" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/ko.js b/apps/files/l10n/ko.js index cfe3b955df717..f7857bb156744 100644 --- a/apps/files/l10n/ko.js +++ b/apps/files/l10n/ko.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "태그", "Deleted files" : "삭제된 파일", "Text file" : "텍스트 파일", - "New text file.txt" : "새 텍스트 파일.txt", - "Uploading..." : "업로드 중...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds}시간 남음"], - "{hours}:{minutes}h" : "{hours}:{minutes}시간", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds}분 남음"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}분", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds}초 남음"], - "{seconds}s" : "{seconds}초", - "Any moment now..." : "조금 남음...", - "Soon..." : "곧...", - "File upload is in progress. Leaving the page now will cancel the upload." : "파일 업로드가 진행 중입니다. 이 페이지를 벗어나면 업로드가 취소됩니다.", - "Move" : "이동", - "Copy local link" : "로컬 링크 복사", - "Folder" : "폴더", - "Upload" : "업로드", - "A new file or folder has been deleted" : "새 파일이나 폴더가 삭제됨", - "A new file or folder has been restored" : "새 파일이나 폴더가 복원됨", - "Use this address to access your Files via WebDAV" : "이 주소를 사용하여 WebDAV를 통해 파일에 접근할 수 있습니다", - "No favorites" : "즐겨찾는 항목 없음" + "New text file.txt" : "새 텍스트 파일.txt" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ko.json b/apps/files/l10n/ko.json index 0854c201bf990..940580511b2d3 100644 --- a/apps/files/l10n/ko.json +++ b/apps/files/l10n/ko.json @@ -144,25 +144,6 @@ "Tags" : "태그", "Deleted files" : "삭제된 파일", "Text file" : "텍스트 파일", - "New text file.txt" : "새 텍스트 파일.txt", - "Uploading..." : "업로드 중...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds}시간 남음"], - "{hours}:{minutes}h" : "{hours}:{minutes}시간", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds}분 남음"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}분", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds}초 남음"], - "{seconds}s" : "{seconds}초", - "Any moment now..." : "조금 남음...", - "Soon..." : "곧...", - "File upload is in progress. Leaving the page now will cancel the upload." : "파일 업로드가 진행 중입니다. 이 페이지를 벗어나면 업로드가 취소됩니다.", - "Move" : "이동", - "Copy local link" : "로컬 링크 복사", - "Folder" : "폴더", - "Upload" : "업로드", - "A new file or folder has been deleted" : "새 파일이나 폴더가 삭제됨", - "A new file or folder has been restored" : "새 파일이나 폴더가 복원됨", - "Use this address to access your Files via WebDAV" : "이 주소를 사용하여 WebDAV를 통해 파일에 접근할 수 있습니다", - "No favorites" : "즐겨찾는 항목 없음" + "New text file.txt" : "새 텍스트 파일.txt" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/lt_LT.js b/apps/files/l10n/lt_LT.js index 11240b53e6a21..e3e69bb3a8445 100644 --- a/apps/files/l10n/lt_LT.js +++ b/apps/files/l10n/lt_LT.js @@ -130,25 +130,6 @@ OC.L10N.register( "Tags" : "Žymės", "Deleted files" : "Ištrinti failai", "Text file" : "Tekstinis failas", - "New text file.txt" : "Naujas tekstinis failas.txt", - "Uploading..." : "Įkeliama...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Liko {hours}:{minutes}:{seconds} valanda","Liko {hours}:{minutes}:{seconds} valandų","Liko {hours}:{minutes}:{seconds} valandų"], - "{hours}:{minutes}h" : "{hours}:{minutes}val", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Liko {minutes}:{seconds} minutė","Liko {minutes}:{seconds} minutės","Liko {minutes}:{seconds} minučių"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}min", - "_{seconds} second left_::_{seconds} seconds left_" : ["Liko {seconds} sekundė","Liko {seconds} sekundės","Liko {seconds} sekundžių"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Bet kuriuo metu...", - "Soon..." : "Netrukus...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Failo įkėlimas yra eigoje. Jei išeisite iš šio puslapio, įkėlimo bus atsisakyta.", - "Move" : "Perkelti", - "Copy local link" : "Kopijuoti vietinę nuorodą", - "Folder" : "Aplankas", - "Upload" : "Įkelti", - "A new file or folder has been deleted" : "Naujas failas arba aplankas buvo ištrintas", - "A new file or folder has been restored" : "Naujas failas arba aplankas buvo atkurtas", - "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", - "No favorites" : "Nėra mėgstamiausių" + "New text file.txt" : "Naujas tekstinis failas.txt" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files/l10n/lt_LT.json b/apps/files/l10n/lt_LT.json index f197c6653b6e6..6bb6ff5168141 100644 --- a/apps/files/l10n/lt_LT.json +++ b/apps/files/l10n/lt_LT.json @@ -128,25 +128,6 @@ "Tags" : "Žymės", "Deleted files" : "Ištrinti failai", "Text file" : "Tekstinis failas", - "New text file.txt" : "Naujas tekstinis failas.txt", - "Uploading..." : "Įkeliama...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Liko {hours}:{minutes}:{seconds} valanda","Liko {hours}:{minutes}:{seconds} valandų","Liko {hours}:{minutes}:{seconds} valandų"], - "{hours}:{minutes}h" : "{hours}:{minutes}val", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Liko {minutes}:{seconds} minutė","Liko {minutes}:{seconds} minutės","Liko {minutes}:{seconds} minučių"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}min", - "_{seconds} second left_::_{seconds} seconds left_" : ["Liko {seconds} sekundė","Liko {seconds} sekundės","Liko {seconds} sekundžių"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Bet kuriuo metu...", - "Soon..." : "Netrukus...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Failo įkėlimas yra eigoje. Jei išeisite iš šio puslapio, įkėlimo bus atsisakyta.", - "Move" : "Perkelti", - "Copy local link" : "Kopijuoti vietinę nuorodą", - "Folder" : "Aplankas", - "Upload" : "Įkelti", - "A new file or folder has been deleted" : "Naujas failas arba aplankas buvo ištrintas", - "A new file or folder has been restored" : "Naujas failas arba aplankas buvo atkurtas", - "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", - "No favorites" : "Nėra mėgstamiausių" + "New text file.txt" : "Naujas tekstinis failas.txt" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files/l10n/nb.js b/apps/files/l10n/nb.js index 6e494a2ada860..af6dad9f75c9f 100644 --- a/apps/files/l10n/nb.js +++ b/apps/files/l10n/nb.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Merkelapper", "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekstfil.txt", - "Uploading..." : "Laster opp…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} time igjen","{hours}:{minutes}:{seconds} timer igjen"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minutt igjen","{minutes}:{seconds} minutter igjen"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund igjen","{seconds} sekunder igjen"], - "{seconds}s" : "{seconds}er", - "Any moment now..." : "Hvert øyeblikk nå…", - "Soon..." : "Snart…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Filopplasting pågår. Forlater du siden nå avbrytes opplastingen.", - "Move" : "Flytt", - "Copy local link" : "Kopier lokal lenke", - "Folder" : "Mappe", - "Upload" : "Last opp", - "A new file or folder has been deleted" : "En ny fil eller mappe har blitt slettet", - "A new file or folder has been restored" : "En ny fil eller mappe har blitt gjenopprettet", - "Use this address to access your Files via WebDAV" : "Bruk adressen for å få tilgang til WebDAV", - "No favorites" : "Ingen favoritter" + "New text file.txt" : "Ny tekstfil.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nb.json b/apps/files/l10n/nb.json index 387dc77b0d7f9..96f25a030e467 100644 --- a/apps/files/l10n/nb.json +++ b/apps/files/l10n/nb.json @@ -144,25 +144,6 @@ "Tags" : "Merkelapper", "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekstfil.txt", - "Uploading..." : "Laster opp…", - "..." : "…", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} time igjen","{hours}:{minutes}:{seconds} timer igjen"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minutt igjen","{minutes}:{seconds} minutter igjen"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund igjen","{seconds} sekunder igjen"], - "{seconds}s" : "{seconds}er", - "Any moment now..." : "Hvert øyeblikk nå…", - "Soon..." : "Snart…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Filopplasting pågår. Forlater du siden nå avbrytes opplastingen.", - "Move" : "Flytt", - "Copy local link" : "Kopier lokal lenke", - "Folder" : "Mappe", - "Upload" : "Last opp", - "A new file or folder has been deleted" : "En ny fil eller mappe har blitt slettet", - "A new file or folder has been restored" : "En ny fil eller mappe har blitt gjenopprettet", - "Use this address to access your Files via WebDAV" : "Bruk adressen for å få tilgang til WebDAV", - "No favorites" : "Ingen favoritter" + "New text file.txt" : "Ny tekstfil.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/nl.js b/apps/files/l10n/nl.js index 5ee5d8c618140..e6580e55440d0 100644 --- a/apps/files/l10n/nl.js +++ b/apps/files/l10n/nl.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Tags", "Deleted files" : "Verwijderde bestanden", "Text file" : "Tekstbestand", - "New text file.txt" : "Nieuw tekstbestand.txt", - "Uploading..." : "Uploaden...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["nog {hours}:{minutes}:{seconds} uur","nog {hours}:{minutes}:{seconds} uur"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["nog {minutes}:{seconds} minuut","nog {minutes}:{seconds} minuten"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["nog {seconds} seconde","nog {seconds} seconden"], - "{seconds}s" : "{seconds}en", - "Any moment now..." : "Kan nu elk moment klaar zijn…", - "Soon..." : "Binnenkort...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Bestandsupload is bezig. Wanneer de pagina nu verlaten wordt, stopt de upload.", - "Move" : "Verplaatsen", - "Copy local link" : "Kopiëren lokale link", - "Folder" : "Map", - "Upload" : "Uploaden", - "A new file or folder has been deleted" : "Een nieuw bestand of nieuwe map is verwijderd", - "A new file or folder has been restored" : "Een nieuw bestand of een nieuwe map is hersteld", - "Use this address to access your Files via WebDAV" : "Gebruik deze link om je bestanden via WebDAV te benaderen", - "No favorites" : "Geen favorieten" + "New text file.txt" : "Nieuw tekstbestand.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nl.json b/apps/files/l10n/nl.json index 2cc15f1f564d8..699ee19c211c0 100644 --- a/apps/files/l10n/nl.json +++ b/apps/files/l10n/nl.json @@ -144,25 +144,6 @@ "Tags" : "Tags", "Deleted files" : "Verwijderde bestanden", "Text file" : "Tekstbestand", - "New text file.txt" : "Nieuw tekstbestand.txt", - "Uploading..." : "Uploaden...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["nog {hours}:{minutes}:{seconds} uur","nog {hours}:{minutes}:{seconds} uur"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["nog {minutes}:{seconds} minuut","nog {minutes}:{seconds} minuten"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["nog {seconds} seconde","nog {seconds} seconden"], - "{seconds}s" : "{seconds}en", - "Any moment now..." : "Kan nu elk moment klaar zijn…", - "Soon..." : "Binnenkort...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Bestandsupload is bezig. Wanneer de pagina nu verlaten wordt, stopt de upload.", - "Move" : "Verplaatsen", - "Copy local link" : "Kopiëren lokale link", - "Folder" : "Map", - "Upload" : "Uploaden", - "A new file or folder has been deleted" : "Een nieuw bestand of nieuwe map is verwijderd", - "A new file or folder has been restored" : "Een nieuw bestand of een nieuwe map is hersteld", - "Use this address to access your Files via WebDAV" : "Gebruik deze link om je bestanden via WebDAV te benaderen", - "No favorites" : "Geen favorieten" + "New text file.txt" : "Nieuw tekstbestand.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/pl.js b/apps/files/l10n/pl.js index 242fcc20334ec..394332c437504 100644 --- a/apps/files/l10n/pl.js +++ b/apps/files/l10n/pl.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "Tagi", "Deleted files" : "Usunięte pliki", "Text file" : "Plik tekstowy", - "New text file.txt" : "Nowy plik tekstowy.txt", - "Uploading..." : "Wysyłanie....", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Pozostała {hours}:{minutes}:{seconds} godzina","Pozostało {hours}:{minutes}:{seconds} godzin","Pozostało {hours}:{minutes}:{seconds} godzin"], - "{hours}:{minutes}h" : "{hours}h:{minutes}m", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Pozostała {minutes}:{seconds} minuta","Pozostało {minutes}:{seconds} minut","Pozostało {minutes}:{seconds} minut"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}min.", - "_{seconds} second left_::_{seconds} seconds left_" : ["Pozostała {seconds} sekunda","Pozostało {seconds} sekund","Pozostało {seconds} sekund"], - "{seconds}s" : "{seconds} s", - "Any moment now..." : "Jeszcze chwilę...", - "Soon..." : "Wkrótce...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Wysyłanie pliku jest w toku. Jeśli opuścisz tę stronę, wysyłanie zostanie przerwane.", - "Move" : "Przenieś", - "Copy local link" : "Skopiuj link lokalny", - "Folder" : "Folder", - "Upload" : "Wyślij", - "A new file or folder has been deleted" : "Nowy plik lub folder został usunięty ", - "A new file or folder has been restored" : "Nowy plik lub folder został przywrócony", - "Use this address to access your Files via WebDAV" : "Użyj tego adresu aby uzyskać dostęp do swoich plików poprzez WebDAV", - "No favorites" : "Brak ulubionych" + "New text file.txt" : "Nowy plik tekstowy.txt" }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/files/l10n/pl.json b/apps/files/l10n/pl.json index 25da511ea2129..c0ad74e36d811 100644 --- a/apps/files/l10n/pl.json +++ b/apps/files/l10n/pl.json @@ -141,25 +141,6 @@ "Tags" : "Tagi", "Deleted files" : "Usunięte pliki", "Text file" : "Plik tekstowy", - "New text file.txt" : "Nowy plik tekstowy.txt", - "Uploading..." : "Wysyłanie....", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Pozostała {hours}:{minutes}:{seconds} godzina","Pozostało {hours}:{minutes}:{seconds} godzin","Pozostało {hours}:{minutes}:{seconds} godzin"], - "{hours}:{minutes}h" : "{hours}h:{minutes}m", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["Pozostała {minutes}:{seconds} minuta","Pozostało {minutes}:{seconds} minut","Pozostało {minutes}:{seconds} minut"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}min.", - "_{seconds} second left_::_{seconds} seconds left_" : ["Pozostała {seconds} sekunda","Pozostało {seconds} sekund","Pozostało {seconds} sekund"], - "{seconds}s" : "{seconds} s", - "Any moment now..." : "Jeszcze chwilę...", - "Soon..." : "Wkrótce...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Wysyłanie pliku jest w toku. Jeśli opuścisz tę stronę, wysyłanie zostanie przerwane.", - "Move" : "Przenieś", - "Copy local link" : "Skopiuj link lokalny", - "Folder" : "Folder", - "Upload" : "Wyślij", - "A new file or folder has been deleted" : "Nowy plik lub folder został usunięty ", - "A new file or folder has been restored" : "Nowy plik lub folder został przywrócony", - "Use this address to access your Files via WebDAV" : "Użyj tego adresu aby uzyskać dostęp do swoich plików poprzez WebDAV", - "No favorites" : "Brak ulubionych" + "New text file.txt" : "Nowy plik tekstowy.txt" },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" } \ No newline at end of file diff --git a/apps/files/l10n/pt_BR.js b/apps/files/l10n/pt_BR.js index 1120d2e769bb2..59b3a0cd27717 100644 --- a/apps/files/l10n/pt_BR.js +++ b/apps/files/l10n/pt_BR.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Arquivos excluídos", "Text file" : "Arquivo texto", - "New text file.txt" : "Novo texto file.txt", - "Uploading..." : "Enviando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} hora restante","{hours}:{minutes}:{seconds} horas restantes"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minutos retantes","{minutes}:{seconds} minutos restantes"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} segundos restantes","{seconds} segundos restantes"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "A qualquer momento...", - "Soon..." : "Logo...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Envio de arquivo em andamento. Sair da página agora cancelará o envio.", - "Move" : "Mover", - "Copy local link" : "Copiar link local", - "Folder" : "Pasta", - "Upload" : "Enviar", - "A new file or folder has been deleted" : "Um novo arquivo ou pasta foi excluído ", - "A new file or folder has been restored" : "Um novo arquivo ou pasta foi recuperado ", - "Use this address to access your Files via WebDAV" : "Use este endereço para acessar seus arquivos via WebDAV", - "No favorites" : "Sem favoritos" + "New text file.txt" : "Novo texto file.txt" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files/l10n/pt_BR.json b/apps/files/l10n/pt_BR.json index 4f4a4e0de5a77..f01606f827572 100644 --- a/apps/files/l10n/pt_BR.json +++ b/apps/files/l10n/pt_BR.json @@ -144,25 +144,6 @@ "Tags" : "Etiquetas", "Deleted files" : "Arquivos excluídos", "Text file" : "Arquivo texto", - "New text file.txt" : "Novo texto file.txt", - "Uploading..." : "Enviando...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} hora restante","{hours}:{minutes}:{seconds} horas restantes"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minutos retantes","{minutes}:{seconds} minutos restantes"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} segundos restantes","{seconds} segundos restantes"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "A qualquer momento...", - "Soon..." : "Logo...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Envio de arquivo em andamento. Sair da página agora cancelará o envio.", - "Move" : "Mover", - "Copy local link" : "Copiar link local", - "Folder" : "Pasta", - "Upload" : "Enviar", - "A new file or folder has been deleted" : "Um novo arquivo ou pasta foi excluído ", - "A new file or folder has been restored" : "Um novo arquivo ou pasta foi recuperado ", - "Use this address to access your Files via WebDAV" : "Use este endereço para acessar seus arquivos via WebDAV", - "No favorites" : "Sem favoritos" + "New text file.txt" : "Novo texto file.txt" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files/l10n/ro.js b/apps/files/l10n/ro.js index 285604b1ea179..d65e369aca4da 100644 --- a/apps/files/l10n/ro.js +++ b/apps/files/l10n/ro.js @@ -133,21 +133,6 @@ OC.L10N.register( "Tags" : "Etichete", "Deleted files" : "Fișiere șterse", "Text file" : "Fișier text", - "New text file.txt" : "New text file.txt", - "Uploading..." : "Încărcare", - "..." : "...", - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds}s" : "{seconds}s", - "Any moment now..." : "În orice moment...", - "Soon..." : "În curând...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fișierul este în curs de încărcare. Părăsirea paginii va întrerupe încărcarea.", - "Move" : "Mută", - "Folder" : "Dosar", - "Upload" : "Încărcă", - "A new file or folder has been deleted" : "Un nou fișier sau director a fost șters", - "A new file or folder has been restored" : "Un fișier sau director a fost restaurat", - "Use this address to access your Files via WebDAV" : "Folosește această adresă pentru a accesa Fișierele prin WebDAV", - "No favorites" : "Fără favorite" + "New text file.txt" : "New text file.txt" }, "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); diff --git a/apps/files/l10n/ro.json b/apps/files/l10n/ro.json index 8d41bb52adcb6..f9a45685bb66c 100644 --- a/apps/files/l10n/ro.json +++ b/apps/files/l10n/ro.json @@ -131,21 +131,6 @@ "Tags" : "Etichete", "Deleted files" : "Fișiere șterse", "Text file" : "Fișier text", - "New text file.txt" : "New text file.txt", - "Uploading..." : "Încărcare", - "..." : "...", - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds}s" : "{seconds}s", - "Any moment now..." : "În orice moment...", - "Soon..." : "În curând...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Fișierul este în curs de încărcare. Părăsirea paginii va întrerupe încărcarea.", - "Move" : "Mută", - "Folder" : "Dosar", - "Upload" : "Încărcă", - "A new file or folder has been deleted" : "Un nou fișier sau director a fost șters", - "A new file or folder has been restored" : "Un fișier sau director a fost restaurat", - "Use this address to access your Files via WebDAV" : "Folosește această adresă pentru a accesa Fișierele prin WebDAV", - "No favorites" : "Fără favorite" + "New text file.txt" : "New text file.txt" },"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" } \ No newline at end of file diff --git a/apps/files/l10n/ru.js b/apps/files/l10n/ru.js index 9878e2f78dd95..d4bce72110e11 100644 --- a/apps/files/l10n/ru.js +++ b/apps/files/l10n/ru.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Метки", "Deleted files" : "Корзина", "Text file" : "Текстовый файл", - "New text file.txt" : "Новый текстовый файл.txt", - "Uploading..." : "Загрузка...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Остался {hours}:{minutes}:{seconds} час","Осталось {hours}:{minutes}:{seconds} часа","Осталось {hours}:{minutes}:{seconds} часов","Осталось {hours}:{minutes}:{seconds} часов"], - "{hours}:{minutes}h" : "{hours}:{minutes}ч", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["осталась {minutes}:{seconds} минута","осталось {minutes}:{seconds} минуты","осталось {minutes}:{seconds} минут","осталось {minutes}:{seconds} минут"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}м", - "_{seconds} second left_::_{seconds} seconds left_" : ["осталась {seconds} секунда","осталось {seconds} секунды","осталось {seconds} секунд","осталось {seconds} секунд"], - "{seconds}s" : "{seconds}с", - "Any moment now..." : "В любой момент...", - "Soon..." : "Скоро...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Выполняется передача файла. Покинув страницу, вы прервёте загрузку.", - "Move" : "Перенести", - "Copy local link" : "Скопировать локальную ссылку", - "Folder" : "Каталог", - "Upload" : "Загрузить", - "A new file or folder has been deleted" : "Новый файл или каталог был удален", - "A new file or folder has been restored" : "Новый файл или каталог был восстановлен", - "Use this address to access your Files via WebDAV" : "Используйте этот адрес для доступа по WebDAV", - "No favorites" : "Нет избранного" + "New text file.txt" : "Новый текстовый файл.txt" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files/l10n/ru.json b/apps/files/l10n/ru.json index be07497fda45e..705a2a75c7cee 100644 --- a/apps/files/l10n/ru.json +++ b/apps/files/l10n/ru.json @@ -144,25 +144,6 @@ "Tags" : "Метки", "Deleted files" : "Корзина", "Text file" : "Текстовый файл", - "New text file.txt" : "Новый текстовый файл.txt", - "Uploading..." : "Загрузка...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["Остался {hours}:{minutes}:{seconds} час","Осталось {hours}:{minutes}:{seconds} часа","Осталось {hours}:{minutes}:{seconds} часов","Осталось {hours}:{minutes}:{seconds} часов"], - "{hours}:{minutes}h" : "{hours}:{minutes}ч", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["осталась {minutes}:{seconds} минута","осталось {minutes}:{seconds} минуты","осталось {minutes}:{seconds} минут","осталось {minutes}:{seconds} минут"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}м", - "_{seconds} second left_::_{seconds} seconds left_" : ["осталась {seconds} секунда","осталось {seconds} секунды","осталось {seconds} секунд","осталось {seconds} секунд"], - "{seconds}s" : "{seconds}с", - "Any moment now..." : "В любой момент...", - "Soon..." : "Скоро...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Выполняется передача файла. Покинув страницу, вы прервёте загрузку.", - "Move" : "Перенести", - "Copy local link" : "Скопировать локальную ссылку", - "Folder" : "Каталог", - "Upload" : "Загрузить", - "A new file or folder has been deleted" : "Новый файл или каталог был удален", - "A new file or folder has been restored" : "Новый файл или каталог был восстановлен", - "Use this address to access your Files via WebDAV" : "Используйте этот адрес для доступа по WebDAV", - "No favorites" : "Нет избранного" + "New text file.txt" : "Новый текстовый файл.txt" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/apps/files/l10n/sk.js b/apps/files/l10n/sk.js index be934c0533362..89da18603072d 100644 --- a/apps/files/l10n/sk.js +++ b/apps/files/l10n/sk.js @@ -144,25 +144,6 @@ OC.L10N.register( "Tags" : "Štítky", "Deleted files" : "Zmazané súbory", "Text file" : "Textový súbor", - "New text file.txt" : "Nový text file.txt", - "Uploading..." : "Nahrávam...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["zostáva {hours}:{minutes}:{seconds} hodina","zostáva {hours}:{minutes}:{seconds} hodín","zostáva {hours}:{minutes}:{seconds} hodín"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["zostáva {minutes}:{seconds} minúta","zostáva {minutes}:{seconds} minút","zostáva {minutes}:{seconds} minút"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["zostáva {seconds} sekunda","zostáva {seconds} sekúnd","zostáva {seconds} sekúnd"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Už každú chvíľu…", - "Soon..." : "Čoskoro…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Opustenie stránky zruší práve prebiehajúce odosielanie súboru.", - "Move" : "Presunúť", - "Copy local link" : "Kopíruj lokálny odkaz", - "Folder" : "Priečinok", - "Upload" : "Nahrať", - "A new file or folder has been deleted" : "Nový súbor alebo priečinok bol zmazaný", - "A new file or folder has been restored" : "Nový súbor alebo priečinok bolobnovený", - "Use this address to access your Files via WebDAV" : "Použi túto adresu pre prístup ku svojím súborom cez WebDAV", - "No favorites" : "Žiadne obľúbené" + "New text file.txt" : "Nový text file.txt" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files/l10n/sk.json b/apps/files/l10n/sk.json index 70f567b055c91..7e764476c8b1f 100644 --- a/apps/files/l10n/sk.json +++ b/apps/files/l10n/sk.json @@ -142,25 +142,6 @@ "Tags" : "Štítky", "Deleted files" : "Zmazané súbory", "Text file" : "Textový súbor", - "New text file.txt" : "Nový text file.txt", - "Uploading..." : "Nahrávam...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["zostáva {hours}:{minutes}:{seconds} hodina","zostáva {hours}:{minutes}:{seconds} hodín","zostáva {hours}:{minutes}:{seconds} hodín"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["zostáva {minutes}:{seconds} minúta","zostáva {minutes}:{seconds} minút","zostáva {minutes}:{seconds} minút"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["zostáva {seconds} sekunda","zostáva {seconds} sekúnd","zostáva {seconds} sekúnd"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Už každú chvíľu…", - "Soon..." : "Čoskoro…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Opustenie stránky zruší práve prebiehajúce odosielanie súboru.", - "Move" : "Presunúť", - "Copy local link" : "Kopíruj lokálny odkaz", - "Folder" : "Priečinok", - "Upload" : "Nahrať", - "A new file or folder has been deleted" : "Nový súbor alebo priečinok bol zmazaný", - "A new file or folder has been restored" : "Nový súbor alebo priečinok bolobnovený", - "Use this address to access your Files via WebDAV" : "Použi túto adresu pre prístup ku svojím súborom cez WebDAV", - "No favorites" : "Žiadne obľúbené" + "New text file.txt" : "Nový text file.txt" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files/l10n/sl.js b/apps/files/l10n/sl.js index b072637e183a6..6228539550b77 100644 --- a/apps/files/l10n/sl.js +++ b/apps/files/l10n/sl.js @@ -132,25 +132,6 @@ OC.L10N.register( "Tags" : "Oznake", "Deleted files" : "Izbrisane datoteke", "Text file" : "Besedilna datoteka", - "New text file.txt" : "Nova datoteka.txt", - "Uploading..." : "Poteka pošiljanje ...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} ura še","{hours}:{minutes}:{seconds} uri še","{hours}:{minutes}:{seconds} ure še","{hours}:{minutes}:{seconds} ur še"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuta še","{minutes}:{seconds} minuti še","{minutes}:{seconds} minute še","{minutes}:{seconds} minut še"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}min", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund še","{seconds} sekundi še","{seconds} sekunde še","{seconds} sekund še"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Vsak trenutek ...", - "Soon..." : "Kmalu", - "File upload is in progress. Leaving the page now will cancel the upload." : "V teku je pošiljanje datoteke. Če zapustite to stran zdaj, bo pošiljanje preklicano.", - "Move" : "Premakni", - "Copy local link" : "Kopiraj lokalno povezavo", - "Folder" : "Mapa", - "Upload" : "Pošlji", - "A new file or folder has been deleted" : "Nova datoteka ali mapa je bila pobrisana", - "A new file or folder has been restored" : "Nova datoteka ali mapa je bila obnovljena", - "Use this address to access your Files via WebDAV" : "Uporabite naslov za dostop do datotek prek sistema WebDAV.", - "No favorites" : "Ni priljubljenih predmetov" + "New text file.txt" : "Nova datoteka.txt" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/files/l10n/sl.json b/apps/files/l10n/sl.json index af904ba8b2907..55d38090c1fa4 100644 --- a/apps/files/l10n/sl.json +++ b/apps/files/l10n/sl.json @@ -130,25 +130,6 @@ "Tags" : "Oznake", "Deleted files" : "Izbrisane datoteke", "Text file" : "Besedilna datoteka", - "New text file.txt" : "Nova datoteka.txt", - "Uploading..." : "Poteka pošiljanje ...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} ura še","{hours}:{minutes}:{seconds} uri še","{hours}:{minutes}:{seconds} ure še","{hours}:{minutes}:{seconds} ur še"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuta še","{minutes}:{seconds} minuti še","{minutes}:{seconds} minute še","{minutes}:{seconds} minut še"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}min", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund še","{seconds} sekundi še","{seconds} sekunde še","{seconds} sekund še"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Vsak trenutek ...", - "Soon..." : "Kmalu", - "File upload is in progress. Leaving the page now will cancel the upload." : "V teku je pošiljanje datoteke. Če zapustite to stran zdaj, bo pošiljanje preklicano.", - "Move" : "Premakni", - "Copy local link" : "Kopiraj lokalno povezavo", - "Folder" : "Mapa", - "Upload" : "Pošlji", - "A new file or folder has been deleted" : "Nova datoteka ali mapa je bila pobrisana", - "A new file or folder has been restored" : "Nova datoteka ali mapa je bila obnovljena", - "Use this address to access your Files via WebDAV" : "Uporabite naslov za dostop do datotek prek sistema WebDAV.", - "No favorites" : "Ni priljubljenih predmetov" + "New text file.txt" : "Nova datoteka.txt" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/apps/files/l10n/sq.js b/apps/files/l10n/sq.js index 0d7dcf7089efb..10e86214d9e88 100644 --- a/apps/files/l10n/sq.js +++ b/apps/files/l10n/sq.js @@ -130,25 +130,6 @@ OC.L10N.register( "Tags" : "Etiketë", "Deleted files" : "Skedar të fshirë", "Text file" : "Kartelë tekst", - "New text file.txt" : "Kartelë e re file.txt", - "Uploading..." : "Po ngarkohet...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} orë të mbetura","{hours}:{minutes}:{seconds} orë të mbetura"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuta të mbetura","{minutes}:{seconds} minuta të mbetura"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekonda të mbetura","{seconds} sekonda të mbetura"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Në çdo çast tani…", - "Soon..." : "Së shpejti…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Ngarkimi i skedarit është në punë e sipër. Largimi nga faqja do të anulojë ngarkimin.", - "Move" : "Lëvize", - "Copy local link" : "Kopjo linkun lokale", - "Folder" : "Dosje", - "Upload" : "Ngarkoje", - "A new file or folder has been deleted" : "Një skedar ose dosje e re është fshirë", - "A new file or folder has been restored" : "Një skedar ose dosje e re është rikthyer", - "Use this address to access your Files via WebDAV" : "Përdorni këtë adresë për të hyrë te Kartelat tuaja përmes WebDAV-it", - "No favorites" : "Pa të parapëlqyera" + "New text file.txt" : "Kartelë e re file.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/sq.json b/apps/files/l10n/sq.json index 835e060ae59c8..e1762e1c76658 100644 --- a/apps/files/l10n/sq.json +++ b/apps/files/l10n/sq.json @@ -128,25 +128,6 @@ "Tags" : "Etiketë", "Deleted files" : "Skedar të fshirë", "Text file" : "Kartelë tekst", - "New text file.txt" : "Kartelë e re file.txt", - "Uploading..." : "Po ngarkohet...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} orë të mbetura","{hours}:{minutes}:{seconds} orë të mbetura"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minuta të mbetura","{minutes}:{seconds} minuta të mbetura"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekonda të mbetura","{seconds} sekonda të mbetura"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Në çdo çast tani…", - "Soon..." : "Së shpejti…", - "File upload is in progress. Leaving the page now will cancel the upload." : "Ngarkimi i skedarit është në punë e sipër. Largimi nga faqja do të anulojë ngarkimin.", - "Move" : "Lëvize", - "Copy local link" : "Kopjo linkun lokale", - "Folder" : "Dosje", - "Upload" : "Ngarkoje", - "A new file or folder has been deleted" : "Një skedar ose dosje e re është fshirë", - "A new file or folder has been restored" : "Një skedar ose dosje e re është rikthyer", - "Use this address to access your Files via WebDAV" : "Përdorni këtë adresë për të hyrë te Kartelat tuaja përmes WebDAV-it", - "No favorites" : "Pa të parapëlqyera" + "New text file.txt" : "Kartelë e re file.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/sr.js b/apps/files/l10n/sr.js index 735bd24853dc4..2b4c2c4896af4 100644 --- a/apps/files/l10n/sr.js +++ b/apps/files/l10n/sr.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Ознаке", "Deleted files" : "Обрисани фајлови", "Text file" : "Tекстуални фајл", - "New text file.txt" : "Нов текстуални фајл.txt", - "Uploading..." : "Отпремам…", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} сат преостао","{hours}:{minutes}:{seconds} сата преостала","{hours}:{minutes}:{seconds} сати преостало"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} минут преостало","{minutes}:{seconds} минута преостало","{minutes}:{seconds} минута преостало "], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} секунда преостала","{seconds} секунде преостало","{seconds} секунди преостало"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Сваког тренутка...", - "Soon..." : "Ускоро...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Отпремање фајла је у току. Ако сада напустите страницу, отказаћете отпремање.", - "Move" : "Премести", - "Copy local link" : "Копирај локалну везу", - "Folder" : "Фасцикла", - "Upload" : "Отпреми", - "A new file or folder has been deleted" : "Нови фајл или фасцикла су обрисани", - "A new file or folder has been restored" : "Нови фајл или фасцикла су враћени", - "Use this address to access your Files via WebDAV" : "Користи ову адресу да приступате Вашим фајловима преко ВебДАВа", - "No favorites" : "Нема омиљених" + "New text file.txt" : "Нов текстуални фајл.txt" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files/l10n/sr.json b/apps/files/l10n/sr.json index 7a01d46436243..e4d3ce8914c85 100644 --- a/apps/files/l10n/sr.json +++ b/apps/files/l10n/sr.json @@ -144,25 +144,6 @@ "Tags" : "Ознаке", "Deleted files" : "Обрисани фајлови", "Text file" : "Tекстуални фајл", - "New text file.txt" : "Нов текстуални фајл.txt", - "Uploading..." : "Отпремам…", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} сат преостао","{hours}:{minutes}:{seconds} сата преостала","{hours}:{minutes}:{seconds} сати преостало"], - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} минут преостало","{minutes}:{seconds} минута преостало","{minutes}:{seconds} минута преостало "], - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} секунда преостала","{seconds} секунде преостало","{seconds} секунди преостало"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Сваког тренутка...", - "Soon..." : "Ускоро...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Отпремање фајла је у току. Ако сада напустите страницу, отказаћете отпремање.", - "Move" : "Премести", - "Copy local link" : "Копирај локалну везу", - "Folder" : "Фасцикла", - "Upload" : "Отпреми", - "A new file or folder has been deleted" : "Нови фајл или фасцикла су обрисани", - "A new file or folder has been restored" : "Нови фајл или фасцикла су враћени", - "Use this address to access your Files via WebDAV" : "Користи ову адресу да приступате Вашим фајловима преко ВебДАВа", - "No favorites" : "Нема омиљених" + "New text file.txt" : "Нов текстуални фајл.txt" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files/l10n/sv.js b/apps/files/l10n/sv.js index efbd472788d44..3a135ba66b4c2 100644 --- a/apps/files/l10n/sv.js +++ b/apps/files/l10n/sv.js @@ -141,25 +141,6 @@ OC.L10N.register( "Tags" : "Taggar", "Deleted files" : "Raderade filer", "Text file" : "Textfil", - "New text file.txt" : "nytextfil.txt", - "Uploading..." : "Laddar upp...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} timme kvar","{hours}:{minutes}:{seconds} timmar kvar"], - "{hours}:{minutes}h" : "{hours}:{minutes}", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minut kvar","{minutes}:{seconds} minuter kvar"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund kvar","{seconds} sekunder kvar"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Alldeles strax...", - "Soon..." : "Snart...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Filuppladdning pågår. Lämnar du sidan så avbryts uppladdningen.", - "Move" : "Flytta", - "Copy local link" : "Kopiera den lokala länken", - "Folder" : "Mapp", - "Upload" : "Ladda upp", - "A new file or folder has been deleted" : "En ny fil har blivit raderad", - "A new file or folder has been restored" : "En ny fil eller mapp har blivit återställd", - "Use this address to access your Files via WebDAV" : "Använd den här adressen för att komma åt dina filer via WebDAV", - "No favorites" : "Inga favoriter" + "New text file.txt" : "nytextfil.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/sv.json b/apps/files/l10n/sv.json index dfce9322d2a99..9ee140d1194b1 100644 --- a/apps/files/l10n/sv.json +++ b/apps/files/l10n/sv.json @@ -139,25 +139,6 @@ "Tags" : "Taggar", "Deleted files" : "Raderade filer", "Text file" : "Textfil", - "New text file.txt" : "nytextfil.txt", - "Uploading..." : "Laddar upp...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} timme kvar","{hours}:{minutes}:{seconds} timmar kvar"], - "{hours}:{minutes}h" : "{hours}:{minutes}", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} minut kvar","{minutes}:{seconds} minuter kvar"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} sekund kvar","{seconds} sekunder kvar"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Alldeles strax...", - "Soon..." : "Snart...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Filuppladdning pågår. Lämnar du sidan så avbryts uppladdningen.", - "Move" : "Flytta", - "Copy local link" : "Kopiera den lokala länken", - "Folder" : "Mapp", - "Upload" : "Ladda upp", - "A new file or folder has been deleted" : "En ny fil har blivit raderad", - "A new file or folder has been restored" : "En ny fil eller mapp har blivit återställd", - "Use this address to access your Files via WebDAV" : "Använd den här adressen för att komma åt dina filer via WebDAV", - "No favorites" : "Inga favoriter" + "New text file.txt" : "nytextfil.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/tr.js b/apps/files/l10n/tr.js index e1252d20b1899..efb9f2fd2ffe7 100644 --- a/apps/files/l10n/tr.js +++ b/apps/files/l10n/tr.js @@ -146,25 +146,6 @@ OC.L10N.register( "Tags" : "Etiketler", "Deleted files" : "Silinmiş dosyalar", "Text file" : "Metin dosyası", - "New text file.txt" : "Yeni metin dosyası.txt", - "Uploading..." : "Yükleniyor...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} saat kaldı","{hours}:{minutes}:{seconds} saat kaldı"], - "{hours}:{minutes}h" : "{hours}:{minutes} saat", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} dakika kaldı","{minutes}:{seconds} dakika kaldı"], - "{minutes}:{seconds}m" : "{minutes}:{seconds} dakika", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} saniye kaldı","{seconds} saniye kaldı"], - "{seconds}s" : "{seconds} saniye", - "Any moment now..." : "Hemen şimdi...", - "Soon..." : "Yakında...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dosya yükleme işlemi sürüyor. Sayfadan ayrılırsanız yükleme işlemi iptal edilir.", - "Move" : "Taşı", - "Copy local link" : "Bağlantıyı kopyala", - "Folder" : "Klasör", - "Upload" : "Yükle", - "A new file or folder has been deleted" : "Yeni bir dosya ya da klasör silindi", - "A new file or folder has been restored" : "Yeni bir dosya ya da klasör geri yüklendi", - "Use this address to access your Files via WebDAV" : "Dosyalarınıza WebDAV üzerinden erişmek için bu adresi kullanın", - "No favorites" : "Sık kullanılan bir öge yok" + "New text file.txt" : "Yeni metin dosyası.txt" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files/l10n/tr.json b/apps/files/l10n/tr.json index ca8bfbf802841..fdcbbd161cd18 100644 --- a/apps/files/l10n/tr.json +++ b/apps/files/l10n/tr.json @@ -144,25 +144,6 @@ "Tags" : "Etiketler", "Deleted files" : "Silinmiş dosyalar", "Text file" : "Metin dosyası", - "New text file.txt" : "Yeni metin dosyası.txt", - "Uploading..." : "Yükleniyor...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} saat kaldı","{hours}:{minutes}:{seconds} saat kaldı"], - "{hours}:{minutes}h" : "{hours}:{minutes} saat", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} dakika kaldı","{minutes}:{seconds} dakika kaldı"], - "{minutes}:{seconds}m" : "{minutes}:{seconds} dakika", - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} saniye kaldı","{seconds} saniye kaldı"], - "{seconds}s" : "{seconds} saniye", - "Any moment now..." : "Hemen şimdi...", - "Soon..." : "Yakında...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dosya yükleme işlemi sürüyor. Sayfadan ayrılırsanız yükleme işlemi iptal edilir.", - "Move" : "Taşı", - "Copy local link" : "Bağlantıyı kopyala", - "Folder" : "Klasör", - "Upload" : "Yükle", - "A new file or folder has been deleted" : "Yeni bir dosya ya da klasör silindi", - "A new file or folder has been restored" : "Yeni bir dosya ya da klasör geri yüklendi", - "Use this address to access your Files via WebDAV" : "Dosyalarınıza WebDAV üzerinden erişmek için bu adresi kullanın", - "No favorites" : "Sık kullanılan bir öge yok" + "New text file.txt" : "Yeni metin dosyası.txt" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files/l10n/uk.js b/apps/files/l10n/uk.js index 236240817bac0..b214ccf6997fa 100644 --- a/apps/files/l10n/uk.js +++ b/apps/files/l10n/uk.js @@ -132,21 +132,6 @@ OC.L10N.register( "Tags" : "Теги", "Deleted files" : "Видалені файли", "Text file" : "Текстовий файл", - "New text file.txt" : "Новий текстовий файл file.txt", - "Uploading..." : "Вивантаження...", - "..." : "...", - "{hours}:{minutes}h" : "{hours}:{minutes} год", - "{seconds}s" : "{seconds} сек", - "Any moment now..." : "В будь-який момент...", - "Soon..." : "Незабаром...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Виконується вивантаження файлу. Закриття цієї сторінки приведе до скасування вивантаження.", - "Move" : "Перемістити", - "Copy local link" : "Копіювати посилання", - "Folder" : "Тека", - "Upload" : "Вивантажити", - "A new file or folder has been deleted" : "Новий файл або теку було видалено", - "A new file or folder has been restored" : "Новий файл або теку було відновлено", - "Use this address to access your Files via WebDAV" : "Використайте цю адресу для доступу через WebDAV", - "No favorites" : "Немає улюблених" + "New text file.txt" : "Новий текстовий файл file.txt" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files/l10n/uk.json b/apps/files/l10n/uk.json index a82339a58a3a3..7f189d3125cd5 100644 --- a/apps/files/l10n/uk.json +++ b/apps/files/l10n/uk.json @@ -130,21 +130,6 @@ "Tags" : "Теги", "Deleted files" : "Видалені файли", "Text file" : "Текстовий файл", - "New text file.txt" : "Новий текстовий файл file.txt", - "Uploading..." : "Вивантаження...", - "..." : "...", - "{hours}:{minutes}h" : "{hours}:{minutes} год", - "{seconds}s" : "{seconds} сек", - "Any moment now..." : "В будь-який момент...", - "Soon..." : "Незабаром...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Виконується вивантаження файлу. Закриття цієї сторінки приведе до скасування вивантаження.", - "Move" : "Перемістити", - "Copy local link" : "Копіювати посилання", - "Folder" : "Тека", - "Upload" : "Вивантажити", - "A new file or folder has been deleted" : "Новий файл або теку було видалено", - "A new file or folder has been restored" : "Новий файл або теку було відновлено", - "Use this address to access your Files via WebDAV" : "Використайте цю адресу для доступу через WebDAV", - "No favorites" : "Немає улюблених" + "New text file.txt" : "Новий текстовий файл file.txt" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files/l10n/vi.js b/apps/files/l10n/vi.js index 84be1c6173f26..f57b63ab68b7a 100644 --- a/apps/files/l10n/vi.js +++ b/apps/files/l10n/vi.js @@ -124,20 +124,6 @@ OC.L10N.register( "Shared by link" : "Được chia sẻ bởi liên kết", "Tags" : "Nhãn", "Deleted files" : "Thùng rác", - "Text file" : "Tập tin văn bản", - "Uploading..." : "tải lên...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} giờ còn lại"], - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} phút còn lại"], - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} giây còn lại"], - "Any moment now..." : "Sắp xong rồi...", - "Soon..." : "Sớm thôi...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Tập tin tải lên đang được xử lý. Nếu bạn rời khỏi trang bây giờ sẽ hủy quá trình này.", - "Move" : "Di chuyển", - "Copy local link" : "Sao chép liên kết cục bộ", - "Folder" : "Thư mục", - "Upload" : "Tải lên", - "A new file or folder has been restored" : "Một tập tin hoặc thư mục mới đã được khôi phục", - "Use this address to access your Files via WebDAV" : "Sử dụng địa chỉ này để Truy cập tệp của bạn qua WebDAV", - "No favorites" : "Không có mục ưa thích nào" + "Text file" : "Tập tin văn bản" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/vi.json b/apps/files/l10n/vi.json index c630045a4ece6..1210b8fabbfbb 100644 --- a/apps/files/l10n/vi.json +++ b/apps/files/l10n/vi.json @@ -122,20 +122,6 @@ "Shared by link" : "Được chia sẻ bởi liên kết", "Tags" : "Nhãn", "Deleted files" : "Thùng rác", - "Text file" : "Tập tin văn bản", - "Uploading..." : "tải lên...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["{hours}:{minutes}:{seconds} giờ còn lại"], - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["{minutes}:{seconds} phút còn lại"], - "_{seconds} second left_::_{seconds} seconds left_" : ["{seconds} giây còn lại"], - "Any moment now..." : "Sắp xong rồi...", - "Soon..." : "Sớm thôi...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Tập tin tải lên đang được xử lý. Nếu bạn rời khỏi trang bây giờ sẽ hủy quá trình này.", - "Move" : "Di chuyển", - "Copy local link" : "Sao chép liên kết cục bộ", - "Folder" : "Thư mục", - "Upload" : "Tải lên", - "A new file or folder has been restored" : "Một tập tin hoặc thư mục mới đã được khôi phục", - "Use this address to access your Files via WebDAV" : "Sử dụng địa chỉ này để Truy cập tệp của bạn qua WebDAV", - "No favorites" : "Không có mục ưa thích nào" + "Text file" : "Tập tin văn bản" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/zh_CN.js b/apps/files/l10n/zh_CN.js index 02f55447e7698..667666416182a 100644 --- a/apps/files/l10n/zh_CN.js +++ b/apps/files/l10n/zh_CN.js @@ -144,25 +144,6 @@ OC.L10N.register( "Tags" : "标签", "Deleted files" : "已删除的文件", "Text file" : "文本文件", - "New text file.txt" : "创建文本文件 .txt", - "Uploading..." : "正在上传...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["剩余 {hours}:{minutes}:{seconds} 小时"], - "{hours}:{minutes}h" : "{hours}:{minutes}", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["剩余 {minutes}:{seconds} 分钟"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}", - "_{seconds} second left_::_{seconds} seconds left_" : ["剩余 {seconds} 秒"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "现在任何时候...", - "Soon..." : "很快...", - "File upload is in progress. Leaving the page now will cancel the upload." : "文件正在上传中. 离开此页将会取消上传.", - "Move" : "移动", - "Copy local link" : "复制本地链接", - "Folder" : "文件夹", - "Upload" : "上传", - "A new file or folder has been deleted" : "新的文件/文件夹已经 删除", - "A new file or folder has been restored" : "新的文件/文件夹已经恢复", - "Use this address to access your Files via WebDAV" : "使用这个地址 通过 WebDAV 访问您的文件", - "No favorites" : "无收藏" + "New text file.txt" : "创建文本文件 .txt" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_CN.json b/apps/files/l10n/zh_CN.json index 773909549f2b3..17f074d5faf6f 100644 --- a/apps/files/l10n/zh_CN.json +++ b/apps/files/l10n/zh_CN.json @@ -142,25 +142,6 @@ "Tags" : "标签", "Deleted files" : "已删除的文件", "Text file" : "文本文件", - "New text file.txt" : "创建文本文件 .txt", - "Uploading..." : "正在上传...", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["剩余 {hours}:{minutes}:{seconds} 小时"], - "{hours}:{minutes}h" : "{hours}:{minutes}", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["剩余 {minutes}:{seconds} 分钟"], - "{minutes}:{seconds}m" : "{minutes}:{seconds}", - "_{seconds} second left_::_{seconds} seconds left_" : ["剩余 {seconds} 秒"], - "{seconds}s" : "{seconds}s", - "Any moment now..." : "现在任何时候...", - "Soon..." : "很快...", - "File upload is in progress. Leaving the page now will cancel the upload." : "文件正在上传中. 离开此页将会取消上传.", - "Move" : "移动", - "Copy local link" : "复制本地链接", - "Folder" : "文件夹", - "Upload" : "上传", - "A new file or folder has been deleted" : "新的文件/文件夹已经 删除", - "A new file or folder has been restored" : "新的文件/文件夹已经恢复", - "Use this address to access your Files via WebDAV" : "使用这个地址 通过 WebDAV 访问您的文件", - "No favorites" : "无收藏" + "New text file.txt" : "创建文本文件 .txt" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/zh_TW.js b/apps/files/l10n/zh_TW.js index 20c998274a10c..9833f2512cb46 100644 --- a/apps/files/l10n/zh_TW.js +++ b/apps/files/l10n/zh_TW.js @@ -143,25 +143,6 @@ OC.L10N.register( "Tags" : "標籤", "Deleted files" : "回收桶", "Text file" : "文字檔", - "New text file.txt" : "新文字檔.txt", - "Uploading..." : "上傳中…", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["剩下 {hours}:{minutes}:{seconds} 小時"], - "{hours}:{minutes}h" : "{hours}:{minutes} 小時", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["剩下 {minutes}:{seconds} 分鐘"], - "{minutes}:{seconds}m" : "{minutes}:{seconds} 分", - "_{seconds} second left_::_{seconds} seconds left_" : ["剩下 {seconds} 秒"], - "{seconds}s" : "{seconds} 秒", - "Any moment now..." : "即將完成…", - "Soon..." : "即將完成…", - "File upload is in progress. Leaving the page now will cancel the upload." : "檔案上傳中,離開此頁面將會取消上傳", - "Move" : "移動", - "Copy local link" : "複製本地連結", - "Folder" : "資料夾", - "Upload" : "上傳", - "A new file or folder has been deleted" : "檔案或目錄已被 刪除", - "A new file or folder has been restored" : "檔案或目錄已被 恢復", - "Use this address to access your Files via WebDAV" : "使用這個位址來使用 WebDAV 存取檔案", - "No favorites" : "沒有最愛" + "New text file.txt" : "新文字檔.txt" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_TW.json b/apps/files/l10n/zh_TW.json index cd52bc82a7973..3ef15cbd79fa1 100644 --- a/apps/files/l10n/zh_TW.json +++ b/apps/files/l10n/zh_TW.json @@ -141,25 +141,6 @@ "Tags" : "標籤", "Deleted files" : "回收桶", "Text file" : "文字檔", - "New text file.txt" : "新文字檔.txt", - "Uploading..." : "上傳中…", - "..." : "...", - "_{hours}:{minutes}:{seconds} hour left_::_{hours}:{minutes}:{seconds} hours left_" : ["剩下 {hours}:{minutes}:{seconds} 小時"], - "{hours}:{minutes}h" : "{hours}:{minutes} 小時", - "_{minutes}:{seconds} minute left_::_{minutes}:{seconds} minutes left_" : ["剩下 {minutes}:{seconds} 分鐘"], - "{minutes}:{seconds}m" : "{minutes}:{seconds} 分", - "_{seconds} second left_::_{seconds} seconds left_" : ["剩下 {seconds} 秒"], - "{seconds}s" : "{seconds} 秒", - "Any moment now..." : "即將完成…", - "Soon..." : "即將完成…", - "File upload is in progress. Leaving the page now will cancel the upload." : "檔案上傳中,離開此頁面將會取消上傳", - "Move" : "移動", - "Copy local link" : "複製本地連結", - "Folder" : "資料夾", - "Upload" : "上傳", - "A new file or folder has been deleted" : "檔案或目錄已被 刪除", - "A new file or folder has been restored" : "檔案或目錄已被 恢復", - "Use this address to access your Files via WebDAV" : "使用這個位址來使用 WebDAV 存取檔案", - "No favorites" : "沒有最愛" + "New text file.txt" : "新文字檔.txt" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/cs.js b/apps/files_external/l10n/cs.js index 8ed161fd61b4a..1b4d4d0b10aed 100644 --- a/apps/files_external/l10n/cs.js +++ b/apps/files_external/l10n/cs.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Pokročilá nastavení", "Delete" : "Smazat", "Allow users to mount external storage" : "Povolit uživatelům připojení externího úložiště", - "Allow users to mount the following external storage" : "Povolit uživatelů připojit následující externí úložiště", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Získání přístupových tokenů selhalo. Ověřte že klíč aplikace a tajné heslo jsou správné.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Získání přístupových tokenů selhalo. Ověřte že klíč aplikace a tajné heslo jsou správné.", - "Step 1 failed. Exception: %s" : "Selhal krok 1. Výjimka: %s", - "Step 2 failed. Exception: %s" : "Selhal krok 2. Výjimka: %s", - "Dropbox App Configuration" : "Nastavení aplikace Dropbox", - "Google Drive App Configuration" : "Nastavení aplikace Disk Google", - "Storage with id \"%i\" not found" : "Úložiště s id \"%i\" nebylo nalezeno", - "Storage with id \"%i\" is not user editable" : "Úložiště s id \"%i\" uživatelé nemohou upravovat", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Povolit uživatelů připojit následující externí úložiště" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files_external/l10n/cs.json b/apps/files_external/l10n/cs.json index 0bd210caab1a2..d6e06b9bea93a 100644 --- a/apps/files_external/l10n/cs.json +++ b/apps/files_external/l10n/cs.json @@ -117,16 +117,6 @@ "Advanced settings" : "Pokročilá nastavení", "Delete" : "Smazat", "Allow users to mount external storage" : "Povolit uživatelům připojení externího úložiště", - "Allow users to mount the following external storage" : "Povolit uživatelů připojit následující externí úložiště", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Získání přístupových tokenů selhalo. Ověřte že klíč aplikace a tajné heslo jsou správné.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Získání přístupových tokenů selhalo. Ověřte že klíč aplikace a tajné heslo jsou správné.", - "Step 1 failed. Exception: %s" : "Selhal krok 1. Výjimka: %s", - "Step 2 failed. Exception: %s" : "Selhal krok 2. Výjimka: %s", - "Dropbox App Configuration" : "Nastavení aplikace Dropbox", - "Google Drive App Configuration" : "Nastavení aplikace Disk Google", - "Storage with id \"%i\" not found" : "Úložiště s id \"%i\" nebylo nalezeno", - "Storage with id \"%i\" is not user editable" : "Úložiště s id \"%i\" uživatelé nemohou upravovat", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Povolit uživatelů připojit následující externí úložiště" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files_external/l10n/da.js b/apps/files_external/l10n/da.js index 078063a62fc19..d94dfce5580e0 100644 --- a/apps/files_external/l10n/da.js +++ b/apps/files_external/l10n/da.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Avancerede indstillinger", "Delete" : "Slet", "Allow users to mount external storage" : "Tillad brugere at montere eksternt lager", - "Allow users to mount the following external storage" : "Tillad brugere at montere følgende som eksternt lager", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Tokener til anmodning om hentning mislykkedes. Verificér at dine app-nøgle og -hemmelighed er korrekte.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Tokener for adgang til hentning fejlede. Verificér at dine app-nøgle og -hemmelighed er korrekte.", - "Step 1 failed. Exception: %s" : "Trin 1 mislykkedes. Undtagelse: %s", - "Step 2 failed. Exception: %s" : "Trin 2 mislykkedes. Undtagelse: %s", - "Dropbox App Configuration" : "Dropbox App konfiguration", - "Google Drive App Configuration" : "Google Drive App konfiguration", - "Storage with id \"%i\" not found" : "Lager med ID'et \"%i% er ikke fundet", - "Storage with id \"%i\" is not user editable" : "Lageret med id \"%i\" kan ikke redigeres af bruger", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drev" + "Allow users to mount the following external storage" : "Tillad brugere at montere følgende som eksternt lager" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/da.json b/apps/files_external/l10n/da.json index 048a779681a3a..c7a318962a417 100644 --- a/apps/files_external/l10n/da.json +++ b/apps/files_external/l10n/da.json @@ -117,16 +117,6 @@ "Advanced settings" : "Avancerede indstillinger", "Delete" : "Slet", "Allow users to mount external storage" : "Tillad brugere at montere eksternt lager", - "Allow users to mount the following external storage" : "Tillad brugere at montere følgende som eksternt lager", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Tokener til anmodning om hentning mislykkedes. Verificér at dine app-nøgle og -hemmelighed er korrekte.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Tokener for adgang til hentning fejlede. Verificér at dine app-nøgle og -hemmelighed er korrekte.", - "Step 1 failed. Exception: %s" : "Trin 1 mislykkedes. Undtagelse: %s", - "Step 2 failed. Exception: %s" : "Trin 2 mislykkedes. Undtagelse: %s", - "Dropbox App Configuration" : "Dropbox App konfiguration", - "Google Drive App Configuration" : "Google Drive App konfiguration", - "Storage with id \"%i\" not found" : "Lager med ID'et \"%i% er ikke fundet", - "Storage with id \"%i\" is not user editable" : "Lageret med id \"%i\" kan ikke redigeres af bruger", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drev" + "Allow users to mount the following external storage" : "Tillad brugere at montere følgende som eksternt lager" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/de.js b/apps/files_external/l10n/de.js index eb8fbdf0d8c4b..4ff31fb3183ff 100644 --- a/apps/files_external/l10n/de.js +++ b/apps/files_external/l10n/de.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Erweiterte Einstellungen", "Delete" : "Löschen", "Allow users to mount external storage" : "Benutzern erlauben, externen Speicher einzubinden", - "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Abrufen des Anfrage-Tokens fehlgeschlagen. Bitte sicherstellen, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Abrufen des Zugriff-Tokens fehlgeschlagen. Bitte sicherstellen, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Step 1 failed. Exception: %s" : "Schritt 1 fehlgeschlagen. Fehlermeldung: %s", - "Step 2 failed. Exception: %s" : "Schritt 2 fehlgeschlagen. Fehlermeldung: %s", - "Dropbox App Configuration" : "Dropbox-App Konfiguration", - "Google Drive App Configuration" : "Google Drive - App Konfiguration", - "Storage with id \"%i\" not found" : "Der Speicher mit der ID „%i“ wurde nicht gefunden", - "Storage with id \"%i\" is not user editable" : "Der Speicher mit der ID \"%i\" kann nicht vom Benutzer bearbeitet werden", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/de.json b/apps/files_external/l10n/de.json index 53fd2e422fa96..d49e9447cb614 100644 --- a/apps/files_external/l10n/de.json +++ b/apps/files_external/l10n/de.json @@ -118,16 +118,6 @@ "Advanced settings" : "Erweiterte Einstellungen", "Delete" : "Löschen", "Allow users to mount external storage" : "Benutzern erlauben, externen Speicher einzubinden", - "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Abrufen des Anfrage-Tokens fehlgeschlagen. Bitte sicherstellen, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Abrufen des Zugriff-Tokens fehlgeschlagen. Bitte sicherstellen, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Step 1 failed. Exception: %s" : "Schritt 1 fehlgeschlagen. Fehlermeldung: %s", - "Step 2 failed. Exception: %s" : "Schritt 2 fehlgeschlagen. Fehlermeldung: %s", - "Dropbox App Configuration" : "Dropbox-App Konfiguration", - "Google Drive App Configuration" : "Google Drive - App Konfiguration", - "Storage with id \"%i\" not found" : "Der Speicher mit der ID „%i“ wurde nicht gefunden", - "Storage with id \"%i\" is not user editable" : "Der Speicher mit der ID \"%i\" kann nicht vom Benutzer bearbeitet werden", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/de_DE.js b/apps/files_external/l10n/de_DE.js index 5f01b5179de59..cc3ffe647e89c 100644 --- a/apps/files_external/l10n/de_DE.js +++ b/apps/files_external/l10n/de_DE.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Erweiterte Einstellungen", "Delete" : "Löschen", "Allow users to mount external storage" : "Benutzern erlauben, externen Speicher einzubinden", - "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Abrufen des Anfrage-Tokens fehlgeschlagen. Stellen Sie sicher, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Abrufen des Zugriff-Tokens fehlgeschlagen. Stellen Sie sicher, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Step 1 failed. Exception: %s" : "Schritt 1 fehlgeschlagen. Fehlermeldung: %s", - "Step 2 failed. Exception: %s" : "Schritt 2 fehlgeschlagen. Fehlermeldung: %s", - "Dropbox App Configuration" : "Dropbox-App Konfiguration", - "Google Drive App Configuration" : "Google Drive - App Konfiguration", - "Storage with id \"%i\" not found" : "Der Speicher mit der ID „%i“ wurde nicht gefunden", - "Storage with id \"%i\" is not user editable" : "Der Speicher mit der ID \"%i\" kann nicht vom Benutzer bearbeitet werden", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/de_DE.json b/apps/files_external/l10n/de_DE.json index e5f25c97a1fdd..e0faf65d0bbab 100644 --- a/apps/files_external/l10n/de_DE.json +++ b/apps/files_external/l10n/de_DE.json @@ -118,16 +118,6 @@ "Advanced settings" : "Erweiterte Einstellungen", "Delete" : "Löschen", "Allow users to mount external storage" : "Benutzern erlauben, externen Speicher einzubinden", - "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Abrufen des Anfrage-Tokens fehlgeschlagen. Stellen Sie sicher, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Abrufen des Zugriff-Tokens fehlgeschlagen. Stellen Sie sicher, dass der Anwendungsschlüssel und Sicherheitsschlüssel korrekt sind.", - "Step 1 failed. Exception: %s" : "Schritt 1 fehlgeschlagen. Fehlermeldung: %s", - "Step 2 failed. Exception: %s" : "Schritt 2 fehlgeschlagen. Fehlermeldung: %s", - "Dropbox App Configuration" : "Dropbox-App Konfiguration", - "Google Drive App Configuration" : "Google Drive - App Konfiguration", - "Storage with id \"%i\" not found" : "Der Speicher mit der ID „%i“ wurde nicht gefunden", - "Storage with id \"%i\" is not user editable" : "Der Speicher mit der ID \"%i\" kann nicht vom Benutzer bearbeitet werden", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Benutzern erlauben, den folgenden externen Speicher einzubinden:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/el.js b/apps/files_external/l10n/el.js index 2149dd4f7a064..ea1d048ab1328 100644 --- a/apps/files_external/l10n/el.js +++ b/apps/files_external/l10n/el.js @@ -117,16 +117,6 @@ OC.L10N.register( "Advanced settings" : "Ρυθμίσεις για προχωρημένους", "Delete" : "Διαγραφή", "Allow users to mount external storage" : "Να επιτρέπεται στους χρήστες η σύνδεση εξωτερικού χώρου", - "Allow users to mount the following external storage" : "Χορήγηση άδειας στους χρήστες να συνδέσουν τα παρακάτω εξωτερικά μέσα αποθήκευσης", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Η λήψη των τεκμηρίων αιτήματος απέτυχε. Βεβαιώστε ότι το κλειδί εφαρμογής και το μυστικό είναι ορθά.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Η λήψη των τεκμηρίων πρόσβασης απέτυχε. Βεβαιώστε ότι το κλειδί εφαρμογής και το μυστικό είναι ορθά.", - "Step 1 failed. Exception: %s" : "Το βήμα 1 απέτυχε. Εξαίρεση: %s", - "Step 2 failed. Exception: %s" : "Το βήμα 2 απέτυχε. Εξαίρεση: %s", - "Dropbox App Configuration" : "Ρυθμίσεις εφαρμογής Dropbox", - "Google Drive App Configuration" : "Ρυθμίσεις εφαρμογής Google Drive", - "Storage with id \"%i\" not found" : "Αποθήκευση με id \"%i\" δεν βρέθηκε", - "Storage with id \"%i\" is not user editable" : "Αποθηκευτικός χώρος με ID \"%i\" δεν είναι επεξεργάσιμος από τον χρήστη ", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Χορήγηση άδειας στους χρήστες να συνδέσουν τα παρακάτω εξωτερικά μέσα αποθήκευσης" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/el.json b/apps/files_external/l10n/el.json index 0035fc902c77e..d1c0dcaf42b03 100644 --- a/apps/files_external/l10n/el.json +++ b/apps/files_external/l10n/el.json @@ -115,16 +115,6 @@ "Advanced settings" : "Ρυθμίσεις για προχωρημένους", "Delete" : "Διαγραφή", "Allow users to mount external storage" : "Να επιτρέπεται στους χρήστες η σύνδεση εξωτερικού χώρου", - "Allow users to mount the following external storage" : "Χορήγηση άδειας στους χρήστες να συνδέσουν τα παρακάτω εξωτερικά μέσα αποθήκευσης", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Η λήψη των τεκμηρίων αιτήματος απέτυχε. Βεβαιώστε ότι το κλειδί εφαρμογής και το μυστικό είναι ορθά.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Η λήψη των τεκμηρίων πρόσβασης απέτυχε. Βεβαιώστε ότι το κλειδί εφαρμογής και το μυστικό είναι ορθά.", - "Step 1 failed. Exception: %s" : "Το βήμα 1 απέτυχε. Εξαίρεση: %s", - "Step 2 failed. Exception: %s" : "Το βήμα 2 απέτυχε. Εξαίρεση: %s", - "Dropbox App Configuration" : "Ρυθμίσεις εφαρμογής Dropbox", - "Google Drive App Configuration" : "Ρυθμίσεις εφαρμογής Google Drive", - "Storage with id \"%i\" not found" : "Αποθήκευση με id \"%i\" δεν βρέθηκε", - "Storage with id \"%i\" is not user editable" : "Αποθηκευτικός χώρος με ID \"%i\" δεν είναι επεξεργάσιμος από τον χρήστη ", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Χορήγηση άδειας στους χρήστες να συνδέσουν τα παρακάτω εξωτερικά μέσα αποθήκευσης" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/en_GB.js b/apps/files_external/l10n/en_GB.js index 45fe58c0b3681..a48a4a11e0ee5 100644 --- a/apps/files_external/l10n/en_GB.js +++ b/apps/files_external/l10n/en_GB.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Advanced settings", "Delete" : "Delete", "Allow users to mount external storage" : "Allow users to mount external storage", - "Allow users to mount the following external storage" : "Allow users to mount the following external storage", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fetching request tokens failed. Verify that your app key and secret are correct.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Fetching access tokens failed. Verify that your app key and secret are correct.", - "Step 1 failed. Exception: %s" : "Step 1 failed. Exception: %s", - "Step 2 failed. Exception: %s" : "Step 2 failed. Exception: %s", - "Dropbox App Configuration" : "Dropbox App Configuration", - "Google Drive App Configuration" : "Google Drive App Configuration", - "Storage with id \"%i\" not found" : "Storage with id \"%i\" not found", - "Storage with id \"%i\" is not user editable" : "Storage with id \"%i\" is not user editable", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Allow users to mount the following external storage" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/en_GB.json b/apps/files_external/l10n/en_GB.json index f7ac7290e7ac0..4d168c622269b 100644 --- a/apps/files_external/l10n/en_GB.json +++ b/apps/files_external/l10n/en_GB.json @@ -118,16 +118,6 @@ "Advanced settings" : "Advanced settings", "Delete" : "Delete", "Allow users to mount external storage" : "Allow users to mount external storage", - "Allow users to mount the following external storage" : "Allow users to mount the following external storage", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fetching request tokens failed. Verify that your app key and secret are correct.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Fetching access tokens failed. Verify that your app key and secret are correct.", - "Step 1 failed. Exception: %s" : "Step 1 failed. Exception: %s", - "Step 2 failed. Exception: %s" : "Step 2 failed. Exception: %s", - "Dropbox App Configuration" : "Dropbox App Configuration", - "Google Drive App Configuration" : "Google Drive App Configuration", - "Storage with id \"%i\" not found" : "Storage with id \"%i\" not found", - "Storage with id \"%i\" is not user editable" : "Storage with id \"%i\" is not user editable", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Allow users to mount the following external storage" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es.js b/apps/files_external/l10n/es.js index 7bfed57158d27..7807d92f5662f 100644 --- a/apps/files_external/l10n/es.js +++ b/apps/files_external/l10n/es.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Configuración avanzada", "Delete" : "Eliminar", "Allow users to mount external storage" : "Permitir a los usuarios montar un almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Falló al acceder a los tokens solicitados. Verifique que su clave de app y la clave secreta sean correctas.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Falló al acceder a los tokens solicitados. Verifique que su clave de app y la clave secreta sean correctas.", - "Step 1 failed. Exception: %s" : "El paso 1 falló. Excepción: %s", - "Step 2 failed. Exception: %s" : "El paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la app de Dropbox", - "Google Drive App Configuration" : "Configuración de la app de Google Drive", - "Storage with id \"%i\" not found" : "No se ha encontrado almacenamiento con id \"%i\"", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no es editable por usuarios", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es.json b/apps/files_external/l10n/es.json index 79c81accd5801..f1573989a56ed 100644 --- a/apps/files_external/l10n/es.json +++ b/apps/files_external/l10n/es.json @@ -118,16 +118,6 @@ "Advanced settings" : "Configuración avanzada", "Delete" : "Eliminar", "Allow users to mount external storage" : "Permitir a los usuarios montar un almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Falló al acceder a los tokens solicitados. Verifique que su clave de app y la clave secreta sean correctas.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Falló al acceder a los tokens solicitados. Verifique que su clave de app y la clave secreta sean correctas.", - "Step 1 failed. Exception: %s" : "El paso 1 falló. Excepción: %s", - "Step 2 failed. Exception: %s" : "El paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la app de Dropbox", - "Google Drive App Configuration" : "Configuración de la app de Google Drive", - "Storage with id \"%i\" not found" : "No se ha encontrado almacenamiento con id \"%i\"", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no es editable por usuarios", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_419.js b/apps/files_external/l10n/es_419.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_419.js +++ b/apps/files_external/l10n/es_419.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_419.json b/apps/files_external/l10n/es_419.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_419.json +++ b/apps/files_external/l10n/es_419.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_AR.js b/apps/files_external/l10n/es_AR.js index 12ce70b40c155..0537bde46a183 100644 --- a/apps/files_external/l10n/es_AR.js +++ b/apps/files_external/l10n/es_AR.js @@ -115,16 +115,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Favor de verificar que su llave de aplicación y su secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Favor de verificar que su llave de aplicación y su secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_AR.json b/apps/files_external/l10n/es_AR.json index d8deb6aad68e1..5bc045bc47c8f 100644 --- a/apps/files_external/l10n/es_AR.json +++ b/apps/files_external/l10n/es_AR.json @@ -113,16 +113,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Favor de verificar que su llave de aplicación y su secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Favor de verificar que su llave de aplicación y su secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_CL.js b/apps/files_external/l10n/es_CL.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_CL.js +++ b/apps/files_external/l10n/es_CL.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_CL.json b/apps/files_external/l10n/es_CL.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_CL.json +++ b/apps/files_external/l10n/es_CL.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_CO.js b/apps/files_external/l10n/es_CO.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_CO.js +++ b/apps/files_external/l10n/es_CO.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_CO.json b/apps/files_external/l10n/es_CO.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_CO.json +++ b/apps/files_external/l10n/es_CO.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_CR.js b/apps/files_external/l10n/es_CR.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_CR.js +++ b/apps/files_external/l10n/es_CR.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_CR.json b/apps/files_external/l10n/es_CR.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_CR.json +++ b/apps/files_external/l10n/es_CR.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_DO.js b/apps/files_external/l10n/es_DO.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_DO.js +++ b/apps/files_external/l10n/es_DO.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_DO.json b/apps/files_external/l10n/es_DO.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_DO.json +++ b/apps/files_external/l10n/es_DO.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_EC.js b/apps/files_external/l10n/es_EC.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_EC.js +++ b/apps/files_external/l10n/es_EC.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_EC.json b/apps/files_external/l10n/es_EC.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_EC.json +++ b/apps/files_external/l10n/es_EC.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_GT.js b/apps/files_external/l10n/es_GT.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_GT.js +++ b/apps/files_external/l10n/es_GT.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_GT.json b/apps/files_external/l10n/es_GT.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_GT.json +++ b/apps/files_external/l10n/es_GT.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_HN.js b/apps/files_external/l10n/es_HN.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_HN.js +++ b/apps/files_external/l10n/es_HN.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_HN.json b/apps/files_external/l10n/es_HN.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_HN.json +++ b/apps/files_external/l10n/es_HN.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_MX.js b/apps/files_external/l10n/es_MX.js index f2b7352116444..d79abdbb82f3b 100644 --- a/apps/files_external/l10n/es_MX.js +++ b/apps/files_external/l10n/es_MX.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_MX.json b/apps/files_external/l10n/es_MX.json index 35048a800634d..676afd7cef6fc 100644 --- a/apps/files_external/l10n/es_MX.json +++ b/apps/files_external/l10n/es_MX.json @@ -118,16 +118,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_NI.js b/apps/files_external/l10n/es_NI.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_NI.js +++ b/apps/files_external/l10n/es_NI.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_NI.json b/apps/files_external/l10n/es_NI.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_NI.json +++ b/apps/files_external/l10n/es_NI.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_PA.js b/apps/files_external/l10n/es_PA.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_PA.js +++ b/apps/files_external/l10n/es_PA.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_PA.json b/apps/files_external/l10n/es_PA.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_PA.json +++ b/apps/files_external/l10n/es_PA.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_PE.js b/apps/files_external/l10n/es_PE.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_PE.js +++ b/apps/files_external/l10n/es_PE.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_PE.json b/apps/files_external/l10n/es_PE.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_PE.json +++ b/apps/files_external/l10n/es_PE.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_PR.js b/apps/files_external/l10n/es_PR.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_PR.js +++ b/apps/files_external/l10n/es_PR.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_PR.json b/apps/files_external/l10n/es_PR.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_PR.json +++ b/apps/files_external/l10n/es_PR.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_PY.js b/apps/files_external/l10n/es_PY.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_PY.js +++ b/apps/files_external/l10n/es_PY.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_PY.json b/apps/files_external/l10n/es_PY.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_PY.json +++ b/apps/files_external/l10n/es_PY.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_SV.js b/apps/files_external/l10n/es_SV.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_SV.js +++ b/apps/files_external/l10n/es_SV.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_SV.json b/apps/files_external/l10n/es_SV.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_SV.json +++ b/apps/files_external/l10n/es_SV.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es_UY.js b/apps/files_external/l10n/es_UY.js index 720a7c663d25d..6911d28d64c21 100644 --- a/apps/files_external/l10n/es_UY.js +++ b/apps/files_external/l10n/es_UY.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es_UY.json b/apps/files_external/l10n/es_UY.json index 59b9db811b32f..b801a72caea17 100644 --- a/apps/files_external/l10n/es_UY.json +++ b/apps/files_external/l10n/es_UY.json @@ -117,16 +117,6 @@ "Advanced settings" : "Configuraciones avanzadas", "Delete" : "Borrar", "Allow users to mount external storage" : "Permitir a los usuarios montar almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de solicitud. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Se presentó una falla al buscar las fichas de acceso. Por favor verifica que tu llave de aplicación y tu secreto sean correctos. ", - "Step 1 failed. Exception: %s" : "Falla en el paso 1: Excepción %s", - "Step 2 failed. Exception: %s" : "Paso 2 falló. Excepción: %s", - "Dropbox App Configuration" : "Configuración de la aplicación Dropbox", - "Google Drive App Configuration" : "Configuración de Aplicación Google Drive", - "Storage with id \"%i\" not found" : "El almacenamiento con id \"%i\" no fue encontrado", - "Storage with id \"%i\" is not user editable" : "El almacenamiento con id \"%i\" no puede ser editado por el usuario", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/fi.js b/apps/files_external/l10n/fi.js index 81d087769d34c..117977c7092c7 100644 --- a/apps/files_external/l10n/fi.js +++ b/apps/files_external/l10n/fi.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Lisäasetukset", "Delete" : "Poista", "Allow users to mount external storage" : "Salli käyttäjien liittää erillisiä tallennustiloja", - "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Pyyntötunnisteen nouto epäonnistui. Tarkista että sovellusavaimesi ja -salaisuutesi ovat oikein.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Pyyntötunnisteen haku epäonnistui. Tarkista että sovellusavaimesi ja -salaisuutesi ovat oikein.", - "Step 1 failed. Exception: %s" : "Vaihe 1 epäonnistui. Poikkeus: %s", - "Step 2 failed. Exception: %s" : "Vaihe 2 epäonnistui. Poikkeus: %s", - "Dropbox App Configuration" : "Dropbox-sovelluksen määritys", - "Google Drive App Configuration" : "Google Drive -sovelluksen määritys", - "Storage with id \"%i\" not found" : "Tallennustilaa tunnisteella \"%i\" ei löytynyt", - "Storage with id \"%i\" is not user editable" : "Tallennustila, jolla on \"%i\" id, ei ole muokattavissa.", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/fi.json b/apps/files_external/l10n/fi.json index 0ef68577d34b3..35cf74e7682b3 100644 --- a/apps/files_external/l10n/fi.json +++ b/apps/files_external/l10n/fi.json @@ -118,16 +118,6 @@ "Advanced settings" : "Lisäasetukset", "Delete" : "Poista", "Allow users to mount external storage" : "Salli käyttäjien liittää erillisiä tallennustiloja", - "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Pyyntötunnisteen nouto epäonnistui. Tarkista että sovellusavaimesi ja -salaisuutesi ovat oikein.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Pyyntötunnisteen haku epäonnistui. Tarkista että sovellusavaimesi ja -salaisuutesi ovat oikein.", - "Step 1 failed. Exception: %s" : "Vaihe 1 epäonnistui. Poikkeus: %s", - "Step 2 failed. Exception: %s" : "Vaihe 2 epäonnistui. Poikkeus: %s", - "Dropbox App Configuration" : "Dropbox-sovelluksen määritys", - "Google Drive App Configuration" : "Google Drive -sovelluksen määritys", - "Storage with id \"%i\" not found" : "Tallennustilaa tunnisteella \"%i\" ei löytynyt", - "Storage with id \"%i\" is not user editable" : "Tallennustila, jolla on \"%i\" id, ei ole muokattavissa.", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/fr.js b/apps/files_external/l10n/fr.js index 596ad1f267b21..b9fd58bcc54e5 100644 --- a/apps/files_external/l10n/fr.js +++ b/apps/files_external/l10n/fr.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Paramètres avancés", "Delete" : "Supprimer", "Allow users to mount external storage" : "Autoriser les utilisateurs à monter des espaces de stockage externes", - "Allow users to mount the following external storage" : "Autoriser les utilisateurs à monter les stockages externes suivants", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "L'obtention des jetons de requête a échoué. Vérifiez que votre clé d'application et votre mot de passe sont corrects.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "L'obtention des jetons d'accès a échoué. Vérifiez que votre clé d'application et votre mot de passe sont corrects.", - "Step 1 failed. Exception: %s" : "L’étape 1 a échoué. Erreur : %s", - "Step 2 failed. Exception: %s" : "L’étape 2 a échoué. Erreur : %s", - "Dropbox App Configuration" : "Configuration de l'application Dropbox", - "Google Drive App Configuration" : "Configuration de l'application Google Drive", - "Storage with id \"%i\" not found" : "Stockage avec l'id \"%i\" non trouvé", - "Storage with id \"%i\" is not user editable" : "Le support de stockage d'id \"%i\" n'est pas modifiable par les utilisateurs", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Autoriser les utilisateurs à monter les stockages externes suivants" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_external/l10n/fr.json b/apps/files_external/l10n/fr.json index c5005b229b725..96f0127d76c2c 100644 --- a/apps/files_external/l10n/fr.json +++ b/apps/files_external/l10n/fr.json @@ -118,16 +118,6 @@ "Advanced settings" : "Paramètres avancés", "Delete" : "Supprimer", "Allow users to mount external storage" : "Autoriser les utilisateurs à monter des espaces de stockage externes", - "Allow users to mount the following external storage" : "Autoriser les utilisateurs à monter les stockages externes suivants", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "L'obtention des jetons de requête a échoué. Vérifiez que votre clé d'application et votre mot de passe sont corrects.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "L'obtention des jetons d'accès a échoué. Vérifiez que votre clé d'application et votre mot de passe sont corrects.", - "Step 1 failed. Exception: %s" : "L’étape 1 a échoué. Erreur : %s", - "Step 2 failed. Exception: %s" : "L’étape 2 a échoué. Erreur : %s", - "Dropbox App Configuration" : "Configuration de l'application Dropbox", - "Google Drive App Configuration" : "Configuration de l'application Google Drive", - "Storage with id \"%i\" not found" : "Stockage avec l'id \"%i\" non trouvé", - "Storage with id \"%i\" is not user editable" : "Le support de stockage d'id \"%i\" n'est pas modifiable par les utilisateurs", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Autoriser les utilisateurs à monter les stockages externes suivants" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/he.js b/apps/files_external/l10n/he.js index 73014a5896663..849d55f28a4b9 100644 --- a/apps/files_external/l10n/he.js +++ b/apps/files_external/l10n/he.js @@ -103,16 +103,6 @@ OC.L10N.register( "Advanced settings" : "הגדרות מתקדמות", "Delete" : "מחיקה", "Allow users to mount external storage" : "מאפשר למשתמשים לחבר אחסון חיצוני", - "Allow users to mount the following external storage" : "מאפשר למשתמשים לחבר אחסון חיצוני הבא", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "אחזור מחרוזת כניסה נכשל. יש לוודא שמפתח היישום והסוד נכונים.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "אחזור מחרוזת כניסה נכשל. יש לוודא שמפתח היישום והסוד נכונים.", - "Step 1 failed. Exception: %s" : "שלב 1 נכשל. חריג: %s", - "Step 2 failed. Exception: %s" : "שלב 2 נכשל. חריג: %s", - "Dropbox App Configuration" : "הגדרות יישום דרופבוקס", - "Google Drive App Configuration" : "הגדרות יישום גוגל דרייב", - "Storage with id \"%i\" not found" : "אחסון עם מספר זיהוי \"%i\" לא אותר", - "Storage with id \"%i\" is not user editable" : "האחסון עם זהות \"%i\" לא ניתן לעריכה", - "Dropbox" : "דרופבוקס", - "Google Drive" : "גוגל דרייב" + "Allow users to mount the following external storage" : "מאפשר למשתמשים לחבר אחסון חיצוני הבא" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/he.json b/apps/files_external/l10n/he.json index 9ec7987e6cab8..ecdc70f7cabe5 100644 --- a/apps/files_external/l10n/he.json +++ b/apps/files_external/l10n/he.json @@ -101,16 +101,6 @@ "Advanced settings" : "הגדרות מתקדמות", "Delete" : "מחיקה", "Allow users to mount external storage" : "מאפשר למשתמשים לחבר אחסון חיצוני", - "Allow users to mount the following external storage" : "מאפשר למשתמשים לחבר אחסון חיצוני הבא", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "אחזור מחרוזת כניסה נכשל. יש לוודא שמפתח היישום והסוד נכונים.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "אחזור מחרוזת כניסה נכשל. יש לוודא שמפתח היישום והסוד נכונים.", - "Step 1 failed. Exception: %s" : "שלב 1 נכשל. חריג: %s", - "Step 2 failed. Exception: %s" : "שלב 2 נכשל. חריג: %s", - "Dropbox App Configuration" : "הגדרות יישום דרופבוקס", - "Google Drive App Configuration" : "הגדרות יישום גוגל דרייב", - "Storage with id \"%i\" not found" : "אחסון עם מספר זיהוי \"%i\" לא אותר", - "Storage with id \"%i\" is not user editable" : "האחסון עם זהות \"%i\" לא ניתן לעריכה", - "Dropbox" : "דרופבוקס", - "Google Drive" : "גוגל דרייב" + "Allow users to mount the following external storage" : "מאפשר למשתמשים לחבר אחסון חיצוני הבא" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/hu.js b/apps/files_external/l10n/hu.js index 8dcecbaeffbf0..43771baf4e675 100644 --- a/apps/files_external/l10n/hu.js +++ b/apps/files_external/l10n/hu.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Haladó beállítások", "Delete" : "Törlés", "Allow users to mount external storage" : "Külső tárolók csatolásának engedélyezése a felhasználók részére", - "Allow users to mount the following external storage" : "A felhasználók számára engedélyezett külső tárolók csatolása:", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Nem sikerült a kérési tokenek letöltése. Ellenőrizd, hogy az alkalmazás kulcs és titok megfelelő-e!", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Nem sikerült a hozzáférési tokenek letöltése. Ellenőrizd, hogy az alkalmazás kulcs és titok megfelelő-e!", - "Step 1 failed. Exception: %s" : "1. lépés sikertelen. Kivétel: %s", - "Step 2 failed. Exception: %s" : "2. lépés sikertelen. Kivétel: %s", - "Dropbox App Configuration" : "Dropbox alkalmazás beállítás", - "Google Drive App Configuration" : "Google Drive alkalmazás beállítás", - "Storage with id \"%i\" not found" : "A következő azonosítójú tároló nem található: \"%i\"", - "Storage with id \"%i\" is not user editable" : "A következő azonosítójú tároló a felhasználó számára nem szerkeszthető: \"%i\"", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "A felhasználók számára engedélyezett külső tárolók csatolása:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/hu.json b/apps/files_external/l10n/hu.json index fc51260454cc5..7e62d1c186ece 100644 --- a/apps/files_external/l10n/hu.json +++ b/apps/files_external/l10n/hu.json @@ -118,16 +118,6 @@ "Advanced settings" : "Haladó beállítások", "Delete" : "Törlés", "Allow users to mount external storage" : "Külső tárolók csatolásának engedélyezése a felhasználók részére", - "Allow users to mount the following external storage" : "A felhasználók számára engedélyezett külső tárolók csatolása:", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Nem sikerült a kérési tokenek letöltése. Ellenőrizd, hogy az alkalmazás kulcs és titok megfelelő-e!", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Nem sikerült a hozzáférési tokenek letöltése. Ellenőrizd, hogy az alkalmazás kulcs és titok megfelelő-e!", - "Step 1 failed. Exception: %s" : "1. lépés sikertelen. Kivétel: %s", - "Step 2 failed. Exception: %s" : "2. lépés sikertelen. Kivétel: %s", - "Dropbox App Configuration" : "Dropbox alkalmazás beállítás", - "Google Drive App Configuration" : "Google Drive alkalmazás beállítás", - "Storage with id \"%i\" not found" : "A következő azonosítójú tároló nem található: \"%i\"", - "Storage with id \"%i\" is not user editable" : "A következő azonosítójú tároló a felhasználó számára nem szerkeszthető: \"%i\"", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "A felhasználók számára engedélyezett külső tárolók csatolása:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/id.js b/apps/files_external/l10n/id.js index 769659738a635..f8caaabedcac5 100644 --- a/apps/files_external/l10n/id.js +++ b/apps/files_external/l10n/id.js @@ -113,16 +113,6 @@ OC.L10N.register( "Advanced settings" : "Pengaturan Lanjutan", "Delete" : "Hapus", "Allow users to mount external storage" : "Izinkan pengguna untuk mengaitkan penyimpanan eksternal", - "Allow users to mount the following external storage" : "Izinkan pengguna untuk mengaitkan penyimpanan eksternal berikut", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Permintaan pengambilan token gagal. Pastikan kunci dan kerahasiaan aplikasi Anda sudah benar.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Akses pengambilan token gagal. Pastikan kunci dan kerahasiaan aplikasi Anda sudah benar.", - "Step 1 failed. Exception: %s" : "Langkah 1 gagal. Kecuali: %s", - "Step 2 failed. Exception: %s" : "Langkah 2 gagal. Kecuali: %s", - "Dropbox App Configuration" : "Konfigurasi Aplikasi Dropbox", - "Google Drive App Configuration" : "Konfigurasi Aplikasi Google Drive", - "Storage with id \"%i\" not found" : "Penyimpanan dengan id \"%i\" tidak ditemukan", - "Storage with id \"%i\" is not user editable" : "Penyimpanan dengan id \"%i\" tidak bisa diubah pengguna", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Izinkan pengguna untuk mengaitkan penyimpanan eksternal berikut" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/id.json b/apps/files_external/l10n/id.json index 66aec43776130..a6ec299d1e85d 100644 --- a/apps/files_external/l10n/id.json +++ b/apps/files_external/l10n/id.json @@ -111,16 +111,6 @@ "Advanced settings" : "Pengaturan Lanjutan", "Delete" : "Hapus", "Allow users to mount external storage" : "Izinkan pengguna untuk mengaitkan penyimpanan eksternal", - "Allow users to mount the following external storage" : "Izinkan pengguna untuk mengaitkan penyimpanan eksternal berikut", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Permintaan pengambilan token gagal. Pastikan kunci dan kerahasiaan aplikasi Anda sudah benar.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Akses pengambilan token gagal. Pastikan kunci dan kerahasiaan aplikasi Anda sudah benar.", - "Step 1 failed. Exception: %s" : "Langkah 1 gagal. Kecuali: %s", - "Step 2 failed. Exception: %s" : "Langkah 2 gagal. Kecuali: %s", - "Dropbox App Configuration" : "Konfigurasi Aplikasi Dropbox", - "Google Drive App Configuration" : "Konfigurasi Aplikasi Google Drive", - "Storage with id \"%i\" not found" : "Penyimpanan dengan id \"%i\" tidak ditemukan", - "Storage with id \"%i\" is not user editable" : "Penyimpanan dengan id \"%i\" tidak bisa diubah pengguna", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Izinkan pengguna untuk mengaitkan penyimpanan eksternal berikut" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/is.js b/apps/files_external/l10n/is.js index d0dcfd219d56e..6644c981f232d 100644 --- a/apps/files_external/l10n/is.js +++ b/apps/files_external/l10n/is.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Ítarlegri valkostir", "Delete" : "Eyða", "Allow users to mount external storage" : "Leyfa notendum að tengja ytri gagnageymslur í skráakerfi", - "Allow users to mount the following external storage" : "Leyfa notendum að tengja eftirfarandi ytri gagnageymslu í skráakerfi", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Mistókst að ná í beiðniteikn (request token). Gakktu úr skugga um að forritslykill og leynilykill séu réttir.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Mistókst að ná í aðgangsteikn (access token). Gakktu úr skugga um að forritslykill og leynilykill séu réttir.", - "Step 1 failed. Exception: %s" : "Skref 1 mistókst. Undantekning: %s", - "Step 2 failed. Exception: %s" : "Skref 2 mistókst. Undantekning: %s", - "Dropbox App Configuration" : "Uppsetning Dropbox forrits", - "Google Drive App Configuration" : "Uppsetning Google Drive forrits", - "Storage with id \"%i\" not found" : "Geymsla með auðkennið '%i' fannst ekki", - "Storage with id \"%i\" is not user editable" : "Geymslan með auðkennið '%s' er ekki breytanleg af notanda", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Leyfa notendum að tengja eftirfarandi ytri gagnageymslu í skráakerfi" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files_external/l10n/is.json b/apps/files_external/l10n/is.json index fa7957f3c23e0..9599f5ee1b530 100644 --- a/apps/files_external/l10n/is.json +++ b/apps/files_external/l10n/is.json @@ -117,16 +117,6 @@ "Advanced settings" : "Ítarlegri valkostir", "Delete" : "Eyða", "Allow users to mount external storage" : "Leyfa notendum að tengja ytri gagnageymslur í skráakerfi", - "Allow users to mount the following external storage" : "Leyfa notendum að tengja eftirfarandi ytri gagnageymslu í skráakerfi", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Mistókst að ná í beiðniteikn (request token). Gakktu úr skugga um að forritslykill og leynilykill séu réttir.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Mistókst að ná í aðgangsteikn (access token). Gakktu úr skugga um að forritslykill og leynilykill séu réttir.", - "Step 1 failed. Exception: %s" : "Skref 1 mistókst. Undantekning: %s", - "Step 2 failed. Exception: %s" : "Skref 2 mistókst. Undantekning: %s", - "Dropbox App Configuration" : "Uppsetning Dropbox forrits", - "Google Drive App Configuration" : "Uppsetning Google Drive forrits", - "Storage with id \"%i\" not found" : "Geymsla með auðkennið '%i' fannst ekki", - "Storage with id \"%i\" is not user editable" : "Geymslan með auðkennið '%s' er ekki breytanleg af notanda", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Leyfa notendum að tengja eftirfarandi ytri gagnageymslu í skráakerfi" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/files_external/l10n/it.js b/apps/files_external/l10n/it.js index 4bd2908b431f7..740cff1a87b91 100644 --- a/apps/files_external/l10n/it.js +++ b/apps/files_external/l10n/it.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Impostazioni avanzate", "Delete" : "Elimina", "Allow users to mount external storage" : "Consenti agli utenti di montare archiviazioni esterne", - "Allow users to mount the following external storage" : "Consenti agli utenti di montare la seguente archiviazione esterna", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Il recupero dei token di richiesta non è riuscito. Verifica che la chiave e il segreto dell'applicazione siano corretti.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Il recupero dei token di accesso non è riuscito. Verifica che la chiave e il segreto dell'applicazione siano corretti.", - "Step 1 failed. Exception: %s" : "Fase 1 non riuscita. Eccezione: %s", - "Step 2 failed. Exception: %s" : "Fase 2 non riuscita. Eccezione: %s", - "Dropbox App Configuration" : "Configurazione applicazione Dropbox", - "Google Drive App Configuration" : "Configurazione applicazione Google Drive", - "Storage with id \"%i\" not found" : "Archiviazione con ID \"%i\" non trovata", - "Storage with id \"%i\" is not user editable" : "L'archiviazione con ID \"%i\" non è modificabile dall'utente", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Consenti agli utenti di montare la seguente archiviazione esterna" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/it.json b/apps/files_external/l10n/it.json index 36d4b296199c5..dd3127265d0c5 100644 --- a/apps/files_external/l10n/it.json +++ b/apps/files_external/l10n/it.json @@ -118,16 +118,6 @@ "Advanced settings" : "Impostazioni avanzate", "Delete" : "Elimina", "Allow users to mount external storage" : "Consenti agli utenti di montare archiviazioni esterne", - "Allow users to mount the following external storage" : "Consenti agli utenti di montare la seguente archiviazione esterna", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Il recupero dei token di richiesta non è riuscito. Verifica che la chiave e il segreto dell'applicazione siano corretti.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Il recupero dei token di accesso non è riuscito. Verifica che la chiave e il segreto dell'applicazione siano corretti.", - "Step 1 failed. Exception: %s" : "Fase 1 non riuscita. Eccezione: %s", - "Step 2 failed. Exception: %s" : "Fase 2 non riuscita. Eccezione: %s", - "Dropbox App Configuration" : "Configurazione applicazione Dropbox", - "Google Drive App Configuration" : "Configurazione applicazione Google Drive", - "Storage with id \"%i\" not found" : "Archiviazione con ID \"%i\" non trovata", - "Storage with id \"%i\" is not user editable" : "L'archiviazione con ID \"%i\" non è modificabile dall'utente", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Consenti agli utenti di montare la seguente archiviazione esterna" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/ja.js b/apps/files_external/l10n/ja.js index d1f6d72323558..4cb446d630548 100644 --- a/apps/files_external/l10n/ja.js +++ b/apps/files_external/l10n/ja.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "詳細設定", "Delete" : "削除", "Allow users to mount external storage" : "ユーザーに外部ストレージの接続を許可する", - "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "リクエストトークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "アクセストークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", - "Step 1 failed. Exception: %s" : "ステップ 1 の実行に失敗しました。例外: %s", - "Step 2 failed. Exception: %s" : "ステップ 2 の実行に失敗しました。例外: %s", - "Dropbox App Configuration" : "Dropbox アプリ設定", - "Google Drive App Configuration" : "Google アプリ設定", - "Storage with id \"%i\" not found" : "ストレージID \"%i\" が見つかりません", - "Storage with id \"%i\" is not user editable" : "ストレージID \"%i\" はユーザーが編集できません", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/ja.json b/apps/files_external/l10n/ja.json index 8c78d89c95838..cb5e680a8b4ea 100644 --- a/apps/files_external/l10n/ja.json +++ b/apps/files_external/l10n/ja.json @@ -117,16 +117,6 @@ "Advanced settings" : "詳細設定", "Delete" : "削除", "Allow users to mount external storage" : "ユーザーに外部ストレージの接続を許可する", - "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "リクエストトークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "アクセストークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", - "Step 1 failed. Exception: %s" : "ステップ 1 の実行に失敗しました。例外: %s", - "Step 2 failed. Exception: %s" : "ステップ 2 の実行に失敗しました。例外: %s", - "Dropbox App Configuration" : "Dropbox アプリ設定", - "Google Drive App Configuration" : "Google アプリ設定", - "Storage with id \"%i\" not found" : "ストレージID \"%i\" が見つかりません", - "Storage with id \"%i\" is not user editable" : "ストレージID \"%i\" はユーザーが編集できません", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/ka_GE.js b/apps/files_external/l10n/ka_GE.js index 782242ae5dc26..901ef6257e9c0 100644 --- a/apps/files_external/l10n/ka_GE.js +++ b/apps/files_external/l10n/ka_GE.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "დამატებითი პარამეტრები", "Delete" : "წაშლა", "Allow users to mount external storage" : "მივცეთ მომხმარებლებს გარე საცავის მონტაჟის უფლება", - "Allow users to mount the following external storage" : "მივცეთ მომხმარებლებს შემდეგი გარე საცავების მონტაჟის უფლება", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "მოთხოვნის ტოკენების მიღება ვერ მოხერხდა. დარწმუნდით რომ თქვენი აპლიკაციის გასაღები საიდუმლოა და სწორია.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "მოთხოვნის ტოკენების მიღება ვერ მოხერხდა. დარწმუნდით რომ თქვენი აპლიკაციის გასაღები საიდუმლოა და სწორია.", - "Step 1 failed. Exception: %s" : "ნაბიჯი 1 ჩაიშალა. გამონაკლისი: %s", - "Step 2 failed. Exception: %s" : "ნაბიჯი 2 ჩაიშალა. გამონაკლისი: %s", - "Dropbox App Configuration" : "Dropbox აპლიკაციის კონფიგურაცია", - "Google Drive App Configuration" : "Google Drive აპლიკაციის კონფიგურაცია", - "Storage with id \"%i\" not found" : "საცავი ID-ით \"%i\" ვერ იქნა ნაპოვნი", - "Storage with id \"%i\" is not user editable" : "საცავი ID-ით \"%i\" არაა მომხმარებლისთვის შეცვლადი", - "Dropbox" : "Dropbox-ი", - "Google Drive" : "Google Drive-ი" + "Allow users to mount the following external storage" : "მივცეთ მომხმარებლებს შემდეგი გარე საცავების მონტაჟის უფლება" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/ka_GE.json b/apps/files_external/l10n/ka_GE.json index 7d9ebcdb3b1ac..cd12c4bd27263 100644 --- a/apps/files_external/l10n/ka_GE.json +++ b/apps/files_external/l10n/ka_GE.json @@ -118,16 +118,6 @@ "Advanced settings" : "დამატებითი პარამეტრები", "Delete" : "წაშლა", "Allow users to mount external storage" : "მივცეთ მომხმარებლებს გარე საცავის მონტაჟის უფლება", - "Allow users to mount the following external storage" : "მივცეთ მომხმარებლებს შემდეგი გარე საცავების მონტაჟის უფლება", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "მოთხოვნის ტოკენების მიღება ვერ მოხერხდა. დარწმუნდით რომ თქვენი აპლიკაციის გასაღები საიდუმლოა და სწორია.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "მოთხოვნის ტოკენების მიღება ვერ მოხერხდა. დარწმუნდით რომ თქვენი აპლიკაციის გასაღები საიდუმლოა და სწორია.", - "Step 1 failed. Exception: %s" : "ნაბიჯი 1 ჩაიშალა. გამონაკლისი: %s", - "Step 2 failed. Exception: %s" : "ნაბიჯი 2 ჩაიშალა. გამონაკლისი: %s", - "Dropbox App Configuration" : "Dropbox აპლიკაციის კონფიგურაცია", - "Google Drive App Configuration" : "Google Drive აპლიკაციის კონფიგურაცია", - "Storage with id \"%i\" not found" : "საცავი ID-ით \"%i\" ვერ იქნა ნაპოვნი", - "Storage with id \"%i\" is not user editable" : "საცავი ID-ით \"%i\" არაა მომხმარებლისთვის შეცვლადი", - "Dropbox" : "Dropbox-ი", - "Google Drive" : "Google Drive-ი" + "Allow users to mount the following external storage" : "მივცეთ მომხმარებლებს შემდეგი გარე საცავების მონტაჟის უფლება" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/ko.js b/apps/files_external/l10n/ko.js index f91f5f723209a..d41ab504b1fa4 100644 --- a/apps/files_external/l10n/ko.js +++ b/apps/files_external/l10n/ko.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "고급 설정", "Delete" : "삭제", "Allow users to mount external storage" : "사용자가 외부 저장소를 마운트하도록 허용", - "Allow users to mount the following external storage" : "사용자가 다음 외부 저장소를 마운트할 수 있도록 허용", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "요청 토큰을 가져올 수 없습니다. 앱 키와 비밀 값이 올바른지 확인하십시오.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "접근 토큰을 가져올 수 없습니다. 앱 키와 비밀 값이 올바른지 확인하십시오.", - "Step 1 failed. Exception: %s" : "1단계 실패. 예외: %s", - "Step 2 failed. Exception: %s" : "2단계 실패. 예외: %s", - "Dropbox App Configuration" : "Dropbox 앱 설정", - "Google Drive App Configuration" : "Google 드라이브 앱 설정", - "Storage with id \"%i\" not found" : "ID가 \"%i\"인 저장소를 찾을 수 없음", - "Storage with id \"%i\" is not user editable" : "저장소 ID \"%i\"을(를) 사용자가 편집할 수 없음", - "Dropbox" : "Dropbox", - "Google Drive" : "Google 드라이브" + "Allow users to mount the following external storage" : "사용자가 다음 외부 저장소를 마운트할 수 있도록 허용" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/ko.json b/apps/files_external/l10n/ko.json index 4f2bd99e984e1..bca83f168dd33 100644 --- a/apps/files_external/l10n/ko.json +++ b/apps/files_external/l10n/ko.json @@ -118,16 +118,6 @@ "Advanced settings" : "고급 설정", "Delete" : "삭제", "Allow users to mount external storage" : "사용자가 외부 저장소를 마운트하도록 허용", - "Allow users to mount the following external storage" : "사용자가 다음 외부 저장소를 마운트할 수 있도록 허용", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "요청 토큰을 가져올 수 없습니다. 앱 키와 비밀 값이 올바른지 확인하십시오.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "접근 토큰을 가져올 수 없습니다. 앱 키와 비밀 값이 올바른지 확인하십시오.", - "Step 1 failed. Exception: %s" : "1단계 실패. 예외: %s", - "Step 2 failed. Exception: %s" : "2단계 실패. 예외: %s", - "Dropbox App Configuration" : "Dropbox 앱 설정", - "Google Drive App Configuration" : "Google 드라이브 앱 설정", - "Storage with id \"%i\" not found" : "ID가 \"%i\"인 저장소를 찾을 수 없음", - "Storage with id \"%i\" is not user editable" : "저장소 ID \"%i\"을(를) 사용자가 편집할 수 없음", - "Dropbox" : "Dropbox", - "Google Drive" : "Google 드라이브" + "Allow users to mount the following external storage" : "사용자가 다음 외부 저장소를 마운트할 수 있도록 허용" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/lt_LT.js b/apps/files_external/l10n/lt_LT.js index 33004ff578747..2a49d88cce531 100644 --- a/apps/files_external/l10n/lt_LT.js +++ b/apps/files_external/l10n/lt_LT.js @@ -117,16 +117,6 @@ OC.L10N.register( "Advanced settings" : "Išplėstiniai nustatymai", "Delete" : "Ištrinti", "Allow users to mount external storage" : "Leisti naudotojams prijungti išorines saugyklas", - "Allow users to mount the following external storage" : "Leisti naudotojams prijungti šias išorines saugyklas", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Užklausos prieigos raktų gavimas nepavyko. Įsitikinkite, kad jūsų programėlės raktas ir paslaptis yra teisingi.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Prieigos raktas negautas. Patikrinkite ar trečiųjų šalių programinės įrangos identifikacijos numeris ir slaptažodis yra teisingi.", - "Step 1 failed. Exception: %s" : "Žingsnis 1 nepavyko. Išimtis: %s", - "Step 2 failed. Exception: %s" : "Žingsnis 2 nepavyko. Išimtis: %s", - "Dropbox App Configuration" : "Dropbox programinės įrangos konfigūravimas", - "Google Drive App Configuration" : "Google disko programėlės konfigūracija", - "Storage with id \"%i\" not found" : "Nerasta saugykla su identifikacijos numeriu \"%i\"", - "Storage with id \"%i\" is not user editable" : "Naudotojai negali redaguoti saugyklos identifikuotos kaip \"%i\"", - "Dropbox" : "Dropbox", - "Google Drive" : "Google diskas" + "Allow users to mount the following external storage" : "Leisti naudotojams prijungti šias išorines saugyklas" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_external/l10n/lt_LT.json b/apps/files_external/l10n/lt_LT.json index 71e0b26aff837..ad711875732e2 100644 --- a/apps/files_external/l10n/lt_LT.json +++ b/apps/files_external/l10n/lt_LT.json @@ -115,16 +115,6 @@ "Advanced settings" : "Išplėstiniai nustatymai", "Delete" : "Ištrinti", "Allow users to mount external storage" : "Leisti naudotojams prijungti išorines saugyklas", - "Allow users to mount the following external storage" : "Leisti naudotojams prijungti šias išorines saugyklas", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Užklausos prieigos raktų gavimas nepavyko. Įsitikinkite, kad jūsų programėlės raktas ir paslaptis yra teisingi.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Prieigos raktas negautas. Patikrinkite ar trečiųjų šalių programinės įrangos identifikacijos numeris ir slaptažodis yra teisingi.", - "Step 1 failed. Exception: %s" : "Žingsnis 1 nepavyko. Išimtis: %s", - "Step 2 failed. Exception: %s" : "Žingsnis 2 nepavyko. Išimtis: %s", - "Dropbox App Configuration" : "Dropbox programinės įrangos konfigūravimas", - "Google Drive App Configuration" : "Google disko programėlės konfigūracija", - "Storage with id \"%i\" not found" : "Nerasta saugykla su identifikacijos numeriu \"%i\"", - "Storage with id \"%i\" is not user editable" : "Naudotojai negali redaguoti saugyklos identifikuotos kaip \"%i\"", - "Dropbox" : "Dropbox", - "Google Drive" : "Google diskas" + "Allow users to mount the following external storage" : "Leisti naudotojams prijungti šias išorines saugyklas" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_external/l10n/nb.js b/apps/files_external/l10n/nb.js index 5e6cc04a85565..0f1216f324a12 100644 --- a/apps/files_external/l10n/nb.js +++ b/apps/files_external/l10n/nb.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Avanserte innstillinger", "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", - "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Henting av henvendelsessymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Henting av adgangssymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer.", - "Step 1 failed. Exception: %s" : "Steg 1 mislyktes. Unntak: %s", - "Step 2 failed. Exception: %s" : "Steg 2 mislyktes. Unntak: %s", - "Dropbox App Configuration" : "Oppsett for Dropbox-program", - "Google Drive App Configuration" : "Oppsett av Google Drive-program", - "Storage with id \"%i\" not found" : "Lager med ID \"%i\" ikke funnet", - "Storage with id \"%i\" is not user editable" : "Lager med ID \"%i\" kan ikke redigeres av bruker", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Disk" + "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/nb.json b/apps/files_external/l10n/nb.json index 64df466979390..1593d06f8cfdb 100644 --- a/apps/files_external/l10n/nb.json +++ b/apps/files_external/l10n/nb.json @@ -118,16 +118,6 @@ "Advanced settings" : "Avanserte innstillinger", "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", - "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Henting av henvendelsessymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer. ", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Henting av adgangssymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer.", - "Step 1 failed. Exception: %s" : "Steg 1 mislyktes. Unntak: %s", - "Step 2 failed. Exception: %s" : "Steg 2 mislyktes. Unntak: %s", - "Dropbox App Configuration" : "Oppsett for Dropbox-program", - "Google Drive App Configuration" : "Oppsett av Google Drive-program", - "Storage with id \"%i\" not found" : "Lager med ID \"%i\" ikke funnet", - "Storage with id \"%i\" is not user editable" : "Lager med ID \"%i\" kan ikke redigeres av bruker", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Disk" + "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/nl.js b/apps/files_external/l10n/nl.js index 5e53b24ddc6d3..1a4b3322b7e90 100644 --- a/apps/files_external/l10n/nl.js +++ b/apps/files_external/l10n/nl.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Geavanceerde instellingen", "Delete" : "Verwijder", "Allow users to mount external storage" : "Sta gebruikers toe om een externe opslag aan te koppelen", - "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Ophalen aanvraag tokens mislukt. Verifieer dat je app sleutel en geheime sleutel juist zijn.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Ophalen toegangstokens mislukt. Verifieer dat je app sleutel en geheime sleutel juist zijn.", - "Step 1 failed. Exception: %s" : "Stap 1 is mislukt. Uitzondering: %s", - "Step 2 failed. Exception: %s" : "Stap 2 is mislukt. Uitzondering: %s", - "Dropbox App Configuration" : "Dropbox app configuratie", - "Google Drive App Configuration" : "Google Drive app configuratie", - "Storage with id \"%i\" not found" : "Opslag met id \"%i\" niet gevonden", - "Storage with id \"%i\" is not user editable" : "Opslag met id \"%i\" is niet te bewerken door gebruiker", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/nl.json b/apps/files_external/l10n/nl.json index ee2ffa25a93aa..b9072ddc8a0e4 100644 --- a/apps/files_external/l10n/nl.json +++ b/apps/files_external/l10n/nl.json @@ -118,16 +118,6 @@ "Advanced settings" : "Geavanceerde instellingen", "Delete" : "Verwijder", "Allow users to mount external storage" : "Sta gebruikers toe om een externe opslag aan te koppelen", - "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Ophalen aanvraag tokens mislukt. Verifieer dat je app sleutel en geheime sleutel juist zijn.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Ophalen toegangstokens mislukt. Verifieer dat je app sleutel en geheime sleutel juist zijn.", - "Step 1 failed. Exception: %s" : "Stap 1 is mislukt. Uitzondering: %s", - "Step 2 failed. Exception: %s" : "Stap 2 is mislukt. Uitzondering: %s", - "Dropbox App Configuration" : "Dropbox app configuratie", - "Google Drive App Configuration" : "Google Drive app configuratie", - "Storage with id \"%i\" not found" : "Opslag met id \"%i\" niet gevonden", - "Storage with id \"%i\" is not user editable" : "Opslag met id \"%i\" is niet te bewerken door gebruiker", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/pl.js b/apps/files_external/l10n/pl.js index 912b0efb1c1ac..488061ee3bc82 100644 --- a/apps/files_external/l10n/pl.js +++ b/apps/files_external/l10n/pl.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Ustawienia zaawansowane", "Delete" : "Usuń", "Allow users to mount external storage" : "Pozwól użytkownikom montować zewnętrzne zasoby dyskowe", - "Allow users to mount the following external storage" : "Pozwól użytkownikom montować następujące zewnętrzne zasoby dyskowe", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Otrzymano błędne żądanie tokenów. Sprawdź, czy klucz aplikacji oraz klucz poufny są poprawne.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Otrzymano błędne żądanie tokenów. Sprawdź, czy klucz aplikacji oraz klucz poufny są poprawne.", - "Step 1 failed. Exception: %s" : "Krok 1 błędny. Błąd: %s", - "Step 2 failed. Exception: %s" : "Krok 2 błędny. Błąd: %s", - "Dropbox App Configuration" : "Konfiguracja aplikacji Dropbox", - "Google Drive App Configuration" : "Konfiguracja aplikacji Google Drive", - "Storage with id \"%i\" not found" : "Magazyn o ID \"%i\" nie został znaleziony", - "Storage with id \"%i\" is not user editable" : "Magazyn o ID \"%i\" nie może być edytowany przez użytkowników", - "Dropbox" : "Dropbox", - "Google Drive" : "Dysk Google" + "Allow users to mount the following external storage" : "Pozwól użytkownikom montować następujące zewnętrzne zasoby dyskowe" }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/files_external/l10n/pl.json b/apps/files_external/l10n/pl.json index 31da2302ee0f4..43bd12ab64722 100644 --- a/apps/files_external/l10n/pl.json +++ b/apps/files_external/l10n/pl.json @@ -117,16 +117,6 @@ "Advanced settings" : "Ustawienia zaawansowane", "Delete" : "Usuń", "Allow users to mount external storage" : "Pozwól użytkownikom montować zewnętrzne zasoby dyskowe", - "Allow users to mount the following external storage" : "Pozwól użytkownikom montować następujące zewnętrzne zasoby dyskowe", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Otrzymano błędne żądanie tokenów. Sprawdź, czy klucz aplikacji oraz klucz poufny są poprawne.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Otrzymano błędne żądanie tokenów. Sprawdź, czy klucz aplikacji oraz klucz poufny są poprawne.", - "Step 1 failed. Exception: %s" : "Krok 1 błędny. Błąd: %s", - "Step 2 failed. Exception: %s" : "Krok 2 błędny. Błąd: %s", - "Dropbox App Configuration" : "Konfiguracja aplikacji Dropbox", - "Google Drive App Configuration" : "Konfiguracja aplikacji Google Drive", - "Storage with id \"%i\" not found" : "Magazyn o ID \"%i\" nie został znaleziony", - "Storage with id \"%i\" is not user editable" : "Magazyn o ID \"%i\" nie może być edytowany przez użytkowników", - "Dropbox" : "Dropbox", - "Google Drive" : "Dysk Google" + "Allow users to mount the following external storage" : "Pozwól użytkownikom montować następujące zewnętrzne zasoby dyskowe" },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" } \ No newline at end of file diff --git a/apps/files_external/l10n/pt_BR.js b/apps/files_external/l10n/pt_BR.js index c2fe422e7b3fb..443e8456df721 100644 --- a/apps/files_external/l10n/pt_BR.js +++ b/apps/files_external/l10n/pt_BR.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Configurações avançadas", "Delete" : "Excluir", "Allow users to mount external storage" : "Permitir que usuários montem armazenamento externo", - "Allow users to mount the following external storage" : "Permitir que usuários montem o seguinte armazenamento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Falha ao obter tokens de solicitação. Verifique se sua chave de aplicativo e segurança estão corretos.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Falha ao obter tokens de solicitação. Verifique se sua chave de aplicativo e segurança estão corretos.", - "Step 1 failed. Exception: %s" : "Passo 1 falhou. Exceção: %s", - "Step 2 failed. Exception: %s" : "Passo 2 falhou. Exceção: %s", - "Dropbox App Configuration" : "Configuração do Aplicativo Dropbox", - "Google Drive App Configuration" : "Configuração do Aplicativo Google Drive", - "Storage with id \"%i\" not found" : "Armazenamento com ID \"%i\" não encontrado", - "Storage with id \"%i\" is not user editable" : "Armazenamento com ID \"%i\" não é editável pelo usuário", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir que usuários montem o seguinte armazenamento externo" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_external/l10n/pt_BR.json b/apps/files_external/l10n/pt_BR.json index 4f5550870c5d5..81a5f2f9030a4 100644 --- a/apps/files_external/l10n/pt_BR.json +++ b/apps/files_external/l10n/pt_BR.json @@ -118,16 +118,6 @@ "Advanced settings" : "Configurações avançadas", "Delete" : "Excluir", "Allow users to mount external storage" : "Permitir que usuários montem armazenamento externo", - "Allow users to mount the following external storage" : "Permitir que usuários montem o seguinte armazenamento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Falha ao obter tokens de solicitação. Verifique se sua chave de aplicativo e segurança estão corretos.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Falha ao obter tokens de solicitação. Verifique se sua chave de aplicativo e segurança estão corretos.", - "Step 1 failed. Exception: %s" : "Passo 1 falhou. Exceção: %s", - "Step 2 failed. Exception: %s" : "Passo 2 falhou. Exceção: %s", - "Dropbox App Configuration" : "Configuração do Aplicativo Dropbox", - "Google Drive App Configuration" : "Configuração do Aplicativo Google Drive", - "Storage with id \"%i\" not found" : "Armazenamento com ID \"%i\" não encontrado", - "Storage with id \"%i\" is not user editable" : "Armazenamento com ID \"%i\" não é editável pelo usuário", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir que usuários montem o seguinte armazenamento externo" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/pt_PT.js b/apps/files_external/l10n/pt_PT.js index 5755f35724e46..d1649b8f7f5c9 100644 --- a/apps/files_external/l10n/pt_PT.js +++ b/apps/files_external/l10n/pt_PT.js @@ -103,16 +103,6 @@ OC.L10N.register( "Advanced settings" : "Definições avançadas", "Delete" : "Apagar", "Allow users to mount external storage" : "Permitir que os utilizadores montem armazenamento externo", - "Allow users to mount the following external storage" : "Permitir que os utilizadores montem o seguinte armazenamento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Não foi possível obter as senhas solicitadas. Verifique se o código e o segredo da sua app estão corretos.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Não foi possível obter as senhas de acesso. Verifique se o código e o segredo da sua app estão corretos.", - "Step 1 failed. Exception: %s" : "Passo 1 falhou. Exceção: %s", - "Step 2 failed. Exception: %s" : "Passo 2 falhou. Exceção: %s", - "Dropbox App Configuration" : "Configuração da aplicação Dropbox", - "Google Drive App Configuration" : "Configuração da aplicação Google Drive", - "Storage with id \"%i\" not found" : "Não foi encontrado o armazenamento com a id. \"%i\"", - "Storage with id \"%i\" is not user editable" : "Armazenamento com id \"%i\" não é editável pelo utilizador", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir que os utilizadores montem o seguinte armazenamento externo" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/pt_PT.json b/apps/files_external/l10n/pt_PT.json index 7061d27c1279b..dd6f41398b1bb 100644 --- a/apps/files_external/l10n/pt_PT.json +++ b/apps/files_external/l10n/pt_PT.json @@ -101,16 +101,6 @@ "Advanced settings" : "Definições avançadas", "Delete" : "Apagar", "Allow users to mount external storage" : "Permitir que os utilizadores montem armazenamento externo", - "Allow users to mount the following external storage" : "Permitir que os utilizadores montem o seguinte armazenamento externo", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Não foi possível obter as senhas solicitadas. Verifique se o código e o segredo da sua app estão corretos.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Não foi possível obter as senhas de acesso. Verifique se o código e o segredo da sua app estão corretos.", - "Step 1 failed. Exception: %s" : "Passo 1 falhou. Exceção: %s", - "Step 2 failed. Exception: %s" : "Passo 2 falhou. Exceção: %s", - "Dropbox App Configuration" : "Configuração da aplicação Dropbox", - "Google Drive App Configuration" : "Configuração da aplicação Google Drive", - "Storage with id \"%i\" not found" : "Não foi encontrado o armazenamento com a id. \"%i\"", - "Storage with id \"%i\" is not user editable" : "Armazenamento com id \"%i\" não é editável pelo utilizador", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Permitir que os utilizadores montem o seguinte armazenamento externo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/ru.js b/apps/files_external/l10n/ru.js index 5f53880717266..90ad73d8e31eb 100644 --- a/apps/files_external/l10n/ru.js +++ b/apps/files_external/l10n/ru.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Расширенные настройки", "Delete" : "Удалить", "Allow users to mount external storage" : "Разрешить пользователями монтировать внешние накопители", - "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Ошибка получения токенов запроса. Проверьте корректность ключа и секрета приложения.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Ошибка получения токенов доступа. Проверьте корректность ключа и секрета приложения.", - "Step 1 failed. Exception: %s" : "Шаг 1 неудачен. Исключение: %s", - "Step 2 failed. Exception: %s" : "Шаг 2 неудачен. Исключение: %s", - "Dropbox App Configuration" : "Настройка приложения Dropbox", - "Google Drive App Configuration" : "Настройка приложения Google Drive", - "Storage with id \"%i\" not found" : "Хранилище с идентификатором «%i» не найдено", - "Storage with id \"%i\" is not user editable" : "Пользователь не может редактировать хранилище «%i»", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_external/l10n/ru.json b/apps/files_external/l10n/ru.json index 233bc63a08146..f0eb6d1e231c5 100644 --- a/apps/files_external/l10n/ru.json +++ b/apps/files_external/l10n/ru.json @@ -118,16 +118,6 @@ "Advanced settings" : "Расширенные настройки", "Delete" : "Удалить", "Allow users to mount external storage" : "Разрешить пользователями монтировать внешние накопители", - "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Ошибка получения токенов запроса. Проверьте корректность ключа и секрета приложения.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Ошибка получения токенов доступа. Проверьте корректность ключа и секрета приложения.", - "Step 1 failed. Exception: %s" : "Шаг 1 неудачен. Исключение: %s", - "Step 2 failed. Exception: %s" : "Шаг 2 неудачен. Исключение: %s", - "Dropbox App Configuration" : "Настройка приложения Dropbox", - "Google Drive App Configuration" : "Настройка приложения Google Drive", - "Storage with id \"%i\" not found" : "Хранилище с идентификатором «%i» не найдено", - "Storage with id \"%i\" is not user editable" : "Пользователь не может редактировать хранилище «%i»", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/apps/files_external/l10n/sk.js b/apps/files_external/l10n/sk.js index a37d4961abfc0..b1e02111941e2 100644 --- a/apps/files_external/l10n/sk.js +++ b/apps/files_external/l10n/sk.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Rozšírené nastavenia", "Delete" : "Zmazať", "Allow users to mount external storage" : "Povoliť používateľom pripojiť externé úložiská", - "Allow users to mount the following external storage" : "Povoliť používateľom pripojiť tieto externé úložiská", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Sťahovanie tokenov požiadavky zlyhalo. Overte prosím, či je aplikačný kľúč a heslo (secret) zadané správne.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Sťahovanie prístupových tokenov zlyhalo. Overte prosím, či je aplikačný kľúč a heslo (secret) zadané správne.", - "Step 1 failed. Exception: %s" : "Krok 1 zlyhal. Výnimka: %s", - "Step 2 failed. Exception: %s" : "Krok 2 zlyhal. Výnimka: %s", - "Dropbox App Configuration" : "Nastavenie Dropbox aplikácie", - "Google Drive App Configuration" : "Nastavenie Google Drive aplikácie", - "Storage with id \"%i\" not found" : "Úložisko s ID \"%i\" sa nenašlo", - "Storage with id \"%i\" is not user editable" : "Úložisko s id \"%i\" používatelia nemôžu upravovať", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Povoliť používateľom pripojiť tieto externé úložiská" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files_external/l10n/sk.json b/apps/files_external/l10n/sk.json index c1b71b21204f6..ce260d1821843 100644 --- a/apps/files_external/l10n/sk.json +++ b/apps/files_external/l10n/sk.json @@ -117,16 +117,6 @@ "Advanced settings" : "Rozšírené nastavenia", "Delete" : "Zmazať", "Allow users to mount external storage" : "Povoliť používateľom pripojiť externé úložiská", - "Allow users to mount the following external storage" : "Povoliť používateľom pripojiť tieto externé úložiská", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Sťahovanie tokenov požiadavky zlyhalo. Overte prosím, či je aplikačný kľúč a heslo (secret) zadané správne.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Sťahovanie prístupových tokenov zlyhalo. Overte prosím, či je aplikačný kľúč a heslo (secret) zadané správne.", - "Step 1 failed. Exception: %s" : "Krok 1 zlyhal. Výnimka: %s", - "Step 2 failed. Exception: %s" : "Krok 2 zlyhal. Výnimka: %s", - "Dropbox App Configuration" : "Nastavenie Dropbox aplikácie", - "Google Drive App Configuration" : "Nastavenie Google Drive aplikácie", - "Storage with id \"%i\" not found" : "Úložisko s ID \"%i\" sa nenašlo", - "Storage with id \"%i\" is not user editable" : "Úložisko s id \"%i\" používatelia nemôžu upravovať", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Povoliť používateľom pripojiť tieto externé úložiská" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files_external/l10n/sl.js b/apps/files_external/l10n/sl.js index a4ae6655a54d7..11c3946c3b549 100644 --- a/apps/files_external/l10n/sl.js +++ b/apps/files_external/l10n/sl.js @@ -108,16 +108,6 @@ OC.L10N.register( "Advanced settings" : "Napredne nastavitve", "Delete" : "Izbriši", "Allow users to mount external storage" : "Dovoli uporabnikom priklapljanje zunanje shrambe", - "Allow users to mount the following external storage" : "Dovoli uporabnikom priklapljanje navedenih zunanjih shramb.", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Pridobivanje žetonov zahteve je spodletelo. Preverite, ali sta ključ in skrivno geslo programa navedena pravilno.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Pridobivanje žetonov za dostop je spodletelo. Preverite, da sta ključ in skrivno geslo navedena pravilno.", - "Step 1 failed. Exception: %s" : "1. korak je spodletel. Izjemna napaka: %s", - "Step 2 failed. Exception: %s" : "2. korak je spodletel. Izjemna napaka: %s", - "Dropbox App Configuration" : "Nastavitve programa Dropbox", - "Google Drive App Configuration" : "Nastavitve programa Google Drive", - "Storage with id \"%i\" not found" : "Shrambe z ID \"%i\" ni mogoče najti.", - "Storage with id \"%i\" is not user editable" : "Shramba z ID \"%i\" ni uporabniško uredljiva.", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Dovoli uporabnikom priklapljanje navedenih zunanjih shramb." }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/files_external/l10n/sl.json b/apps/files_external/l10n/sl.json index 5c24a3e4798f2..c68f0f7219657 100644 --- a/apps/files_external/l10n/sl.json +++ b/apps/files_external/l10n/sl.json @@ -106,16 +106,6 @@ "Advanced settings" : "Napredne nastavitve", "Delete" : "Izbriši", "Allow users to mount external storage" : "Dovoli uporabnikom priklapljanje zunanje shrambe", - "Allow users to mount the following external storage" : "Dovoli uporabnikom priklapljanje navedenih zunanjih shramb.", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Pridobivanje žetonov zahteve je spodletelo. Preverite, ali sta ključ in skrivno geslo programa navedena pravilno.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Pridobivanje žetonov za dostop je spodletelo. Preverite, da sta ključ in skrivno geslo navedena pravilno.", - "Step 1 failed. Exception: %s" : "1. korak je spodletel. Izjemna napaka: %s", - "Step 2 failed. Exception: %s" : "2. korak je spodletel. Izjemna napaka: %s", - "Dropbox App Configuration" : "Nastavitve programa Dropbox", - "Google Drive App Configuration" : "Nastavitve programa Google Drive", - "Storage with id \"%i\" not found" : "Shrambe z ID \"%i\" ni mogoče najti.", - "Storage with id \"%i\" is not user editable" : "Shramba z ID \"%i\" ni uporabniško uredljiva.", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Dovoli uporabnikom priklapljanje navedenih zunanjih shramb." },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/apps/files_external/l10n/sq.js b/apps/files_external/l10n/sq.js index 2431d0eeb4bfc..88105a83a7ba2 100644 --- a/apps/files_external/l10n/sq.js +++ b/apps/files_external/l10n/sq.js @@ -117,16 +117,6 @@ OC.L10N.register( "Advanced settings" : "Rregullime të mëtejshme", "Delete" : "Fshije", "Allow users to mount external storage" : "Lejoju përdoruesve të montojnë depozita të jashtme", - "Allow users to mount the following external storage" : "Lejoju përdoruesve të montojnë depozitën e jashtme vijuese", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Dhënia e elementëve të kërkuar dështoi. Verifikoni që kyçi dhe e fshehta juaj për aplikacionin janë të sakta.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Dhënia e elementëve të hyrjes dështoi. Verifikoni që kyçi dhe e fshehta juaj për aplikacionin janë të sakta.", - "Step 1 failed. Exception: %s" : "Hapi 1 dështoi. Përjashtim: %s", - "Step 2 failed. Exception: %s" : "Hapi 2 dështoi. Përjashtim: %s", - "Dropbox App Configuration" : "Formësim i Aplikacionit Dropbox", - "Google Drive App Configuration" : "Formësim i Aplikacionit Google Drive", - "Storage with id \"%i\" not found" : "S’u gjet depozitë me id \"%i\"", - "Storage with id \"%i\" is not user editable" : "Depozita me id \"%i\" s’është e përpunueshme nga përdoruesi", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Lejoju përdoruesve të montojnë depozitën e jashtme vijuese" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/sq.json b/apps/files_external/l10n/sq.json index c1f3366e330ea..6d8a135f0e57b 100644 --- a/apps/files_external/l10n/sq.json +++ b/apps/files_external/l10n/sq.json @@ -115,16 +115,6 @@ "Advanced settings" : "Rregullime të mëtejshme", "Delete" : "Fshije", "Allow users to mount external storage" : "Lejoju përdoruesve të montojnë depozita të jashtme", - "Allow users to mount the following external storage" : "Lejoju përdoruesve të montojnë depozitën e jashtme vijuese", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Dhënia e elementëve të kërkuar dështoi. Verifikoni që kyçi dhe e fshehta juaj për aplikacionin janë të sakta.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Dhënia e elementëve të hyrjes dështoi. Verifikoni që kyçi dhe e fshehta juaj për aplikacionin janë të sakta.", - "Step 1 failed. Exception: %s" : "Hapi 1 dështoi. Përjashtim: %s", - "Step 2 failed. Exception: %s" : "Hapi 2 dështoi. Përjashtim: %s", - "Dropbox App Configuration" : "Formësim i Aplikacionit Dropbox", - "Google Drive App Configuration" : "Formësim i Aplikacionit Google Drive", - "Storage with id \"%i\" not found" : "S’u gjet depozitë me id \"%i\"", - "Storage with id \"%i\" is not user editable" : "Depozita me id \"%i\" s’është e përpunueshme nga përdoruesi", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Lejoju përdoruesve të montojnë depozitën e jashtme vijuese" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/sr.js b/apps/files_external/l10n/sr.js index bd94b6dd8431b..00fd95d419c13 100644 --- a/apps/files_external/l10n/sr.js +++ b/apps/files_external/l10n/sr.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Напредне поставке", "Delete" : "Обриши", "Allow users to mount external storage" : "Дозволи корисницима да монтирају спољашња складишта", - "Allow users to mount the following external storage" : "Дозволи корисницима да монтирају следећа спољашња складишта", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Дохватање токена за захтеве није успело. Проверите да ли су апликативни кључ и тајна исправни.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Дохватање токена за приступ није успело. Проверите да ли су апликативни кључ и тајна исправни.", - "Step 1 failed. Exception: %s" : "Корак 1 није успео. Грешка: %s", - "Step 2 failed. Exception: %s" : "Корак 2 није успео. Грешка: %s", - "Dropbox App Configuration" : "Dropbox конфигурација апликације", - "Google Drive App Configuration" : "Google Drive конфигурација апликације", - "Storage with id \"%i\" not found" : "Складиште са идентификацијом \"%i\" није пронађено", - "Storage with id \"%i\" is not user editable" : "Корисници не могу да мењају складиште са идентификацијом \"%i\"", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Дозволи корисницима да монтирају следећа спољашња складишта" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_external/l10n/sr.json b/apps/files_external/l10n/sr.json index 7aa88bfaade61..724775f9bb39d 100644 --- a/apps/files_external/l10n/sr.json +++ b/apps/files_external/l10n/sr.json @@ -118,16 +118,6 @@ "Advanced settings" : "Напредне поставке", "Delete" : "Обриши", "Allow users to mount external storage" : "Дозволи корисницима да монтирају спољашња складишта", - "Allow users to mount the following external storage" : "Дозволи корисницима да монтирају следећа спољашња складишта", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Дохватање токена за захтеве није успело. Проверите да ли су апликативни кључ и тајна исправни.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Дохватање токена за приступ није успело. Проверите да ли су апликативни кључ и тајна исправни.", - "Step 1 failed. Exception: %s" : "Корак 1 није успео. Грешка: %s", - "Step 2 failed. Exception: %s" : "Корак 2 није успео. Грешка: %s", - "Dropbox App Configuration" : "Dropbox конфигурација апликације", - "Google Drive App Configuration" : "Google Drive конфигурација апликације", - "Storage with id \"%i\" not found" : "Складиште са идентификацијом \"%i\" није пронађено", - "Storage with id \"%i\" is not user editable" : "Корисници не могу да мењају складиште са идентификацијом \"%i\"", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Дозволи корисницима да монтирају следећа спољашња складишта" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_external/l10n/sv.js b/apps/files_external/l10n/sv.js index 72d127e4b7b52..7842e4bb2be0f 100644 --- a/apps/files_external/l10n/sv.js +++ b/apps/files_external/l10n/sv.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "Avancerade inställningar", "Delete" : "Radera", "Allow users to mount external storage" : "Tillåt användare att montera extern lagring", - "Allow users to mount the following external storage" : "Tillåt användare att montera följande extern lagring", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fel vid hämtning av åtkomst-token. Verifiera att din app-nyckel och hemlighet stämmer.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Kontroll av behörigheter misslyckades. Verifiera att ditt app-lösenord och hemlighet är korrekt.", - "Step 1 failed. Exception: %s" : "Steg 1 misslyckades. Undantag: %s", - "Step 2 failed. Exception: %s" : "Steg 2 fallerade. Undantag: %s", - "Dropbox App Configuration" : "Dropbox-konfiguration", - "Google Drive App Configuration" : "Google Drive Konfiguration", - "Storage with id \"%i\" not found" : "Lagring med id \"%i\" kan ej hittas", - "Storage with id \"%i\" is not user editable" : "Lagring med id \"%i\" är inte redigerbar av användare", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Tillåt användare att montera följande extern lagring" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/sv.json b/apps/files_external/l10n/sv.json index 8e335c0c5a2c8..d97e3da1cfb61 100644 --- a/apps/files_external/l10n/sv.json +++ b/apps/files_external/l10n/sv.json @@ -117,16 +117,6 @@ "Advanced settings" : "Avancerade inställningar", "Delete" : "Radera", "Allow users to mount external storage" : "Tillåt användare att montera extern lagring", - "Allow users to mount the following external storage" : "Tillåt användare att montera följande extern lagring", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fel vid hämtning av åtkomst-token. Verifiera att din app-nyckel och hemlighet stämmer.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Kontroll av behörigheter misslyckades. Verifiera att ditt app-lösenord och hemlighet är korrekt.", - "Step 1 failed. Exception: %s" : "Steg 1 misslyckades. Undantag: %s", - "Step 2 failed. Exception: %s" : "Steg 2 fallerade. Undantag: %s", - "Dropbox App Configuration" : "Dropbox-konfiguration", - "Google Drive App Configuration" : "Google Drive Konfiguration", - "Storage with id \"%i\" not found" : "Lagring med id \"%i\" kan ej hittas", - "Storage with id \"%i\" is not user editable" : "Lagring med id \"%i\" är inte redigerbar av användare", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Tillåt användare att montera följande extern lagring" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/th.js b/apps/files_external/l10n/th.js index 7950e7301ad95..9aead3d71aa6e 100644 --- a/apps/files_external/l10n/th.js +++ b/apps/files_external/l10n/th.js @@ -102,14 +102,6 @@ OC.L10N.register( "Advanced settings" : "ตั้งค่าขั้นสูง", "Delete" : "ลบ", "Allow users to mount external storage" : "อนุญาตให้ผู้ใช้ติดตั้งการจัดเก็บข้อมูลภายนอก", - "Allow users to mount the following external storage" : "อนุญาตให้ผู้ใช้ติดตั้งจัดเก็บข้อมูลภายนอกต่อไปนี้", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "การเรียกร้องขอโทเคนล้มเหลว โปรดตรวจสอบคีย์และรหัสลับให้ถูกต้อง", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "การเรียกร้องขอโทเคนล้มเหลว โปรดตรวจสอบคีย์และรหัสลับของแอพฯ ให้ถูกต้อง", - "Step 1 failed. Exception: %s" : "ขั้นตอนที่ 1 ล้มเหลว ข้อยกเว้น: %s", - "Step 2 failed. Exception: %s" : "ขั้นตอนที่ 2 ล้มเหลว ข้อยกเว้น: %s", - "Storage with id \"%i\" not found" : "ไม่พบจัดการเก็บข้อมูลของ ID \"%i\"", - "Storage with id \"%i\" is not user editable" : "พื้นที่เก็บข้อมูล รหัส \"%i\" ไม่อนุญาตให้ผู้ใช้แก้ไขข้อมูลได้", - "Dropbox" : "Dropbox", - "Google Drive" : "กูเกิ้ลไดร์ฟ" + "Allow users to mount the following external storage" : "อนุญาตให้ผู้ใช้ติดตั้งจัดเก็บข้อมูลภายนอกต่อไปนี้" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/th.json b/apps/files_external/l10n/th.json index ad20d67e04f3b..5b9b7c0d946a0 100644 --- a/apps/files_external/l10n/th.json +++ b/apps/files_external/l10n/th.json @@ -100,14 +100,6 @@ "Advanced settings" : "ตั้งค่าขั้นสูง", "Delete" : "ลบ", "Allow users to mount external storage" : "อนุญาตให้ผู้ใช้ติดตั้งการจัดเก็บข้อมูลภายนอก", - "Allow users to mount the following external storage" : "อนุญาตให้ผู้ใช้ติดตั้งจัดเก็บข้อมูลภายนอกต่อไปนี้", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "การเรียกร้องขอโทเคนล้มเหลว โปรดตรวจสอบคีย์และรหัสลับให้ถูกต้อง", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "การเรียกร้องขอโทเคนล้มเหลว โปรดตรวจสอบคีย์และรหัสลับของแอพฯ ให้ถูกต้อง", - "Step 1 failed. Exception: %s" : "ขั้นตอนที่ 1 ล้มเหลว ข้อยกเว้น: %s", - "Step 2 failed. Exception: %s" : "ขั้นตอนที่ 2 ล้มเหลว ข้อยกเว้น: %s", - "Storage with id \"%i\" not found" : "ไม่พบจัดการเก็บข้อมูลของ ID \"%i\"", - "Storage with id \"%i\" is not user editable" : "พื้นที่เก็บข้อมูล รหัส \"%i\" ไม่อนุญาตให้ผู้ใช้แก้ไขข้อมูลได้", - "Dropbox" : "Dropbox", - "Google Drive" : "กูเกิ้ลไดร์ฟ" + "Allow users to mount the following external storage" : "อนุญาตให้ผู้ใช้ติดตั้งจัดเก็บข้อมูลภายนอกต่อไปนี้" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/tr.js b/apps/files_external/l10n/tr.js index 1def1246fded4..b2779c5e5d375 100644 --- a/apps/files_external/l10n/tr.js +++ b/apps/files_external/l10n/tr.js @@ -120,16 +120,6 @@ OC.L10N.register( "Advanced settings" : "Gelişmiş ayarlar", "Delete" : "Sil", "Allow users to mount external storage" : "Kullanıcılar dış depolama bağlayabilsin", - "Allow users to mount the following external storage" : "Kullanıcıların şu dış depolamayı bağlayabilsin", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "İstek kodları alınamadı. Uygulama anahtarınızın ve parolanızın doğruluğunu denetleyin.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Erişim kodları alınamadı. Uygulama anahtarınızın ve parolanızın doğruluğunu denetleyin.", - "Step 1 failed. Exception: %s" : "1. Adım tamamlanamadı. Sorun: %s", - "Step 2 failed. Exception: %s" : "2. Adım tamamlanamadı. Sorun: %s", - "Dropbox App Configuration" : "Dropbox Uygulaması Yapılandırması", - "Google Drive App Configuration" : "Google Drive Uygulaması Yapılandırması", - "Storage with id \"%i\" not found" : "\"%i\" kimliği ile bir depolama bulunamadı", - "Storage with id \"%i\" is not user editable" : "\"%i\" kimlikli depolama düzenlenebilir değil", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Kullanıcıların şu dış depolamayı bağlayabilsin" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_external/l10n/tr.json b/apps/files_external/l10n/tr.json index ea9fbc84c5f02..48d1c139e5c71 100644 --- a/apps/files_external/l10n/tr.json +++ b/apps/files_external/l10n/tr.json @@ -118,16 +118,6 @@ "Advanced settings" : "Gelişmiş ayarlar", "Delete" : "Sil", "Allow users to mount external storage" : "Kullanıcılar dış depolama bağlayabilsin", - "Allow users to mount the following external storage" : "Kullanıcıların şu dış depolamayı bağlayabilsin", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "İstek kodları alınamadı. Uygulama anahtarınızın ve parolanızın doğruluğunu denetleyin.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "Erişim kodları alınamadı. Uygulama anahtarınızın ve parolanızın doğruluğunu denetleyin.", - "Step 1 failed. Exception: %s" : "1. Adım tamamlanamadı. Sorun: %s", - "Step 2 failed. Exception: %s" : "2. Adım tamamlanamadı. Sorun: %s", - "Dropbox App Configuration" : "Dropbox Uygulaması Yapılandırması", - "Google Drive App Configuration" : "Google Drive Uygulaması Yapılandırması", - "Storage with id \"%i\" not found" : "\"%i\" kimliği ile bir depolama bulunamadı", - "Storage with id \"%i\" is not user editable" : "\"%i\" kimlikli depolama düzenlenebilir değil", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "Kullanıcıların şu dış depolamayı bağlayabilsin" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/zh_CN.js b/apps/files_external/l10n/zh_CN.js index 83aea82084cba..36c94fc567e28 100644 --- a/apps/files_external/l10n/zh_CN.js +++ b/apps/files_external/l10n/zh_CN.js @@ -119,16 +119,6 @@ OC.L10N.register( "Advanced settings" : "高级选项", "Delete" : "删除", "Allow users to mount external storage" : "允许用户挂载外部存储", - "Allow users to mount the following external storage" : "允许用户挂载以下外部存储", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "获取 request token 失败. 请验证您的 appkey 和密钥是否正确.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "获取 access token 失败. 请验证您的 appkey 和密钥是否正确.", - "Step 1 failed. Exception: %s" : "步骤 1 失败. 异常: %s", - "Step 2 failed. Exception: %s" : "步骤 2 失败. 异常: %s", - "Dropbox App Configuration" : "Dropbox 配置", - "Google Drive App Configuration" : "Google Drive 配置", - "Storage with id \"%i\" not found" : "未找到 ID 为 \"%i\" 的存储", - "Storage with id \"%i\" is not user editable" : "无法编辑 ID 为 \"%i\" 的存储", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "允许用户挂载以下外部存储" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/zh_CN.json b/apps/files_external/l10n/zh_CN.json index 95705cc41dc42..ea0b9bd4865d9 100644 --- a/apps/files_external/l10n/zh_CN.json +++ b/apps/files_external/l10n/zh_CN.json @@ -117,16 +117,6 @@ "Advanced settings" : "高级选项", "Delete" : "删除", "Allow users to mount external storage" : "允许用户挂载外部存储", - "Allow users to mount the following external storage" : "允许用户挂载以下外部存储", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "获取 request token 失败. 请验证您的 appkey 和密钥是否正确.", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "获取 access token 失败. 请验证您的 appkey 和密钥是否正确.", - "Step 1 failed. Exception: %s" : "步骤 1 失败. 异常: %s", - "Step 2 failed. Exception: %s" : "步骤 2 失败. 异常: %s", - "Dropbox App Configuration" : "Dropbox 配置", - "Google Drive App Configuration" : "Google Drive 配置", - "Storage with id \"%i\" not found" : "未找到 ID 为 \"%i\" 的存储", - "Storage with id \"%i\" is not user editable" : "无法编辑 ID 为 \"%i\" 的存储", - "Dropbox" : "Dropbox", - "Google Drive" : "Google Drive" + "Allow users to mount the following external storage" : "允许用户挂载以下外部存储" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/zh_TW.js b/apps/files_external/l10n/zh_TW.js index b0cc604426c69..9f68de0b3528b 100644 --- a/apps/files_external/l10n/zh_TW.js +++ b/apps/files_external/l10n/zh_TW.js @@ -112,16 +112,6 @@ OC.L10N.register( "Advanced settings" : "進階設定", "Delete" : "刪除", "Allow users to mount external storage" : "允許使用者能自行掛載外部儲存", - "Allow users to mount the following external storage" : "允許使用者自行掛載以下的外部儲存", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "請求失敗,請驗證您的應用程式金鑰及密碼是否正確", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "存取失敗,請驗證您的應用程式金鑰及密碼是否正確", - "Step 1 failed. Exception: %s" : "步驟 1 失敗,出現異常: %s", - "Step 2 failed. Exception: %s" : "步驟 2 失敗,出現異常: %s", - "Dropbox App Configuration" : "Dropbox 應用設置", - "Google Drive App Configuration" : "Google Drive 應用設置", - "Storage with id \"%i\" not found" : "沒有找到編號 \"%i\" 的儲存空間 ", - "Storage with id \"%i\" is not user editable" : "使用者\"%i\"無法對此儲存位置進行編輯", - "Dropbox" : "Dropbox", - "Google Drive" : "Google 雲端硬碟" + "Allow users to mount the following external storage" : "允許使用者自行掛載以下的外部儲存" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/zh_TW.json b/apps/files_external/l10n/zh_TW.json index aebcada96f97c..d20028afb6e4b 100644 --- a/apps/files_external/l10n/zh_TW.json +++ b/apps/files_external/l10n/zh_TW.json @@ -110,16 +110,6 @@ "Advanced settings" : "進階設定", "Delete" : "刪除", "Allow users to mount external storage" : "允許使用者能自行掛載外部儲存", - "Allow users to mount the following external storage" : "允許使用者自行掛載以下的外部儲存", - "Fetching request tokens failed. Verify that your app key and secret are correct." : "請求失敗,請驗證您的應用程式金鑰及密碼是否正確", - "Fetching access tokens failed. Verify that your app key and secret are correct." : "存取失敗,請驗證您的應用程式金鑰及密碼是否正確", - "Step 1 failed. Exception: %s" : "步驟 1 失敗,出現異常: %s", - "Step 2 failed. Exception: %s" : "步驟 2 失敗,出現異常: %s", - "Dropbox App Configuration" : "Dropbox 應用設置", - "Google Drive App Configuration" : "Google Drive 應用設置", - "Storage with id \"%i\" not found" : "沒有找到編號 \"%i\" 的儲存空間 ", - "Storage with id \"%i\" is not user editable" : "使用者\"%i\"無法對此儲存位置進行編輯", - "Dropbox" : "Dropbox", - "Google Drive" : "Google 雲端硬碟" + "Allow users to mount the following external storage" : "允許使用者自行掛載以下的外部儲存" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ast.js b/apps/files_sharing/l10n/ast.js index df59201feb3ee..7c818ac42b64f 100644 --- a/apps/files_sharing/l10n/ast.js +++ b/apps/files_sharing/l10n/ast.js @@ -83,7 +83,6 @@ OC.L10N.register( "Download %s" : "Descargar %s", "Select or drop files" : "Esbilla o suelta ficheros", "Uploading files…" : "Xubiendo ficheros...", - "Uploaded files:" : "Ficheros xubíos:", - "%s is publicly shared" : "%s compartióse públicamente" + "Uploaded files:" : "Ficheros xubíos:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/ast.json b/apps/files_sharing/l10n/ast.json index 33b4aa40e431b..5a4753b3b795b 100644 --- a/apps/files_sharing/l10n/ast.json +++ b/apps/files_sharing/l10n/ast.json @@ -81,7 +81,6 @@ "Download %s" : "Descargar %s", "Select or drop files" : "Esbilla o suelta ficheros", "Uploading files…" : "Xubiendo ficheros...", - "Uploaded files:" : "Ficheros xubíos:", - "%s is publicly shared" : "%s compartióse públicamente" + "Uploaded files:" : "Ficheros xubíos:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ca.js b/apps/files_sharing/l10n/ca.js index 51594ee5e5f1a..a33d10b6118b8 100644 --- a/apps/files_sharing/l10n/ca.js +++ b/apps/files_sharing/l10n/ca.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Carrega fitxers a %s", "Select or drop files" : "Selecciona o deixa anar els fitxers", "Uploading files…" : "Pujant arxius...", - "Uploaded files:" : "Arxius pujats:", - "%s is publicly shared" : "%s es publica públicament" + "Uploaded files:" : "Arxius pujats:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/ca.json b/apps/files_sharing/l10n/ca.json index 1e85996c6c8a1..439d188b7167c 100644 --- a/apps/files_sharing/l10n/ca.json +++ b/apps/files_sharing/l10n/ca.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Carrega fitxers a %s", "Select or drop files" : "Selecciona o deixa anar els fitxers", "Uploading files…" : "Pujant arxius...", - "Uploaded files:" : "Arxius pujats:", - "%s is publicly shared" : "%s es publica públicament" + "Uploaded files:" : "Arxius pujats:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/cs.js b/apps/files_sharing/l10n/cs.js index 400ea07acb04e..1fd97ab9d3841 100644 --- a/apps/files_sharing/l10n/cs.js +++ b/apps/files_sharing/l10n/cs.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Nahrát soubory do %s", "Select or drop files" : "Vyberte nebo přetáhněte soubory", "Uploading files…" : "Probíhá nahrávání souborů...", - "Uploaded files:" : "Nahrané soubory:", - "%s is publicly shared" : "%s je veřejně sdílen" + "Uploaded files:" : "Nahrané soubory:" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/cs.json b/apps/files_sharing/l10n/cs.json index 9f2a1ecb86e46..be2b5b6bbbc73 100644 --- a/apps/files_sharing/l10n/cs.json +++ b/apps/files_sharing/l10n/cs.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Nahrát soubory do %s", "Select or drop files" : "Vyberte nebo přetáhněte soubory", "Uploading files…" : "Probíhá nahrávání souborů...", - "Uploaded files:" : "Nahrané soubory:", - "%s is publicly shared" : "%s je veřejně sdílen" + "Uploaded files:" : "Nahrané soubory:" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/de.js b/apps/files_sharing/l10n/de.js index 7b1ca064ebb06..fc057524a7663 100644 --- a/apps/files_sharing/l10n/de.js +++ b/apps/files_sharing/l10n/de.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Dateien für %s hochladen", "Select or drop files" : "Dateien auswählen oder hierher ziehen", "Uploading files…" : "Dateien werden hochgeladen…", - "Uploaded files:" : "Hochgeladene Dateien: ", - "%s is publicly shared" : "%s ist öffentlich geteilt" + "Uploaded files:" : "Hochgeladene Dateien: " }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/de.json b/apps/files_sharing/l10n/de.json index df0fff47e2783..ca5f64fac9243 100644 --- a/apps/files_sharing/l10n/de.json +++ b/apps/files_sharing/l10n/de.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Dateien für %s hochladen", "Select or drop files" : "Dateien auswählen oder hierher ziehen", "Uploading files…" : "Dateien werden hochgeladen…", - "Uploaded files:" : "Hochgeladene Dateien: ", - "%s is publicly shared" : "%s ist öffentlich geteilt" + "Uploaded files:" : "Hochgeladene Dateien: " },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/de_DE.js b/apps/files_sharing/l10n/de_DE.js index a9b99fc130987..515a61626d8b5 100644 --- a/apps/files_sharing/l10n/de_DE.js +++ b/apps/files_sharing/l10n/de_DE.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Dateien für %s hochladen", "Select or drop files" : "Dateien auswählen oder hierher ziehen", "Uploading files…" : "Dateien werden hochgeladen…", - "Uploaded files:" : "Hochgeladene Dateien: ", - "%s is publicly shared" : "%s ist öffentlich geteilt" + "Uploaded files:" : "Hochgeladene Dateien: " }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/de_DE.json b/apps/files_sharing/l10n/de_DE.json index bc67d9fe3f6a9..dba939d25c562 100644 --- a/apps/files_sharing/l10n/de_DE.json +++ b/apps/files_sharing/l10n/de_DE.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Dateien für %s hochladen", "Select or drop files" : "Dateien auswählen oder hierher ziehen", "Uploading files…" : "Dateien werden hochgeladen…", - "Uploaded files:" : "Hochgeladene Dateien: ", - "%s is publicly shared" : "%s ist öffentlich geteilt" + "Uploaded files:" : "Hochgeladene Dateien: " },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/el.js b/apps/files_sharing/l10n/el.js index 0ca8ebf285d7e..4b92053af063b 100644 --- a/apps/files_sharing/l10n/el.js +++ b/apps/files_sharing/l10n/el.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Αποστολή αρχείων σε %s", "Select or drop files" : "Επιλέξτε ή ρίξτε αρχεία", "Uploading files…" : "Αποστολή αρχείων ...", - "Uploaded files:" : "Αποστολή αρχείων:", - "%s is publicly shared" : "%s είναι δημόσια διαμοιρασμένο" + "Uploaded files:" : "Αποστολή αρχείων:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/el.json b/apps/files_sharing/l10n/el.json index aa70d6689c534..b64724b4d58c5 100644 --- a/apps/files_sharing/l10n/el.json +++ b/apps/files_sharing/l10n/el.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Αποστολή αρχείων σε %s", "Select or drop files" : "Επιλέξτε ή ρίξτε αρχεία", "Uploading files…" : "Αποστολή αρχείων ...", - "Uploaded files:" : "Αποστολή αρχείων:", - "%s is publicly shared" : "%s είναι δημόσια διαμοιρασμένο" + "Uploaded files:" : "Αποστολή αρχείων:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/en_GB.js b/apps/files_sharing/l10n/en_GB.js index b179dc6be4784..a52f322cd8f7b 100644 --- a/apps/files_sharing/l10n/en_GB.js +++ b/apps/files_sharing/l10n/en_GB.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Upload files to %s", "Select or drop files" : "Select or drop files", "Uploading files…" : "Uploading files…", - "Uploaded files:" : "Uploaded files:", - "%s is publicly shared" : "%s is publicly shared" + "Uploaded files:" : "Uploaded files:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/en_GB.json b/apps/files_sharing/l10n/en_GB.json index 6584ef966fc5b..d6f3ba4643b30 100644 --- a/apps/files_sharing/l10n/en_GB.json +++ b/apps/files_sharing/l10n/en_GB.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Upload files to %s", "Select or drop files" : "Select or drop files", "Uploading files…" : "Uploading files…", - "Uploaded files:" : "Uploaded files:", - "%s is publicly shared" : "%s is publicly shared" + "Uploaded files:" : "Uploaded files:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es.js b/apps/files_sharing/l10n/es.js index aa8e28805aad4..02475ccd0374d 100644 --- a/apps/files_sharing/l10n/es.js +++ b/apps/files_sharing/l10n/es.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Subir archivos a %s", "Select or drop files" : "Seleccione o arrastre y suelte archivos", "Uploading files…" : "Subiendo archivos...", - "Uploaded files:" : "Archivos subidos:", - "%s is publicly shared" : "%s ha sido compartido" + "Uploaded files:" : "Archivos subidos:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es.json b/apps/files_sharing/l10n/es.json index e23fb37c49046..22a8485b00e9d 100644 --- a/apps/files_sharing/l10n/es.json +++ b/apps/files_sharing/l10n/es.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Subir archivos a %s", "Select or drop files" : "Seleccione o arrastre y suelte archivos", "Uploading files…" : "Subiendo archivos...", - "Uploaded files:" : "Archivos subidos:", - "%s is publicly shared" : "%s ha sido compartido" + "Uploaded files:" : "Archivos subidos:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_419.js b/apps/files_sharing/l10n/es_419.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_419.js +++ b/apps/files_sharing/l10n/es_419.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_419.json b/apps/files_sharing/l10n/es_419.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_419.json +++ b/apps/files_sharing/l10n/es_419.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_AR.js b/apps/files_sharing/l10n/es_AR.js index 9857cd41ead20..987eabe57b948 100644 --- a/apps/files_sharing/l10n/es_AR.js +++ b/apps/files_sharing/l10n/es_AR.js @@ -108,7 +108,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Seleccione o suelte los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_AR.json b/apps/files_sharing/l10n/es_AR.json index 3adcc360168d3..a9ecf17903901 100644 --- a/apps/files_sharing/l10n/es_AR.json +++ b/apps/files_sharing/l10n/es_AR.json @@ -106,7 +106,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Seleccione o suelte los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_CL.js b/apps/files_sharing/l10n/es_CL.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_CL.js +++ b/apps/files_sharing/l10n/es_CL.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_CL.json b/apps/files_sharing/l10n/es_CL.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_CL.json +++ b/apps/files_sharing/l10n/es_CL.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_CO.js b/apps/files_sharing/l10n/es_CO.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_CO.js +++ b/apps/files_sharing/l10n/es_CO.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_CO.json b/apps/files_sharing/l10n/es_CO.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_CO.json +++ b/apps/files_sharing/l10n/es_CO.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_CR.js b/apps/files_sharing/l10n/es_CR.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_CR.js +++ b/apps/files_sharing/l10n/es_CR.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_CR.json b/apps/files_sharing/l10n/es_CR.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_CR.json +++ b/apps/files_sharing/l10n/es_CR.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_DO.js b/apps/files_sharing/l10n/es_DO.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_DO.js +++ b/apps/files_sharing/l10n/es_DO.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_DO.json b/apps/files_sharing/l10n/es_DO.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_DO.json +++ b/apps/files_sharing/l10n/es_DO.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_EC.js b/apps/files_sharing/l10n/es_EC.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_EC.js +++ b/apps/files_sharing/l10n/es_EC.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_EC.json b/apps/files_sharing/l10n/es_EC.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_EC.json +++ b/apps/files_sharing/l10n/es_EC.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_GT.js b/apps/files_sharing/l10n/es_GT.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_GT.js +++ b/apps/files_sharing/l10n/es_GT.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_GT.json b/apps/files_sharing/l10n/es_GT.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_GT.json +++ b/apps/files_sharing/l10n/es_GT.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_HN.js b/apps/files_sharing/l10n/es_HN.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_HN.js +++ b/apps/files_sharing/l10n/es_HN.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_HN.json b/apps/files_sharing/l10n/es_HN.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_HN.json +++ b/apps/files_sharing/l10n/es_HN.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_MX.js b/apps/files_sharing/l10n/es_MX.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_MX.js +++ b/apps/files_sharing/l10n/es_MX.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_MX.json b/apps/files_sharing/l10n/es_MX.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_MX.json +++ b/apps/files_sharing/l10n/es_MX.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_NI.js b/apps/files_sharing/l10n/es_NI.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_NI.js +++ b/apps/files_sharing/l10n/es_NI.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_NI.json b/apps/files_sharing/l10n/es_NI.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_NI.json +++ b/apps/files_sharing/l10n/es_NI.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_PA.js b/apps/files_sharing/l10n/es_PA.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_PA.js +++ b/apps/files_sharing/l10n/es_PA.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_PA.json b/apps/files_sharing/l10n/es_PA.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_PA.json +++ b/apps/files_sharing/l10n/es_PA.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_PE.js b/apps/files_sharing/l10n/es_PE.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_PE.js +++ b/apps/files_sharing/l10n/es_PE.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_PE.json b/apps/files_sharing/l10n/es_PE.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_PE.json +++ b/apps/files_sharing/l10n/es_PE.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_PR.js b/apps/files_sharing/l10n/es_PR.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_PR.js +++ b/apps/files_sharing/l10n/es_PR.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_PR.json b/apps/files_sharing/l10n/es_PR.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_PR.json +++ b/apps/files_sharing/l10n/es_PR.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_PY.js b/apps/files_sharing/l10n/es_PY.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_PY.js +++ b/apps/files_sharing/l10n/es_PY.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_PY.json b/apps/files_sharing/l10n/es_PY.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_PY.json +++ b/apps/files_sharing/l10n/es_PY.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_SV.js b/apps/files_sharing/l10n/es_SV.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_SV.js +++ b/apps/files_sharing/l10n/es_SV.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_SV.json b/apps/files_sharing/l10n/es_SV.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_SV.json +++ b/apps/files_sharing/l10n/es_SV.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es_UY.js b/apps/files_sharing/l10n/es_UY.js index 620d498f60489..499e38b400941 100644 --- a/apps/files_sharing/l10n/es_UY.js +++ b/apps/files_sharing/l10n/es_UY.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es_UY.json b/apps/files_sharing/l10n/es_UY.json index 43064dfb9c506..88c06ebe7ab53 100644 --- a/apps/files_sharing/l10n/es_UY.json +++ b/apps/files_sharing/l10n/es_UY.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Cargar archivos a %s", "Select or drop files" : "Selecciona o suelta los archivos", "Uploading files…" : "Cargando archivos...", - "Uploaded files:" : "Archivos cargados:", - "%s is publicly shared" : "%s está compartido públicamente" + "Uploaded files:" : "Archivos cargados:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/et_EE.js b/apps/files_sharing/l10n/et_EE.js index 404f481c56149..768fb5bcafc5b 100644 --- a/apps/files_sharing/l10n/et_EE.js +++ b/apps/files_sharing/l10n/et_EE.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Laadi failid %s", "Select or drop files" : "Vali või lohista failid", "Uploading files…" : "Failide üleslaadimine...", - "Uploaded files:" : "Üleslaetud failid:", - "%s is publicly shared" : "%s on avalikult jagatud" + "Uploaded files:" : "Üleslaetud failid:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/et_EE.json b/apps/files_sharing/l10n/et_EE.json index 89086670a74fe..9870c333b1c92 100644 --- a/apps/files_sharing/l10n/et_EE.json +++ b/apps/files_sharing/l10n/et_EE.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Laadi failid %s", "Select or drop files" : "Vali või lohista failid", "Uploading files…" : "Failide üleslaadimine...", - "Uploaded files:" : "Üleslaetud failid:", - "%s is publicly shared" : "%s on avalikult jagatud" + "Uploaded files:" : "Üleslaetud failid:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/fi.js b/apps/files_sharing/l10n/fi.js index 23f4d2247daaf..a636a19025ca5 100644 --- a/apps/files_sharing/l10n/fi.js +++ b/apps/files_sharing/l10n/fi.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Lähetä tiedostoja käyttäjälle %s", "Select or drop files" : "Valitse tai pudota tiedostoja", "Uploading files…" : "Lähetetään tiedostoja…", - "Uploaded files:" : "Lähetetyt tiedostot:", - "%s is publicly shared" : "%s on julkisesti jaettu" + "Uploaded files:" : "Lähetetyt tiedostot:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/fi.json b/apps/files_sharing/l10n/fi.json index 4c8535e9e2ca6..e0f57251963ad 100644 --- a/apps/files_sharing/l10n/fi.json +++ b/apps/files_sharing/l10n/fi.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Lähetä tiedostoja käyttäjälle %s", "Select or drop files" : "Valitse tai pudota tiedostoja", "Uploading files…" : "Lähetetään tiedostoja…", - "Uploaded files:" : "Lähetetyt tiedostot:", - "%s is publicly shared" : "%s on julkisesti jaettu" + "Uploaded files:" : "Lähetetyt tiedostot:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/fr.js b/apps/files_sharing/l10n/fr.js index 9eaae938c7aad..00ba1ab17d040 100644 --- a/apps/files_sharing/l10n/fr.js +++ b/apps/files_sharing/l10n/fr.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Téléversement des fichiers vers %s", "Select or drop files" : "Sélectionner ou glisser-déposer vos fichiers", "Uploading files…" : "Téléversement des fichiers...", - "Uploaded files:" : "Fichiers téléversés :", - "%s is publicly shared" : "%s a été partagé publiquement" + "Uploaded files:" : "Fichiers téléversés :" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_sharing/l10n/fr.json b/apps/files_sharing/l10n/fr.json index b4a3434f0ea7d..539c4937bf893 100644 --- a/apps/files_sharing/l10n/fr.json +++ b/apps/files_sharing/l10n/fr.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Téléversement des fichiers vers %s", "Select or drop files" : "Sélectionner ou glisser-déposer vos fichiers", "Uploading files…" : "Téléversement des fichiers...", - "Uploaded files:" : "Fichiers téléversés :", - "%s is publicly shared" : "%s a été partagé publiquement" + "Uploaded files:" : "Fichiers téléversés :" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/hu.js b/apps/files_sharing/l10n/hu.js index 9705d709fa65d..8f2ff2db2e16a 100644 --- a/apps/files_sharing/l10n/hu.js +++ b/apps/files_sharing/l10n/hu.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Fájlok felöltése ide: %s", "Select or drop files" : "Válassz ki vagy dobj ide fájlokat", "Uploading files…" : "Fájlok feltöltése...", - "Uploaded files:" : "Felöltött fájlok:", - "%s is publicly shared" : "%s nyilvánosan megosztva" + "Uploaded files:" : "Felöltött fájlok:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/hu.json b/apps/files_sharing/l10n/hu.json index 628741239dd17..e129567ff21fe 100644 --- a/apps/files_sharing/l10n/hu.json +++ b/apps/files_sharing/l10n/hu.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Fájlok felöltése ide: %s", "Select or drop files" : "Válassz ki vagy dobj ide fájlokat", "Uploading files…" : "Fájlok feltöltése...", - "Uploaded files:" : "Felöltött fájlok:", - "%s is publicly shared" : "%s nyilvánosan megosztva" + "Uploaded files:" : "Felöltött fájlok:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/is.js b/apps/files_sharing/l10n/is.js index 1a30960d8e6f9..191592f06089b 100644 --- a/apps/files_sharing/l10n/is.js +++ b/apps/files_sharing/l10n/is.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Senda inn skrár á %s", "Select or drop files" : "Veldu eða slepptu skrám", "Uploading files…" : "Sendi inn skrár…", - "Uploaded files:" : "Innsendar skrár:", - "%s is publicly shared" : "%s er deilt opinberlega" + "Uploaded files:" : "Innsendar skrár:" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files_sharing/l10n/is.json b/apps/files_sharing/l10n/is.json index 95756d1b5092e..925e66d40260a 100644 --- a/apps/files_sharing/l10n/is.json +++ b/apps/files_sharing/l10n/is.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Senda inn skrár á %s", "Select or drop files" : "Veldu eða slepptu skrám", "Uploading files…" : "Sendi inn skrár…", - "Uploaded files:" : "Innsendar skrár:", - "%s is publicly shared" : "%s er deilt opinberlega" + "Uploaded files:" : "Innsendar skrár:" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/it.js b/apps/files_sharing/l10n/it.js index 8285964c9ad40..ca7db1cb44063 100644 --- a/apps/files_sharing/l10n/it.js +++ b/apps/files_sharing/l10n/it.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Carica file su %s", "Select or drop files" : "Seleziona o deseleziona file", "Uploading files…" : "Caricamento file in corso...", - "Uploaded files:" : "File caricati:", - "%s is publicly shared" : "%s è condiviso pubblicamente" + "Uploaded files:" : "File caricati:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/it.json b/apps/files_sharing/l10n/it.json index 01725c8b2c350..86c4a05915cf9 100644 --- a/apps/files_sharing/l10n/it.json +++ b/apps/files_sharing/l10n/it.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Carica file su %s", "Select or drop files" : "Seleziona o deseleziona file", "Uploading files…" : "Caricamento file in corso...", - "Uploaded files:" : "File caricati:", - "%s is publicly shared" : "%s è condiviso pubblicamente" + "Uploaded files:" : "File caricati:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ja.js b/apps/files_sharing/l10n/ja.js index f105aad203540..a9df4eb22daeb 100644 --- a/apps/files_sharing/l10n/ja.js +++ b/apps/files_sharing/l10n/ja.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "%s にファイルをアップロード", "Select or drop files" : "ファイルを選択するか、ドラッグ&ドロップしてください", "Uploading files…" : "ファイルをアップロード中...", - "Uploaded files:" : "アップロード済ファイル:", - "%s is publicly shared" : "%s が公開共有されました" + "Uploaded files:" : "アップロード済ファイル:" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/ja.json b/apps/files_sharing/l10n/ja.json index 33861a19427e2..dbb7604ee6a0b 100644 --- a/apps/files_sharing/l10n/ja.json +++ b/apps/files_sharing/l10n/ja.json @@ -107,7 +107,6 @@ "Upload files to %s" : "%s にファイルをアップロード", "Select or drop files" : "ファイルを選択するか、ドラッグ&ドロップしてください", "Uploading files…" : "ファイルをアップロード中...", - "Uploaded files:" : "アップロード済ファイル:", - "%s is publicly shared" : "%s が公開共有されました" + "Uploaded files:" : "アップロード済ファイル:" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ka_GE.js b/apps/files_sharing/l10n/ka_GE.js index 53a582528a8fc..e30cfb9d75937 100644 --- a/apps/files_sharing/l10n/ka_GE.js +++ b/apps/files_sharing/l10n/ka_GE.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "ფაილების ატვირთვა %s-ში", "Select or drop files" : "აირჩიეთ ან გადმოიტანეთ ფაილები", "Uploading files…" : "ფაილების ატვირთვა...", - "Uploaded files:" : "ფაილების ატვირთვა:", - "%s is publicly shared" : "%s საზოგადოდ გაზიარებულია" + "Uploaded files:" : "ფაილების ატვირთვა:" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/ka_GE.json b/apps/files_sharing/l10n/ka_GE.json index b104766ac3f57..382de454eeea7 100644 --- a/apps/files_sharing/l10n/ka_GE.json +++ b/apps/files_sharing/l10n/ka_GE.json @@ -107,7 +107,6 @@ "Upload files to %s" : "ფაილების ატვირთვა %s-ში", "Select or drop files" : "აირჩიეთ ან გადმოიტანეთ ფაილები", "Uploading files…" : "ფაილების ატვირთვა...", - "Uploaded files:" : "ფაილების ატვირთვა:", - "%s is publicly shared" : "%s საზოგადოდ გაზიარებულია" + "Uploaded files:" : "ფაილების ატვირთვა:" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ko.js b/apps/files_sharing/l10n/ko.js index 5f8e4374ab802..f003965ed34ed 100644 --- a/apps/files_sharing/l10n/ko.js +++ b/apps/files_sharing/l10n/ko.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "%s에 파일 업로드", "Select or drop files" : "파일을 선택하거나 끌어다 놓기", "Uploading files…" : "파일 업로드 중…", - "Uploaded files:" : "업로드한 파일:", - "%s is publicly shared" : "%s이(가) 공개 공유됨" + "Uploaded files:" : "업로드한 파일:" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/ko.json b/apps/files_sharing/l10n/ko.json index 00c5d8b954a74..ed1609ea00943 100644 --- a/apps/files_sharing/l10n/ko.json +++ b/apps/files_sharing/l10n/ko.json @@ -107,7 +107,6 @@ "Upload files to %s" : "%s에 파일 업로드", "Select or drop files" : "파일을 선택하거나 끌어다 놓기", "Uploading files…" : "파일 업로드 중…", - "Uploaded files:" : "업로드한 파일:", - "%s is publicly shared" : "%s이(가) 공개 공유됨" + "Uploaded files:" : "업로드한 파일:" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/lt_LT.js b/apps/files_sharing/l10n/lt_LT.js index 190ccc6f6de11..33bf03ee0ef62 100644 --- a/apps/files_sharing/l10n/lt_LT.js +++ b/apps/files_sharing/l10n/lt_LT.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Įkelti duomenis į %s", "Select or drop files" : "Pasirinkite arba vilkite failus", "Uploading files…" : "Įkeliami failai…", - "Uploaded files:" : "Įkelti failai:", - "%s is publicly shared" : "%s yra bendrinamas viešai" + "Uploaded files:" : "Įkelti failai:" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_sharing/l10n/lt_LT.json b/apps/files_sharing/l10n/lt_LT.json index 5b6e8a5ec0fe0..b05f233ad7770 100644 --- a/apps/files_sharing/l10n/lt_LT.json +++ b/apps/files_sharing/l10n/lt_LT.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Įkelti duomenis į %s", "Select or drop files" : "Pasirinkite arba vilkite failus", "Uploading files…" : "Įkeliami failai…", - "Uploaded files:" : "Įkelti failai:", - "%s is publicly shared" : "%s yra bendrinamas viešai" + "Uploaded files:" : "Įkelti failai:" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/nb.js b/apps/files_sharing/l10n/nb.js index dbd5b14d8d67a..862723c598d80 100644 --- a/apps/files_sharing/l10n/nb.js +++ b/apps/files_sharing/l10n/nb.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Last opp filer til %s", "Select or drop files" : "Velg eller slipp filer", "Uploading files…" : "Laster opp filer…", - "Uploaded files:" : "Opplastede filer:", - "%s is publicly shared" : "%s er delt offentlig" + "Uploaded files:" : "Opplastede filer:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/nb.json b/apps/files_sharing/l10n/nb.json index a37b907d45630..749f84887379c 100644 --- a/apps/files_sharing/l10n/nb.json +++ b/apps/files_sharing/l10n/nb.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Last opp filer til %s", "Select or drop files" : "Velg eller slipp filer", "Uploading files…" : "Laster opp filer…", - "Uploaded files:" : "Opplastede filer:", - "%s is publicly shared" : "%s er delt offentlig" + "Uploaded files:" : "Opplastede filer:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/nl.js b/apps/files_sharing/l10n/nl.js index a9073754b87cc..a54c1d46224ed 100644 --- a/apps/files_sharing/l10n/nl.js +++ b/apps/files_sharing/l10n/nl.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Upload bestanden naar %s", "Select or drop files" : "Selecteer bestanden of sleep ze naar dit venster", "Uploading files…" : "Uploaden bestanden...", - "Uploaded files:" : "Geüploade bestanden", - "%s is publicly shared" : "%s is openbaar gedeeld" + "Uploaded files:" : "Geüploade bestanden" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/nl.json b/apps/files_sharing/l10n/nl.json index 24c7180400fe3..237257a9dbe2c 100644 --- a/apps/files_sharing/l10n/nl.json +++ b/apps/files_sharing/l10n/nl.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Upload bestanden naar %s", "Select or drop files" : "Selecteer bestanden of sleep ze naar dit venster", "Uploading files…" : "Uploaden bestanden...", - "Uploaded files:" : "Geüploade bestanden", - "%s is publicly shared" : "%s is openbaar gedeeld" + "Uploaded files:" : "Geüploade bestanden" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/pl.js b/apps/files_sharing/l10n/pl.js index 049d7410cf1d8..ff56eb0b8dc9f 100644 --- a/apps/files_sharing/l10n/pl.js +++ b/apps/files_sharing/l10n/pl.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Prześlij pliki do %s", "Select or drop files" : "Wybierz lub upuść pliki", "Uploading files…" : "Wysyłanie plików...", - "Uploaded files:" : "Wysłane pliki:", - "%s is publicly shared" : "%s jest publicznie dostępny" + "Uploaded files:" : "Wysłane pliki:" }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/apps/files_sharing/l10n/pl.json b/apps/files_sharing/l10n/pl.json index 39ff1e2523c8d..e542c84ae7dd7 100644 --- a/apps/files_sharing/l10n/pl.json +++ b/apps/files_sharing/l10n/pl.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Prześlij pliki do %s", "Select or drop files" : "Wybierz lub upuść pliki", "Uploading files…" : "Wysyłanie plików...", - "Uploaded files:" : "Wysłane pliki:", - "%s is publicly shared" : "%s jest publicznie dostępny" + "Uploaded files:" : "Wysłane pliki:" },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/pt_BR.js b/apps/files_sharing/l10n/pt_BR.js index 098a3ed680417..4862f1dafae2b 100644 --- a/apps/files_sharing/l10n/pt_BR.js +++ b/apps/files_sharing/l10n/pt_BR.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Enviar arquivos para %s", "Select or drop files" : "Selecione ou solte arquivos", "Uploading files…" : "Enviando arquivos...", - "Uploaded files:" : "Arquivos enviados:", - "%s is publicly shared" : "%s está compartilhado publicamente" + "Uploaded files:" : "Arquivos enviados:" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_sharing/l10n/pt_BR.json b/apps/files_sharing/l10n/pt_BR.json index 8ab8a7cd1b211..58b7d8e257bff 100644 --- a/apps/files_sharing/l10n/pt_BR.json +++ b/apps/files_sharing/l10n/pt_BR.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Enviar arquivos para %s", "Select or drop files" : "Selecione ou solte arquivos", "Uploading files…" : "Enviando arquivos...", - "Uploaded files:" : "Arquivos enviados:", - "%s is publicly shared" : "%s está compartilhado publicamente" + "Uploaded files:" : "Arquivos enviados:" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ru.js b/apps/files_sharing/l10n/ru.js index 3b14841273aab..72cefe4c4b891 100644 --- a/apps/files_sharing/l10n/ru.js +++ b/apps/files_sharing/l10n/ru.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Загрузка файлов пользователю %s", "Select or drop files" : "Выберите или перетащите файлы", "Uploading files…" : "Файлы передаются на сервер...", - "Uploaded files:" : "Отправленные файлы:", - "%s is publicly shared" : "«%s» опубликован " + "Uploaded files:" : "Отправленные файлы:" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_sharing/l10n/ru.json b/apps/files_sharing/l10n/ru.json index c0780c766a40f..268b97ab7b1e6 100644 --- a/apps/files_sharing/l10n/ru.json +++ b/apps/files_sharing/l10n/ru.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Загрузка файлов пользователю %s", "Select or drop files" : "Выберите или перетащите файлы", "Uploading files…" : "Файлы передаются на сервер...", - "Uploaded files:" : "Отправленные файлы:", - "%s is publicly shared" : "«%s» опубликован " + "Uploaded files:" : "Отправленные файлы:" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/sk.js b/apps/files_sharing/l10n/sk.js index 7652b6fd917d1..ca7068fe9e10f 100644 --- a/apps/files_sharing/l10n/sk.js +++ b/apps/files_sharing/l10n/sk.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Nahrať súbory do %s", "Select or drop files" : "Vyberte alebo položte súbory", "Uploading files…" : "Nahrávanie súborov...", - "Uploaded files:" : "Nahrané súbory...", - "%s is publicly shared" : "%s je sprístupnené verejne" + "Uploaded files:" : "Nahrané súbory..." }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/sk.json b/apps/files_sharing/l10n/sk.json index 22988f09db28c..58fcc11861a46 100644 --- a/apps/files_sharing/l10n/sk.json +++ b/apps/files_sharing/l10n/sk.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Nahrať súbory do %s", "Select or drop files" : "Vyberte alebo položte súbory", "Uploading files…" : "Nahrávanie súborov...", - "Uploaded files:" : "Nahrané súbory...", - "%s is publicly shared" : "%s je sprístupnené verejne" + "Uploaded files:" : "Nahrané súbory..." },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/sq.js b/apps/files_sharing/l10n/sq.js index baa6b3e843895..c7bf71ebb483d 100644 --- a/apps/files_sharing/l10n/sq.js +++ b/apps/files_sharing/l10n/sq.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Ngrako skedarët tek %s", "Select or drop files" : "Përzgjidh ose hiq skedarët", "Uploading files…" : "Skedarët po ngarkohen...", - "Uploaded files:" : "Skedarët e ngarkuar:", - "%s is publicly shared" : "%s është ndarë publikisht" + "Uploaded files:" : "Skedarët e ngarkuar:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/sq.json b/apps/files_sharing/l10n/sq.json index c0c98e1b0468f..7fa345b203089 100644 --- a/apps/files_sharing/l10n/sq.json +++ b/apps/files_sharing/l10n/sq.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Ngrako skedarët tek %s", "Select or drop files" : "Përzgjidh ose hiq skedarët", "Uploading files…" : "Skedarët po ngarkohen...", - "Uploaded files:" : "Skedarët e ngarkuar:", - "%s is publicly shared" : "%s është ndarë publikisht" + "Uploaded files:" : "Skedarët e ngarkuar:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/sr.js b/apps/files_sharing/l10n/sr.js index c456e7b7a7119..0a457627dfa5d 100644 --- a/apps/files_sharing/l10n/sr.js +++ b/apps/files_sharing/l10n/sr.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Отпремите фајлове на%s", "Select or drop files" : "Одаберите или превуците фајлове", "Uploading files…" : "Отпремам фајлове…", - "Uploaded files:" : "Отпремљени фајлови:", - "%s is publicly shared" : "%s је јавно дељен" + "Uploaded files:" : "Отпремљени фајлови:" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_sharing/l10n/sr.json b/apps/files_sharing/l10n/sr.json index f2a61d654c85d..d49e7027924ba 100644 --- a/apps/files_sharing/l10n/sr.json +++ b/apps/files_sharing/l10n/sr.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Отпремите фајлове на%s", "Select or drop files" : "Одаберите или превуците фајлове", "Uploading files…" : "Отпремам фајлове…", - "Uploaded files:" : "Отпремљени фајлови:", - "%s is publicly shared" : "%s је јавно дељен" + "Uploaded files:" : "Отпремљени фајлови:" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/sv.js b/apps/files_sharing/l10n/sv.js index e79c78787d5ec..025b4a20f6528 100644 --- a/apps/files_sharing/l10n/sv.js +++ b/apps/files_sharing/l10n/sv.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Ladda upp filer till %s", "Select or drop files" : "Välj eller dra filer hit", "Uploading files…" : "Laddar upp filer...", - "Uploaded files:" : "Uppladdade filer:", - "%s is publicly shared" : "%s är offentligt delad" + "Uploaded files:" : "Uppladdade filer:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/sv.json b/apps/files_sharing/l10n/sv.json index 4a7875b51037c..5f5bbb32ef44a 100644 --- a/apps/files_sharing/l10n/sv.json +++ b/apps/files_sharing/l10n/sv.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Ladda upp filer till %s", "Select or drop files" : "Välj eller dra filer hit", "Uploading files…" : "Laddar upp filer...", - "Uploaded files:" : "Uppladdade filer:", - "%s is publicly shared" : "%s är offentligt delad" + "Uploaded files:" : "Uppladdade filer:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/tr.js b/apps/files_sharing/l10n/tr.js index 524333922e31f..62a84d207067a 100644 --- a/apps/files_sharing/l10n/tr.js +++ b/apps/files_sharing/l10n/tr.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "Dosyaları %s konumuna yükle", "Select or drop files" : "Dosyaları seçin ya da sürükleyip bırakın", "Uploading files…" : "Dosyalar yükleniyor...", - "Uploaded files:" : "Yüklenmiş dosyalar:", - "%s is publicly shared" : "%s herkese açık olarak paylaşıldı" + "Uploaded files:" : "Yüklenmiş dosyalar:" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_sharing/l10n/tr.json b/apps/files_sharing/l10n/tr.json index b0754cb52a2bc..2deac62daa296 100644 --- a/apps/files_sharing/l10n/tr.json +++ b/apps/files_sharing/l10n/tr.json @@ -107,7 +107,6 @@ "Upload files to %s" : "Dosyaları %s konumuna yükle", "Select or drop files" : "Dosyaları seçin ya da sürükleyip bırakın", "Uploading files…" : "Dosyalar yükleniyor...", - "Uploaded files:" : "Yüklenmiş dosyalar:", - "%s is publicly shared" : "%s herkese açık olarak paylaşıldı" + "Uploaded files:" : "Yüklenmiş dosyalar:" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/zh_CN.js b/apps/files_sharing/l10n/zh_CN.js index 2cedc0e2d7bbd..de33a357fbb3a 100644 --- a/apps/files_sharing/l10n/zh_CN.js +++ b/apps/files_sharing/l10n/zh_CN.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "上传文件到 %s", "Select or drop files" : "选择或删除文件", "Uploading files…" : "上传文件 … ", - "Uploaded files:" : "上传的文件: ", - "%s is publicly shared" : "%s 是公开共享" + "Uploaded files:" : "上传的文件: " }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/zh_CN.json b/apps/files_sharing/l10n/zh_CN.json index 2f83b8d0fdc4f..982d0bd238adb 100644 --- a/apps/files_sharing/l10n/zh_CN.json +++ b/apps/files_sharing/l10n/zh_CN.json @@ -107,7 +107,6 @@ "Upload files to %s" : "上传文件到 %s", "Select or drop files" : "选择或删除文件", "Uploading files…" : "上传文件 … ", - "Uploaded files:" : "上传的文件: ", - "%s is publicly shared" : "%s 是公开共享" + "Uploaded files:" : "上传的文件: " },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/zh_TW.js b/apps/files_sharing/l10n/zh_TW.js index ff6fbbcb0b231..89b911a0569ea 100644 --- a/apps/files_sharing/l10n/zh_TW.js +++ b/apps/files_sharing/l10n/zh_TW.js @@ -109,7 +109,6 @@ OC.L10N.register( "Upload files to %s" : "上傳檔案到 %s", "Select or drop files" : "選擇或拖曳檔案至此", "Uploading files…" : "上傳檔案中…", - "Uploaded files:" : "已上傳的檔案:", - "%s is publicly shared" : "%s 是被公然分享的" + "Uploaded files:" : "已上傳的檔案:" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/zh_TW.json b/apps/files_sharing/l10n/zh_TW.json index 4b7c0f05d7baa..94a727e51fba9 100644 --- a/apps/files_sharing/l10n/zh_TW.json +++ b/apps/files_sharing/l10n/zh_TW.json @@ -107,7 +107,6 @@ "Upload files to %s" : "上傳檔案到 %s", "Select or drop files" : "選擇或拖曳檔案至此", "Uploading files…" : "上傳檔案中…", - "Uploaded files:" : "已上傳的檔案:", - "%s is publicly shared" : "%s 是被公然分享的" + "Uploaded files:" : "已上傳的檔案:" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/core/l10n/bg.js b/core/l10n/bg.js deleted file mode 100644 index 5cc6f1077be6b..0000000000000 --- a/core/l10n/bg.js +++ /dev/null @@ -1,316 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Моля изберете файл.", - "File is too big" : "Файлът е твърде голям", - "The selected file is not an image." : "Избраният файл не е изображение.", - "The selected file cannot be read." : "Избраният файл не може да бъде отворен.", - "Invalid file provided" : "Предоставен е невалиден файл", - "No image or file provided" : "Не бяха доставени картинка или файл", - "Unknown filetype" : "Непознат тип файл", - "Invalid image" : "Невалидно изображение", - "An error occurred. Please contact your admin." : "Възникна неизвестна грешка. Свържете с администратора.", - "No temporary profile picture available, try again" : "Не е налична временна профилна снимка, опитайте отново", - "No crop data provided" : "Липсват данни за изрязването", - "No valid crop data provided" : "Липсват данни за изрязването", - "Crop is not square" : "Областта не е квадратна", - "Password reset is disabled" : "Възстановяването на парола е изключено", - "Couldn't reset password because the token is invalid" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е невалидна", - "Couldn't reset password because the token is expired" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е изтекла", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Имейлът за възстановяване на паролата не може да бъде изпратен защо потребителят няма имейл адрес. Свържете се с администратора.", - "%s password reset" : "Паролата на %s е променена", - "Password reset" : "Възстановяване на парола", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следния бутон, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следната връзка, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", - "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", - "Couldn't send reset email. Please make sure your username is correct." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, уверете се, че потребителското име е правилно.", - "Preparing update" : "Подготовка за актуализиране", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Предупреждение при поправка:", - "Repair error: " : "Грешка при поправка:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Моля използвайте съветникът за обновяване в команден ред, защото автоматичният е забранен в config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Проверка на таблица %s", - "Turned on maintenance mode" : "Режимът за поддръжка е включен", - "Turned off maintenance mode" : "Режимът за поддръжка е изключен", - "Maintenance mode is kept active" : "Режим на поддръжка се поддържа активен", - "Updating database schema" : "Актуализиране на схемата на базата данни", - "Updated database" : "Базата данни е обоновена", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни може да се актуализира (възможно е да отнеме повече време в зависимост от големината на базата данни)", - "Checked database schema update" : "Обновяването на схемата на базата данни е проверено", - "Checking updates of apps" : "Проверка на актуализациите за добавките", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни %s може да бъде актуализирана (това може да отнеме повече време в зависимост от големината на базата данни)", - "Checked database schema update for apps" : "Обновяването на схемата на базата данни за приложения е проверено", - "Updated \"%s\" to %s" : "Обновен \"%s\" до %s", - "Set log level to debug" : "Промени ниво на лог на дебъг", - "Reset log level" : "Възстанови ниво на лог", - "Starting code integrity check" : "Стартиране на проверка за цялостта на кода", - "Finished code integrity check" : "Приключена проверка за цялостта на кода", - "%s (incompatible)" : "%s (несъвместим)", - "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", - "Already up to date" : "Вече е актуална", - "Search contacts …" : "Търсене на контакти ...", - "No contacts found" : "Няма намерени контакти", - "Show all contacts …" : "Покажи всички контакти ...", - "Loading your contacts …" : "Зареждане на вашите контакти ...", - "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", - "Settings" : "Настройки", - "Connection to server lost" : "Връзката със сървъра е загубена", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Проблем при зареждане на страницата, презареждане след %n секунда","Проблем при зареждане на страницата, презареждане след %n секунди"], - "Saving..." : "Запазване...", - "Dismiss" : "Отхвърляне", - "This action requires you to confirm your password" : "Това действие изисква да потвърдите паролата си", - "Authentication required" : "Изисква удостоверяване", - "Password" : "Парола", - "Cancel" : "Отказ", - "Confirm" : "Потвърди", - "Failed to authenticate, try again" : "Грешка при удостоверяване, опитайте пак", - "seconds ago" : "преди секунди", - "Logging in …" : "Вписване ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Връзката за възстановяване на паролата беше изпратена до вашия имейл. Ако не я получите в разумен период от време, проверете спам и junk папките.
Ако не я откривате и там, се свържете с местния администратор.", - "I know what I'm doing" : "Знам какво правя", - "Password can not be changed. Please contact your administrator." : "Паролата не може да бъде промена. Моля, свържете се с администратора.", - "Reset password" : "Възстановяване на паролата", - "Sending email …" : "Изпращане на имейл ...", - "No" : "Не", - "Yes" : "Да", - "No files in here" : "Тук няма файлове", - "Choose" : "Избиране", - "Copy" : "Копиране", - "Move" : "Преместване", - "Error loading file picker template: {error}" : "Грешка при зареждането на шаблон за избор на файл: {error}", - "OK" : "ОК", - "Error loading message template: {error}" : "Грешка при зареждането на шаблон за съобщения: {error}", - "read-only" : "Само за четене", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} файлов конфликт","{count} файлови кофликта"], - "One file conflict" : "Един файлов конфликт", - "New Files" : "Нови файлове", - "Already existing files" : "Вече съществуващи файлове", - "Which files do you want to keep?" : "Кои файлове желете да запазите?", - "If you select both versions, the copied file will have a number added to its name." : "Ако изберете и двете версии, към името на копирания файл ще бъде добавено число.", - "Continue" : "Продължаване", - "(all selected)" : "(всички избрани)", - "({count} selected)" : "({count} избрани)", - "Error loading file exists template" : "Грешка при зареждането на шаблон за вече съществуващ файл", - "Pending" : "Чакащо", - "Copy to {folder}" : "Копирай в {folder}", - "Move to {folder}" : "Премести в {folder}", - "Very weak password" : "Много слаба парола", - "Weak password" : "Слаба парола", - "So-so password" : "Не особено добра парола", - "Good password" : "Добра парола", - "Strong password" : "Сигурна парола", - "Error occurred while checking server setup" : "Възникна грешка при проверката на настройките на сървъра.", - "Shared" : "Споделено", - "Shared with" : "Споделено с", - "Shared by" : "Споделено от", - "Error setting expiration date" : "Грешка при настройване на датата за изтичане", - "The public link will expire no later than {days} days after it is created" : "Общодостъпната връзка ще изтече не по-късно от {days} дни след създаването ѝ.", - "Set expiration date" : "Задаване на дата на изтичане", - "Expiration" : "Изтичане", - "Expiration date" : "Дата на изтичане", - "Choose a password for the public link" : "Изберете парола за общодостъпната връзка", - "Copied!" : "Копирано!", - "Not supported!" : "Не се поддържа!", - "Press ⌘-C to copy." : "За копиране натиснете ⌘-C.", - "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C.", - "Resharing is not allowed" : "Повторно споделяне не е разрешено.", - "Share link" : "Връзка за споделяне", - "Link" : "Връзка", - "Password protect" : "Защитено с парола", - "Allow editing" : "Позволяване на редактиране", - "Email link to person" : "Имейл връзка към човек", - "Send" : "Изпращане", - "Allow upload and editing" : "Позволи обновяване и редактиране", - "File drop (upload only)" : "Пускане на файл (качване само)", - "Shared with you and the group {group} by {owner}" : "Споделено от {owner} с вас и групата {group}", - "Shared with you by {owner}" : "Споделено с вас от {owner}", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} споделен с връзка", - "group" : "група", - "remote" : "отдалечен", - "email" : "имейл", - "shared by {sharer}" : "споделено от {sharer}", - "Unshare" : "Прекратяване на споделяне", - "Could not unshare" : "Споделянето не е прекратено", - "Error while sharing" : "Грешка при споделяне", - "Share details could not be loaded for this item." : "Данните за споделяне не могат да бъдат заредени", - "No users or groups found for {search}" : "Няма потребители или групи за {search}", - "No users found for {search}" : "Няма потребители за {search}", - "An error occurred. Please try again" : "Възникна грешка. Моля, опитайте отново.", - "{sharee} (group)" : "{sharee} (група)", - "{sharee} (remote)" : "{sharee} (отдалечен)", - "{sharee} (email)" : "{sharee} (email)", - "Share" : "Споделяне", - "Error" : "Грешка", - "Error removing share" : "Грешка при махане на споделяне", - "Non-existing tag #{tag}" : "Не-съществуващ етикет #{tag}", - "restricted" : "ограничен", - "invisible" : "невидим", - "({scope})" : "({scope})", - "Delete" : "Изтриване", - "Rename" : "Преименуване", - "Collaborative tags" : "Съвместни тагове", - "No tags found" : "Няма открити етикети", - "unknown text" : "непознат текст", - "Hello world!" : "Здравей Свят!", - "sunny" : "слънчево", - "Hello {name}, the weather is {weather}" : "Здравей {name}, времето е {weather}", - "Hello {name}" : "Здравейте, {name}", - "new" : "нов", - "_download %n file_::_download %n files_" : ["изтегли %n файл","изтегли %n файла"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Актуализирането е в процес, в някой среди - напускането на тази страница може да прекъсне процеса.", - "Update to {version}" : "Обнови до {version}", - "An error occurred." : "Възникна грешка.", - "Please reload the page." : "Моля, презаредете страницата.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Актуализацията беше неуспешна. За повече информация погледнете нашият пост покриващ този въпрос.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Обновяването беше неуспешно. Моля отнесете този проблем към Nextcloud общността.", - "Continue to Nextcloud" : "Продължете към Nextcloud", - "Searching other places" : "Търсене на друго място", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} търсен резултат в друга папка","{count} търсени резултати в други папки"], - "Personal" : "Лични", - "Users" : "Потребители", - "Apps" : "Приложения", - "Admin" : "Админ", - "Help" : "Помощ", - "Access forbidden" : "Достъпът е забранен", - "File not found" : "Файлът не е открит", - "The specified document has not been found on the server." : "Избраният документ не е намерен на сървъра.", - "You can click here to return to %s." : "Можете да натиснете тук, за да се върнете на %s.", - "Internal Server Error" : "Вътрешна системна грешка", - "More details can be found in the server log." : "Повече детайли могат да бъдат намерени в сървърния журнал.", - "Technical details" : "Технически детайли", - "Remote Address: %s" : "Отдалечен адрес: %s", - "Request ID: %s" : "ID на заявка: %s", - "Type: %s" : "Тип: %s", - "Code: %s" : "Код: %s", - "Message: %s" : "Съобщение: %s", - "File: %s" : "Файл: %s", - "Line: %s" : "Линия: %s", - "Trace" : "Проследяване на грешките", - "Security warning" : "Предупреждение за сигурност", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Вашата директория за данни и файлове Ви вероятно са достъпни от интернет, поради това, че файлът \".htaccess\" не функционира.", - "Create an admin account" : "Създаване на администраторски профил.", - "Username" : "Потребител", - "Storage & database" : "Хранилища и бази данни", - "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" : "Прегледайте документацията", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "За да функционира приложението изисква JavaScript. Моля, {linkstart}включете JavaScript{linkend} и презаредете страницата.", - "Search" : "Търсене", - "Confirm your password" : "Потвърдете паролата си", - "Server side authentication failed!" : "Удостоверяването от страна на сървъра е неуспешно!", - "Please contact your administrator." : "Моля, свържете се с администратора.", - "An internal error occurred." : "Възникна вътрешна грешка.", - "Please try again or contact your administrator." : "Опитайте отново или се свържете с администраотра.", - "Username or email" : "Потребител или имейл", - "Log in" : "Вписване", - "Wrong password." : "Грешна парола", - "Stay logged in" : "Остани вписан", - "Forgot password?" : "Забравена парола?", - "Alternative Logins" : "Алтернативни методи на вписване", - "Redirecting …" : "Пренасочване ...", - "New password" : "Нова парола", - "New Password" : "Нова парола", - "Two-factor authentication" : "Двуфакторно удостоверяване", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Повишената сигурност е активирана за профила ви. Моля удостоверете използвайки втори фактор.", - "Cancel log in" : "Откажи вписване", - "Use backup code" : "Използвай код за възстановяване", - "Error while validating your second factor" : "Грешка при валидиране на втория ви фактор", - "Access through untrusted domain" : "Достъп чрез ненадежден домейн", - "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", - "Add \"%s\" as trusted domain" : "Добави \"%s\" като сигурен домейн", - "App update required" : "Изисква се обновяване на добавката", - "%s will be updated to version %s" : "%s ще бъде обновен до версия %s", - "These apps will be updated:" : "Следните добавки ще бъдат обновени:", - "These incompatible apps will be disabled:" : "Следните несъвместими добавки ще бъдат деактивирани:", - "The theme %s has been disabled." : "Темата %s е изключена.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Моля, уверете се, че сте направили копия на базата данни, папките с настройки и данните, преди да продължите.", - "Start update" : "Начало на обновяването", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "За да избегнеш таймаутове при по-големи инсталации, можеш да изпълниш следните команди в инсталанционната директория:", - "Detailed logs" : "Подробни логове", - "Update needed" : "Нужно е обновяване", - "For help, see the documentation." : "За помощ, вижте документацията.", - "Upgrade via web on my own risk" : "Актуализиране чрез интернет на собствен риск", - "This %s instance is currently in maintenance mode, which may take a while." : "В момента този %s се обновява, а това може да отнеме време.", - "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", - "Thank you for your patience." : "Благодарим за търпението.", - "%s (3rdparty)" : "%s (3-ти лица)", - "Problem loading page, reloading in 5 seconds" : "Проблем при зареждане на страницата, презареждане след 5 секунди", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Файловете Ви са криптирани. Ако не сте настроили ключ за възстановяване, няма да можете да възстановите данните си след смяна на паролата.
Ако не сте сигурни какво да направите, моля, свържете се с Вашия администратор преди да продължите.
Наистина ли желаете да продължите?", - "Ok" : "Добре", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Вашият уеб сървър все още не е удачно настроен да позволява синхронизация на файлове, защото WebDAV интерфейсът не работи.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Вашият уеб сървър не е настроен правилно за да отвори \"{url}\". Допълнителна информация може да бъде намерена в нашата документация.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Сървърът няма работеща интернет връзка. Това означава, че някои функции като прикачването на външни дискови устройства, уведомления за обновяване или инсталиране на външни приложения няма да работят. Достъпът на файлове отвън или изпращане на имейли за уведомление вероятно също няма да работят. Препоръчваме да включиш интернет връзката за този сървър ако искаш да използваш всички тези функции.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Не е настроен кеш за паметта. За да повишите ефективността, моля настройте кеш за паметта ако е възможно. Допълнителна информация може да бъде намерена в нашата документация.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom не се чете от PHP, което е крайно нежелателно поради съображения за сигурност. Допълнителна информация може да бъде намерена в нашата документация.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "В момента използвате PHP {version}. Препоръчваме Ви да обновите своята PHP версия за да се възползвате от актуализации за ефективността и сигурността, предоставени от PHP Group, веднага след като вашата дистрибуция я поддържа.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Хедърите за обратно прокси са невалидни, или достъпвате Nextcloud от доверено прокси. Ако не достъпвате Nextcloud от доверено прокси, то това е проблем в сигурността и може да позволи на хакер да прикрие IP адреса си в Nextcloud. Допълнителна информация може да бъде намерена в нашата документация.", - "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 memcached wiki about both modules." : "Кеширането на паметта е настроено като разпределена кеш, но е инсталиран грешен PHP модул \"memcache\". \\OC\\Memcache\\Memcached поддържа само \"memcached\", и не \"memcache\". Прегледайте memcached wiki относно модулите.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Някой от файловете не преминаха проверката за цялост на кода. Допълнителна информация за това как да разрешите този проблем може да се намери в нашата документация. (Списък с невалидни файлове… / Сканиране отново…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", - "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." : "\"{header}\" HTTP хедъра не е конфигуриран да отговаря на \"{expected}\". Това е потенциален риск за сигурността или поверителността и ние препоръчваме да коригирате тази настройка.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP хедъра на \"Strict-Transport-Security\" не е конфигуриран за най-малко \"{seconds}\" секунди. За по-голяма сигурност Ви препоръчваме да активирате HSTS, както е описано в нашите съвети за сигурност..", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Достъпвате сайта чрез HTTP. Препоръчително е да настроите сървъра да изисква употребата на HTTPS, както е описано в съветите за сигурност.", - "Shared with {recipients}" : "Споделено с {recipients}", - "Error while unsharing" : "Грешка при премахване на споделянето", - "can reshare" : "може да споделя", - "can edit" : "може да променя", - "can create" : "може да създава", - "can change" : "може да ", - "can delete" : "може да изтрива", - "access control" : "контрол на достъпа", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Сподели с хора на други сървъри, използващи тяхните Федерални Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Споделяне с потребители или чрез имейл...", - "Share with users or remote users..." : "Споделяне с потребители или с отдалечени потребители...", - "Share with users, remote users or by mail..." : "Споделяне с потребители, отдалечени потребители или с имейл...", - "Share with users or groups..." : "Споделяне с потребители или групи...", - "Share with users, groups or by mail..." : "Споделяне с потребители, групи или чрез имейл...", - "Share with users, groups or remote users..." : "Споделяне с потребители, групи или отдалечени потребители...", - "Share with users, groups, remote users or by mail..." : "Споделяне с потребители, групи, отдалечени потребители или чрез имейл...", - "Share with users..." : "Споделяне с потребители...", - "The object type is not specified." : "Типът на обекта не е избран.", - "Enter new" : "Въвеждане на нов", - "Add" : "Добавяне", - "Edit tags" : "Промяна на етикетите", - "Error loading dialog template: {error}" : "Грешка при зареждането на шаблон за диалог: {error}.", - "No tags selected for deletion." : "Не са избрани тагове за изтриване.", - "The update was successful. Redirecting you to Nextcloud now." : "Обновяването беше успешно. Сега те пренасочваме към Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Здравейте,\n\nсамо да ви уведомяваме, че %s сподели %s с вас.\nРазгледай го: %s\n\n", - "The share will expire on %s." : "Споделянето ще изтече на %s.", - "Cheers!" : "Поздрави!", - "The server encountered an internal error and was unable to complete your request." : "Сървърът се натъкна на вътрешна грешка и неуспя да завърши заявката.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Моля, свържете се със сървърния администратор, ако тази грешка се появи отново. Също така Ви Молим да включите техническите данни, показани в доклада по-долу.", - "For information how to properly configure your server, please see the documentation." : "За информация как правилно да конфигурирате сървъра, моля, вижте документацията.", - "Log out" : "Отписване", - "This action requires you to confirm your password:" : "Това действие изисква да потвърдите паролата си:", - "Wrong password. Reset it?" : "Грешна парола. Желаете ли нова парола?", - "Use the following link to reset your password: {link}" : "Използвайте следната връзка, за да възстановите паролата си: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Здравейте,

само ви уведомяваме, че %s сподели %s с вас.\n
Разгледай го!

.", - "This Nextcloud instance is currently in single user mode." : "В момента този Nextcloud е в режим допускащ само един потребител.", - "This means only administrators can use the instance." : "Това означава, че само администраторът може да го използва.", - "You are accessing the server from an untrusted domain." : "Свръзвате се със сървъра от домейн, който не е отбелязан като сигурен.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимост от конфигурацията, като администратор натискайки долния бутон можете да маркирате домейна като сигурен.", - "Please use the command line updater because you have a big instance." : "Моля използвайте съветникът за обновяване в команден ред, защото инстанцията ви е голяма.", - "For help, see the documentation." : "За помощ, вижте документацията.", - "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не е правилно конфигуриран. За по-добри резултати препоръчваме да използвате следните настройки в php.ini:", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддържа FreeType. Това ще доведе до неправилното показване на профилните снимки и настройките на интерфейса" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/bg.json b/core/l10n/bg.json deleted file mode 100644 index a96b65a85a5de..0000000000000 --- a/core/l10n/bg.json +++ /dev/null @@ -1,314 +0,0 @@ -{ "translations": { - "Please select a file." : "Моля изберете файл.", - "File is too big" : "Файлът е твърде голям", - "The selected file is not an image." : "Избраният файл не е изображение.", - "The selected file cannot be read." : "Избраният файл не може да бъде отворен.", - "Invalid file provided" : "Предоставен е невалиден файл", - "No image or file provided" : "Не бяха доставени картинка или файл", - "Unknown filetype" : "Непознат тип файл", - "Invalid image" : "Невалидно изображение", - "An error occurred. Please contact your admin." : "Възникна неизвестна грешка. Свържете с администратора.", - "No temporary profile picture available, try again" : "Не е налична временна профилна снимка, опитайте отново", - "No crop data provided" : "Липсват данни за изрязването", - "No valid crop data provided" : "Липсват данни за изрязването", - "Crop is not square" : "Областта не е квадратна", - "Password reset is disabled" : "Възстановяването на парола е изключено", - "Couldn't reset password because the token is invalid" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е невалидна", - "Couldn't reset password because the token is expired" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е изтекла", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Имейлът за възстановяване на паролата не може да бъде изпратен защо потребителят няма имейл адрес. Свържете се с администратора.", - "%s password reset" : "Паролата на %s е променена", - "Password reset" : "Възстановяване на парола", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следния бутон, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следната връзка, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", - "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", - "Couldn't send reset email. Please make sure your username is correct." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, уверете се, че потребителското име е правилно.", - "Preparing update" : "Подготовка за актуализиране", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Предупреждение при поправка:", - "Repair error: " : "Грешка при поправка:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Моля използвайте съветникът за обновяване в команден ред, защото автоматичният е забранен в config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Проверка на таблица %s", - "Turned on maintenance mode" : "Режимът за поддръжка е включен", - "Turned off maintenance mode" : "Режимът за поддръжка е изключен", - "Maintenance mode is kept active" : "Режим на поддръжка се поддържа активен", - "Updating database schema" : "Актуализиране на схемата на базата данни", - "Updated database" : "Базата данни е обоновена", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни може да се актуализира (възможно е да отнеме повече време в зависимост от големината на базата данни)", - "Checked database schema update" : "Обновяването на схемата на базата данни е проверено", - "Checking updates of apps" : "Проверка на актуализациите за добавките", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни %s може да бъде актуализирана (това може да отнеме повече време в зависимост от големината на базата данни)", - "Checked database schema update for apps" : "Обновяването на схемата на базата данни за приложения е проверено", - "Updated \"%s\" to %s" : "Обновен \"%s\" до %s", - "Set log level to debug" : "Промени ниво на лог на дебъг", - "Reset log level" : "Възстанови ниво на лог", - "Starting code integrity check" : "Стартиране на проверка за цялостта на кода", - "Finished code integrity check" : "Приключена проверка за цялостта на кода", - "%s (incompatible)" : "%s (несъвместим)", - "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", - "Already up to date" : "Вече е актуална", - "Search contacts …" : "Търсене на контакти ...", - "No contacts found" : "Няма намерени контакти", - "Show all contacts …" : "Покажи всички контакти ...", - "Loading your contacts …" : "Зареждане на вашите контакти ...", - "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", - "Settings" : "Настройки", - "Connection to server lost" : "Връзката със сървъра е загубена", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Проблем при зареждане на страницата, презареждане след %n секунда","Проблем при зареждане на страницата, презареждане след %n секунди"], - "Saving..." : "Запазване...", - "Dismiss" : "Отхвърляне", - "This action requires you to confirm your password" : "Това действие изисква да потвърдите паролата си", - "Authentication required" : "Изисква удостоверяване", - "Password" : "Парола", - "Cancel" : "Отказ", - "Confirm" : "Потвърди", - "Failed to authenticate, try again" : "Грешка при удостоверяване, опитайте пак", - "seconds ago" : "преди секунди", - "Logging in …" : "Вписване ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Връзката за възстановяване на паролата беше изпратена до вашия имейл. Ако не я получите в разумен период от време, проверете спам и junk папките.
Ако не я откривате и там, се свържете с местния администратор.", - "I know what I'm doing" : "Знам какво правя", - "Password can not be changed. Please contact your administrator." : "Паролата не може да бъде промена. Моля, свържете се с администратора.", - "Reset password" : "Възстановяване на паролата", - "Sending email …" : "Изпращане на имейл ...", - "No" : "Не", - "Yes" : "Да", - "No files in here" : "Тук няма файлове", - "Choose" : "Избиране", - "Copy" : "Копиране", - "Move" : "Преместване", - "Error loading file picker template: {error}" : "Грешка при зареждането на шаблон за избор на файл: {error}", - "OK" : "ОК", - "Error loading message template: {error}" : "Грешка при зареждането на шаблон за съобщения: {error}", - "read-only" : "Само за четене", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} файлов конфликт","{count} файлови кофликта"], - "One file conflict" : "Един файлов конфликт", - "New Files" : "Нови файлове", - "Already existing files" : "Вече съществуващи файлове", - "Which files do you want to keep?" : "Кои файлове желете да запазите?", - "If you select both versions, the copied file will have a number added to its name." : "Ако изберете и двете версии, към името на копирания файл ще бъде добавено число.", - "Continue" : "Продължаване", - "(all selected)" : "(всички избрани)", - "({count} selected)" : "({count} избрани)", - "Error loading file exists template" : "Грешка при зареждането на шаблон за вече съществуващ файл", - "Pending" : "Чакащо", - "Copy to {folder}" : "Копирай в {folder}", - "Move to {folder}" : "Премести в {folder}", - "Very weak password" : "Много слаба парола", - "Weak password" : "Слаба парола", - "So-so password" : "Не особено добра парола", - "Good password" : "Добра парола", - "Strong password" : "Сигурна парола", - "Error occurred while checking server setup" : "Възникна грешка при проверката на настройките на сървъра.", - "Shared" : "Споделено", - "Shared with" : "Споделено с", - "Shared by" : "Споделено от", - "Error setting expiration date" : "Грешка при настройване на датата за изтичане", - "The public link will expire no later than {days} days after it is created" : "Общодостъпната връзка ще изтече не по-късно от {days} дни след създаването ѝ.", - "Set expiration date" : "Задаване на дата на изтичане", - "Expiration" : "Изтичане", - "Expiration date" : "Дата на изтичане", - "Choose a password for the public link" : "Изберете парола за общодостъпната връзка", - "Copied!" : "Копирано!", - "Not supported!" : "Не се поддържа!", - "Press ⌘-C to copy." : "За копиране натиснете ⌘-C.", - "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C.", - "Resharing is not allowed" : "Повторно споделяне не е разрешено.", - "Share link" : "Връзка за споделяне", - "Link" : "Връзка", - "Password protect" : "Защитено с парола", - "Allow editing" : "Позволяване на редактиране", - "Email link to person" : "Имейл връзка към човек", - "Send" : "Изпращане", - "Allow upload and editing" : "Позволи обновяване и редактиране", - "File drop (upload only)" : "Пускане на файл (качване само)", - "Shared with you and the group {group} by {owner}" : "Споделено от {owner} с вас и групата {group}", - "Shared with you by {owner}" : "Споделено с вас от {owner}", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} споделен с връзка", - "group" : "група", - "remote" : "отдалечен", - "email" : "имейл", - "shared by {sharer}" : "споделено от {sharer}", - "Unshare" : "Прекратяване на споделяне", - "Could not unshare" : "Споделянето не е прекратено", - "Error while sharing" : "Грешка при споделяне", - "Share details could not be loaded for this item." : "Данните за споделяне не могат да бъдат заредени", - "No users or groups found for {search}" : "Няма потребители или групи за {search}", - "No users found for {search}" : "Няма потребители за {search}", - "An error occurred. Please try again" : "Възникна грешка. Моля, опитайте отново.", - "{sharee} (group)" : "{sharee} (група)", - "{sharee} (remote)" : "{sharee} (отдалечен)", - "{sharee} (email)" : "{sharee} (email)", - "Share" : "Споделяне", - "Error" : "Грешка", - "Error removing share" : "Грешка при махане на споделяне", - "Non-existing tag #{tag}" : "Не-съществуващ етикет #{tag}", - "restricted" : "ограничен", - "invisible" : "невидим", - "({scope})" : "({scope})", - "Delete" : "Изтриване", - "Rename" : "Преименуване", - "Collaborative tags" : "Съвместни тагове", - "No tags found" : "Няма открити етикети", - "unknown text" : "непознат текст", - "Hello world!" : "Здравей Свят!", - "sunny" : "слънчево", - "Hello {name}, the weather is {weather}" : "Здравей {name}, времето е {weather}", - "Hello {name}" : "Здравейте, {name}", - "new" : "нов", - "_download %n file_::_download %n files_" : ["изтегли %n файл","изтегли %n файла"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Актуализирането е в процес, в някой среди - напускането на тази страница може да прекъсне процеса.", - "Update to {version}" : "Обнови до {version}", - "An error occurred." : "Възникна грешка.", - "Please reload the page." : "Моля, презаредете страницата.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Актуализацията беше неуспешна. За повече информация погледнете нашият пост покриващ този въпрос.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Обновяването беше неуспешно. Моля отнесете този проблем към Nextcloud общността.", - "Continue to Nextcloud" : "Продължете към Nextcloud", - "Searching other places" : "Търсене на друго място", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} търсен резултат в друга папка","{count} търсени резултати в други папки"], - "Personal" : "Лични", - "Users" : "Потребители", - "Apps" : "Приложения", - "Admin" : "Админ", - "Help" : "Помощ", - "Access forbidden" : "Достъпът е забранен", - "File not found" : "Файлът не е открит", - "The specified document has not been found on the server." : "Избраният документ не е намерен на сървъра.", - "You can click here to return to %s." : "Можете да натиснете тук, за да се върнете на %s.", - "Internal Server Error" : "Вътрешна системна грешка", - "More details can be found in the server log." : "Повече детайли могат да бъдат намерени в сървърния журнал.", - "Technical details" : "Технически детайли", - "Remote Address: %s" : "Отдалечен адрес: %s", - "Request ID: %s" : "ID на заявка: %s", - "Type: %s" : "Тип: %s", - "Code: %s" : "Код: %s", - "Message: %s" : "Съобщение: %s", - "File: %s" : "Файл: %s", - "Line: %s" : "Линия: %s", - "Trace" : "Проследяване на грешките", - "Security warning" : "Предупреждение за сигурност", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Вашата директория за данни и файлове Ви вероятно са достъпни от интернет, поради това, че файлът \".htaccess\" не функционира.", - "Create an admin account" : "Създаване на администраторски профил.", - "Username" : "Потребител", - "Storage & database" : "Хранилища и бази данни", - "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" : "Прегледайте документацията", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "За да функционира приложението изисква JavaScript. Моля, {linkstart}включете JavaScript{linkend} и презаредете страницата.", - "Search" : "Търсене", - "Confirm your password" : "Потвърдете паролата си", - "Server side authentication failed!" : "Удостоверяването от страна на сървъра е неуспешно!", - "Please contact your administrator." : "Моля, свържете се с администратора.", - "An internal error occurred." : "Възникна вътрешна грешка.", - "Please try again or contact your administrator." : "Опитайте отново или се свържете с администраотра.", - "Username or email" : "Потребител или имейл", - "Log in" : "Вписване", - "Wrong password." : "Грешна парола", - "Stay logged in" : "Остани вписан", - "Forgot password?" : "Забравена парола?", - "Alternative Logins" : "Алтернативни методи на вписване", - "Redirecting …" : "Пренасочване ...", - "New password" : "Нова парола", - "New Password" : "Нова парола", - "Two-factor authentication" : "Двуфакторно удостоверяване", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Повишената сигурност е активирана за профила ви. Моля удостоверете използвайки втори фактор.", - "Cancel log in" : "Откажи вписване", - "Use backup code" : "Използвай код за възстановяване", - "Error while validating your second factor" : "Грешка при валидиране на втория ви фактор", - "Access through untrusted domain" : "Достъп чрез ненадежден домейн", - "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", - "Add \"%s\" as trusted domain" : "Добави \"%s\" като сигурен домейн", - "App update required" : "Изисква се обновяване на добавката", - "%s will be updated to version %s" : "%s ще бъде обновен до версия %s", - "These apps will be updated:" : "Следните добавки ще бъдат обновени:", - "These incompatible apps will be disabled:" : "Следните несъвместими добавки ще бъдат деактивирани:", - "The theme %s has been disabled." : "Темата %s е изключена.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Моля, уверете се, че сте направили копия на базата данни, папките с настройки и данните, преди да продължите.", - "Start update" : "Начало на обновяването", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "За да избегнеш таймаутове при по-големи инсталации, можеш да изпълниш следните команди в инсталанционната директория:", - "Detailed logs" : "Подробни логове", - "Update needed" : "Нужно е обновяване", - "For help, see the documentation." : "За помощ, вижте документацията.", - "Upgrade via web on my own risk" : "Актуализиране чрез интернет на собствен риск", - "This %s instance is currently in maintenance mode, which may take a while." : "В момента този %s се обновява, а това може да отнеме време.", - "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", - "Thank you for your patience." : "Благодарим за търпението.", - "%s (3rdparty)" : "%s (3-ти лица)", - "Problem loading page, reloading in 5 seconds" : "Проблем при зареждане на страницата, презареждане след 5 секунди", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Файловете Ви са криптирани. Ако не сте настроили ключ за възстановяване, няма да можете да възстановите данните си след смяна на паролата.
Ако не сте сигурни какво да направите, моля, свържете се с Вашия администратор преди да продължите.
Наистина ли желаете да продължите?", - "Ok" : "Добре", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Вашият уеб сървър все още не е удачно настроен да позволява синхронизация на файлове, защото WebDAV интерфейсът не работи.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Вашият уеб сървър не е настроен правилно за да отвори \"{url}\". Допълнителна информация може да бъде намерена в нашата документация.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Сървърът няма работеща интернет връзка. Това означава, че някои функции като прикачването на външни дискови устройства, уведомления за обновяване или инсталиране на външни приложения няма да работят. Достъпът на файлове отвън или изпращане на имейли за уведомление вероятно също няма да работят. Препоръчваме да включиш интернет връзката за този сървър ако искаш да използваш всички тези функции.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Не е настроен кеш за паметта. За да повишите ефективността, моля настройте кеш за паметта ако е възможно. Допълнителна информация може да бъде намерена в нашата документация.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom не се чете от PHP, което е крайно нежелателно поради съображения за сигурност. Допълнителна информация може да бъде намерена в нашата документация.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "В момента използвате PHP {version}. Препоръчваме Ви да обновите своята PHP версия за да се възползвате от актуализации за ефективността и сигурността, предоставени от PHP Group, веднага след като вашата дистрибуция я поддържа.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Хедърите за обратно прокси са невалидни, или достъпвате Nextcloud от доверено прокси. Ако не достъпвате Nextcloud от доверено прокси, то това е проблем в сигурността и може да позволи на хакер да прикрие IP адреса си в Nextcloud. Допълнителна информация може да бъде намерена в нашата документация.", - "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 memcached wiki about both modules." : "Кеширането на паметта е настроено като разпределена кеш, но е инсталиран грешен PHP модул \"memcache\". \\OC\\Memcache\\Memcached поддържа само \"memcached\", и не \"memcache\". Прегледайте memcached wiki относно модулите.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Някой от файловете не преминаха проверката за цялост на кода. Допълнителна информация за това как да разрешите този проблем може да се намери в нашата документация. (Списък с невалидни файлове… / Сканиране отново…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", - "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." : "\"{header}\" HTTP хедъра не е конфигуриран да отговаря на \"{expected}\". Това е потенциален риск за сигурността или поверителността и ние препоръчваме да коригирате тази настройка.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP хедъра на \"Strict-Transport-Security\" не е конфигуриран за най-малко \"{seconds}\" секунди. За по-голяма сигурност Ви препоръчваме да активирате HSTS, както е описано в нашите съвети за сигурност..", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Достъпвате сайта чрез HTTP. Препоръчително е да настроите сървъра да изисква употребата на HTTPS, както е описано в съветите за сигурност.", - "Shared with {recipients}" : "Споделено с {recipients}", - "Error while unsharing" : "Грешка при премахване на споделянето", - "can reshare" : "може да споделя", - "can edit" : "може да променя", - "can create" : "може да създава", - "can change" : "може да ", - "can delete" : "може да изтрива", - "access control" : "контрол на достъпа", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Сподели с хора на други сървъри, използващи тяхните Федерални Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Споделяне с потребители или чрез имейл...", - "Share with users or remote users..." : "Споделяне с потребители или с отдалечени потребители...", - "Share with users, remote users or by mail..." : "Споделяне с потребители, отдалечени потребители или с имейл...", - "Share with users or groups..." : "Споделяне с потребители или групи...", - "Share with users, groups or by mail..." : "Споделяне с потребители, групи или чрез имейл...", - "Share with users, groups or remote users..." : "Споделяне с потребители, групи или отдалечени потребители...", - "Share with users, groups, remote users or by mail..." : "Споделяне с потребители, групи, отдалечени потребители или чрез имейл...", - "Share with users..." : "Споделяне с потребители...", - "The object type is not specified." : "Типът на обекта не е избран.", - "Enter new" : "Въвеждане на нов", - "Add" : "Добавяне", - "Edit tags" : "Промяна на етикетите", - "Error loading dialog template: {error}" : "Грешка при зареждането на шаблон за диалог: {error}.", - "No tags selected for deletion." : "Не са избрани тагове за изтриване.", - "The update was successful. Redirecting you to Nextcloud now." : "Обновяването беше успешно. Сега те пренасочваме към Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Здравейте,\n\nсамо да ви уведомяваме, че %s сподели %s с вас.\nРазгледай го: %s\n\n", - "The share will expire on %s." : "Споделянето ще изтече на %s.", - "Cheers!" : "Поздрави!", - "The server encountered an internal error and was unable to complete your request." : "Сървърът се натъкна на вътрешна грешка и неуспя да завърши заявката.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Моля, свържете се със сървърния администратор, ако тази грешка се появи отново. Също така Ви Молим да включите техническите данни, показани в доклада по-долу.", - "For information how to properly configure your server, please see the documentation." : "За информация как правилно да конфигурирате сървъра, моля, вижте документацията.", - "Log out" : "Отписване", - "This action requires you to confirm your password:" : "Това действие изисква да потвърдите паролата си:", - "Wrong password. Reset it?" : "Грешна парола. Желаете ли нова парола?", - "Use the following link to reset your password: {link}" : "Използвайте следната връзка, за да възстановите паролата си: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Здравейте,

само ви уведомяваме, че %s сподели %s с вас.\n
Разгледай го!

.", - "This Nextcloud instance is currently in single user mode." : "В момента този Nextcloud е в режим допускащ само един потребител.", - "This means only administrators can use the instance." : "Това означава, че само администраторът може да го използва.", - "You are accessing the server from an untrusted domain." : "Свръзвате се със сървъра от домейн, който не е отбелязан като сигурен.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимост от конфигурацията, като администратор натискайки долния бутон можете да маркирате домейна като сигурен.", - "Please use the command line updater because you have a big instance." : "Моля използвайте съветникът за обновяване в команден ред, защото инстанцията ви е голяма.", - "For help, see the documentation." : "За помощ, вижте документацията.", - "There was an error loading your contacts" : "Възникна грешка по време на зареждането на вашите контакти", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не е правилно конфигуриран. За по-добри резултати препоръчваме да използвате следните настройки в php.ini:", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Най-вероятно вашите данни и файлове са достъпни от интернет. .htaccess файлът не функционира. Силно препоръчваме да настроите уеб сървъра по такъв начин, че директорията за данни да не бъде достъпна или я преместете извън директорията на уеб сървъра.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддържа FreeType. Това ще доведе до неправилното показване на профилните снимки и настройките на интерфейса" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/core/l10n/ca.js b/core/l10n/ca.js index 3f399457c37f1..ae60bcc406f05 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -286,70 +286,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Aquesta instància %s està actualment en manteniment i podria trigar una estona.", "This page will refresh itself when the %s instance is available again." : "Aquesta pàgina s'actualitzarà automàticament quan la instància %s estigui disponible de nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacteu amb l'administrador del sistema si aquest missatge persisteix o apareix inesperadament.", - "Thank you for your patience." : "Gràcies per la paciència.", - "%s (3rdparty)" : "%s (de tercers)", - "Problem loading page, reloading in 5 seconds" : "Problemes carregant la pagina, recarregant en 5 segons", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Els vostres fitxers estan encriptats. Si no heu habilitat la clau de recuperació no hi haurà manera de recuperar les dades després que reestabliu la contrasenya.
Si sabeu què fer, contacteu amb l'administrador abans de continuar.
Voleu continuar?", - "Ok" : "D'acord", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "El servidor web no està configurat correctament per permetre la sincronització de fitxers perquè la interfície WebDAV sembla no funcionar correctament.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "El teu servidor web no està configurat correctament per resoldre \"{url}\". Trobareu més informació a la nostra documentació.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Aquest servidor no té cap connexió a Internet operativa: múltiples punts finals no es van poder contactar. Això significa que algunes de les funcions com muntatge d'emmagatzematge extern, notificacions sobre les actualitzacions o instal·lació d'apps de terceres parts no funcionarà. L’accés remot a arxius i l’enviament d'e-mail de notificació podrien no funcionar tampoc. Suggerim habilitar la connexió a Internet per a aquest servidor si voleu tenir tota la funcionalitat.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No s’ha configurat cap memòria cau. Per millorar el seu rendiment configureu un memcache si està disponible. Trobareu més informació a la nostra documentació.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom no és llegible per PHP que no és gens recomenable per motius de seguretat. Trobareu més informació a la nostra documentació.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualment esteu executant PHP {version}. Us animem a actualitzar la versió de PHP que feu servir per tenir avantatge d’actualitzacions de rendiment i seguretat proporcionats pel PHP Group tan aviat com ho suporti la vostra distribució.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuració de les capçaleres del proxi invers és incorrecta o estàs accedint a Nextcloud des d'un proxy de confiança. Si no estàs accedint a Nextcloud des d'un proxy de confiança, això és un risc de seguretat i pot permetre a un atacant suplantar la teva adreça d'IP com visible a Nextcloud. Trobareu més informació a la nostra documentació.", - "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 memcached wiki about both modules." : "Memcached es configura com a una memoria cau distribuïda, però s’ha instal·lat el mòdul erroni de PHP \"memcache\". \\OC\\Memcache\\Memcached només dóna suport a “memcached\" i no \"memcache\". Mireu el wiki de memcached sobre ambdós mòduls.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns fitxers no han passat la comprovació d'integritat. Trobareu més informació sobre com resoldre aquest assumpte a la nostra documentació. (Llista de fitxers no vàlids... / Reescannejar...)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La carpeta de dades i els vostres fitxers probablement són accessibles des d'Internet. El fitxer .htaccess no funciona. Us recomanem que configureu el servidor web de tal manera que la carpeta de dades no sigui accessible o que moveu la carpeta de dades fora de l'arrel de documents del servidor web.", - "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." : "L'encapçalament “{header}” HTTP no està configurat per ser igual a “{expected}”. Aquest és un potencial risc de seguretat o privacitat, i es recomana ajustar aquesta configuració.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "La capçalera HTTP “Strict-Transport-Security” no està configurada a un mínim de “{seconds}” segons. Per millor seguretat recomanem permetre HSTS com es descriu en els nostres consells de seguretat.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Esteu accedint aquesta web a través de HTTP. Us recomanem que configureu el servidor per requerir HTTPS tal i com es descriu als consells de seguretat.", - "Shared with {recipients}" : "Compartit amb {recipients}", - "Error while unsharing" : "Error en deixar de compartir", - "can reshare" : "pot recompartir", - "can edit" : "pot editar", - "can create" : "pot crear", - "can change" : "pot canviar", - "can delete" : "pot esborrar", - "access control" : "control d'accés", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Compartir amb gent a altres servidors utilitzant els seus ID de núvol federats usuari@exemple.com/nextcloud", - "Share with users or by mail..." : "Comparteix amb usuaris o per correu...", - "Share with users or remote users..." : "Comparteix amb usuaris o usuaris remots ...", - "Share with users, remote users or by mail..." : "Comparteix amb usuaris, usuaris remots o per correu...", - "Share with users or groups..." : "Comparteix amb usuaris o grups...", - "Share with users, groups or by mail..." : "Comparteix amb usuaris, grups o per correu...", - "Share with users, groups or remote users..." : "Comparteix amb usuaris, grups o usuaris remots...", - "Share with users, groups, remote users or by mail..." : "Comparteix amb usuaris, grups, usuaris remots o per correu...", - "Share with users..." : "Comparteix amb usuaris...", - "The object type is not specified." : "No s'ha especificat el tipus d'objecte.", - "Enter new" : "Escriu nou", - "Add" : "Afegeix", - "Edit tags" : "Edita etiquetes", - "Error loading dialog template: {error}" : "Error en carregar la plantilla de diàleg: {error}", - "No tags selected for deletion." : "No heu seleccionat les etiquetes a eliminar.", - "The update was successful. Redirecting you to Nextcloud now." : "L'actualització ha estat exitosa. Redirigint al teu Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Ei,\n\nnomés fer-te saber que %s ha compartit %s amb tu.\nMira-ho a: %s\n\n", - "The share will expire on %s." : "La compartició venç el %s.", - "Cheers!" : "Salut!", - "The server encountered an internal error and was unable to complete your request." : "El servidor ha trobat un error intern i no pot finalitzar la teva petició.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Per favor, posi's en contacte amb l'administrador del servidor si aquest error torna a aparèixer diverses vegades, per favor inclogui els detalls tècnics de baix en el seu informe.", - "For information how to properly configure your server, please see the documentation." : "Per a informació sobre com configurar correctament el servidor, podeu consultar la documentació.", - "Log out" : "Surt", - "This action requires you to confirm your password:" : "Aquesta acció necessita que confirmis la teva contrasenya:", - "Wrong password. Reset it?" : "Contrasenya incorrecta. Voleu restablir-la?", - "Use the following link to reset your password: {link}" : "Useu l'enllaç següent per restablir la contrasenya: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Ei,

només fer-vos saber que %s us ha comparti %s.
Mireu-ho!", - "This Nextcloud instance is currently in single user mode." : "La instància Nextcloud està en mode d'usuari únic.", - "This means only administrators can use the instance." : "Això significa que només els administradors poden usar la instància.", - "You are accessing the server from an untrusted domain." : "Esteu accedint al servidor des d'un domini no fiable.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Contacteu amb l'administrador. Si ets un administrador d'aquesta instància, configurar la opció \"trusted_domains\" en config/config.php. Config/config.sample.php ofereix una configuració d'exemple.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En funció de la teva configuració, com a administrador podries utilitzar el botó d'abaix per confiar en aquest domini.", - "Please use the command line updater because you have a big instance." : "Si us plau, utilitza l'actualització per línia de comandes perquè tens una instància gran.", - "For help, see the documentation." : "Per obtenir ajuda, mira la documentació.", - "There was an error loading your contacts" : "Hi ha hagut un error al carregar els teus contactes", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La OPcache de PHP no està configurada correctament. Per millor rendiment recomanem utilitzar-la seguint la configuració en el php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funció PHP \"set_time_limit\" no està disponible. Això podria resultar en scripts que s’aturin a mig execució, trencant la instal·lació. Us recomanem activar aquesta funció.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "El teu directori de dades i fitxers són probablement accessibles des d'Internet. L'arxiu .htaccess no està funcionant. Es recomana que configureu el servidor web de manera que el directori de dades no estigui accessible o moure el directori de dades fora de l'arrel de document de servidor de web.", - "You are about to grant \"%s\" access to your %s account." : "Estàs a punt de concedir accés \"%s\" al teu %s compte." + "Thank you for your patience." : "Gràcies per la paciència." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/ca.json b/core/l10n/ca.json index d4af5065c3f5f..862bace0710bc 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -284,70 +284,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Aquesta instància %s està actualment en manteniment i podria trigar una estona.", "This page will refresh itself when the %s instance is available again." : "Aquesta pàgina s'actualitzarà automàticament quan la instància %s estigui disponible de nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacteu amb l'administrador del sistema si aquest missatge persisteix o apareix inesperadament.", - "Thank you for your patience." : "Gràcies per la paciència.", - "%s (3rdparty)" : "%s (de tercers)", - "Problem loading page, reloading in 5 seconds" : "Problemes carregant la pagina, recarregant en 5 segons", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Els vostres fitxers estan encriptats. Si no heu habilitat la clau de recuperació no hi haurà manera de recuperar les dades després que reestabliu la contrasenya.
Si sabeu què fer, contacteu amb l'administrador abans de continuar.
Voleu continuar?", - "Ok" : "D'acord", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "El servidor web no està configurat correctament per permetre la sincronització de fitxers perquè la interfície WebDAV sembla no funcionar correctament.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "El teu servidor web no està configurat correctament per resoldre \"{url}\". Trobareu més informació a la nostra documentació.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Aquest servidor no té cap connexió a Internet operativa: múltiples punts finals no es van poder contactar. Això significa que algunes de les funcions com muntatge d'emmagatzematge extern, notificacions sobre les actualitzacions o instal·lació d'apps de terceres parts no funcionarà. L’accés remot a arxius i l’enviament d'e-mail de notificació podrien no funcionar tampoc. Suggerim habilitar la connexió a Internet per a aquest servidor si voleu tenir tota la funcionalitat.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No s’ha configurat cap memòria cau. Per millorar el seu rendiment configureu un memcache si està disponible. Trobareu més informació a la nostra documentació.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom no és llegible per PHP que no és gens recomenable per motius de seguretat. Trobareu més informació a la nostra documentació.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualment esteu executant PHP {version}. Us animem a actualitzar la versió de PHP que feu servir per tenir avantatge d’actualitzacions de rendiment i seguretat proporcionats pel PHP Group tan aviat com ho suporti la vostra distribució.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuració de les capçaleres del proxi invers és incorrecta o estàs accedint a Nextcloud des d'un proxy de confiança. Si no estàs accedint a Nextcloud des d'un proxy de confiança, això és un risc de seguretat i pot permetre a un atacant suplantar la teva adreça d'IP com visible a Nextcloud. Trobareu més informació a la nostra documentació.", - "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 memcached wiki about both modules." : "Memcached es configura com a una memoria cau distribuïda, però s’ha instal·lat el mòdul erroni de PHP \"memcache\". \\OC\\Memcache\\Memcached només dóna suport a “memcached\" i no \"memcache\". Mireu el wiki de memcached sobre ambdós mòduls.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns fitxers no han passat la comprovació d'integritat. Trobareu més informació sobre com resoldre aquest assumpte a la nostra documentació. (Llista de fitxers no vàlids... / Reescannejar...)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La carpeta de dades i els vostres fitxers probablement són accessibles des d'Internet. El fitxer .htaccess no funciona. Us recomanem que configureu el servidor web de tal manera que la carpeta de dades no sigui accessible o que moveu la carpeta de dades fora de l'arrel de documents del servidor web.", - "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." : "L'encapçalament “{header}” HTTP no està configurat per ser igual a “{expected}”. Aquest és un potencial risc de seguretat o privacitat, i es recomana ajustar aquesta configuració.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "La capçalera HTTP “Strict-Transport-Security” no està configurada a un mínim de “{seconds}” segons. Per millor seguretat recomanem permetre HSTS com es descriu en els nostres consells de seguretat.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Esteu accedint aquesta web a través de HTTP. Us recomanem que configureu el servidor per requerir HTTPS tal i com es descriu als consells de seguretat.", - "Shared with {recipients}" : "Compartit amb {recipients}", - "Error while unsharing" : "Error en deixar de compartir", - "can reshare" : "pot recompartir", - "can edit" : "pot editar", - "can create" : "pot crear", - "can change" : "pot canviar", - "can delete" : "pot esborrar", - "access control" : "control d'accés", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Compartir amb gent a altres servidors utilitzant els seus ID de núvol federats usuari@exemple.com/nextcloud", - "Share with users or by mail..." : "Comparteix amb usuaris o per correu...", - "Share with users or remote users..." : "Comparteix amb usuaris o usuaris remots ...", - "Share with users, remote users or by mail..." : "Comparteix amb usuaris, usuaris remots o per correu...", - "Share with users or groups..." : "Comparteix amb usuaris o grups...", - "Share with users, groups or by mail..." : "Comparteix amb usuaris, grups o per correu...", - "Share with users, groups or remote users..." : "Comparteix amb usuaris, grups o usuaris remots...", - "Share with users, groups, remote users or by mail..." : "Comparteix amb usuaris, grups, usuaris remots o per correu...", - "Share with users..." : "Comparteix amb usuaris...", - "The object type is not specified." : "No s'ha especificat el tipus d'objecte.", - "Enter new" : "Escriu nou", - "Add" : "Afegeix", - "Edit tags" : "Edita etiquetes", - "Error loading dialog template: {error}" : "Error en carregar la plantilla de diàleg: {error}", - "No tags selected for deletion." : "No heu seleccionat les etiquetes a eliminar.", - "The update was successful. Redirecting you to Nextcloud now." : "L'actualització ha estat exitosa. Redirigint al teu Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Ei,\n\nnomés fer-te saber que %s ha compartit %s amb tu.\nMira-ho a: %s\n\n", - "The share will expire on %s." : "La compartició venç el %s.", - "Cheers!" : "Salut!", - "The server encountered an internal error and was unable to complete your request." : "El servidor ha trobat un error intern i no pot finalitzar la teva petició.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Per favor, posi's en contacte amb l'administrador del servidor si aquest error torna a aparèixer diverses vegades, per favor inclogui els detalls tècnics de baix en el seu informe.", - "For information how to properly configure your server, please see the documentation." : "Per a informació sobre com configurar correctament el servidor, podeu consultar la documentació.", - "Log out" : "Surt", - "This action requires you to confirm your password:" : "Aquesta acció necessita que confirmis la teva contrasenya:", - "Wrong password. Reset it?" : "Contrasenya incorrecta. Voleu restablir-la?", - "Use the following link to reset your password: {link}" : "Useu l'enllaç següent per restablir la contrasenya: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Ei,

només fer-vos saber que %s us ha comparti %s.
Mireu-ho!", - "This Nextcloud instance is currently in single user mode." : "La instància Nextcloud està en mode d'usuari únic.", - "This means only administrators can use the instance." : "Això significa que només els administradors poden usar la instància.", - "You are accessing the server from an untrusted domain." : "Esteu accedint al servidor des d'un domini no fiable.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Contacteu amb l'administrador. Si ets un administrador d'aquesta instància, configurar la opció \"trusted_domains\" en config/config.php. Config/config.sample.php ofereix una configuració d'exemple.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En funció de la teva configuració, com a administrador podries utilitzar el botó d'abaix per confiar en aquest domini.", - "Please use the command line updater because you have a big instance." : "Si us plau, utilitza l'actualització per línia de comandes perquè tens una instància gran.", - "For help, see the documentation." : "Per obtenir ajuda, mira la documentació.", - "There was an error loading your contacts" : "Hi ha hagut un error al carregar els teus contactes", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La OPcache de PHP no està configurada correctament. Per millor rendiment recomanem utilitzar-la seguint la configuració en el php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funció PHP \"set_time_limit\" no està disponible. Això podria resultar en scripts que s’aturin a mig execució, trencant la instal·lació. Us recomanem activar aquesta funció.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "El teu directori de dades i fitxers són probablement accessibles des d'Internet. L'arxiu .htaccess no està funcionant. Es recomana que configureu el servidor web de manera que el directori de dades no estigui accessible o moure el directori de dades fora de l'arrel de document de servidor de web.", - "You are about to grant \"%s\" access to your %s account." : "Estàs a punt de concedir accés \"%s\" al teu %s compte." + "Thank you for your patience." : "Gràcies per la paciència." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/cs.js b/core/l10n/cs.js index f271dbcb04390..b34eab383f685 100644 --- a/core/l10n/cs.js +++ b/core/l10n/cs.js @@ -290,70 +290,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Tato instalace %s je právě ve stavu údržby a to může chvíli trvat.", "This page will refresh itself when the %s instance is available again." : "Tato stránka se automaticky načte poté, co bude opět dostupná instance %s.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správce systému, pokud se tato zpráva objevuje opakovaně nebo nečekaně.", - "Thank you for your patience." : "Děkujeme za vaši trpělivost.", - "%s (3rdparty)" : "%s (3. strana)", - "Problem loading page, reloading in 5 seconds" : "Problém s načítáním stránky, stránka se obnoví za 5 sekund", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vaše soubory jsou šifrovány. Pokud jste nepovolili klíč pro obnovení, neexistuje způsob jak získat po změně hesla vaše data zpět.
Pokud si nejste jisti co dělat, kontaktujte nejprve svého správce systému, než budete pokračovat.
Opravdu si přejete pokračovat?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Váš webový server ještě není správně nastaven pro umožnění synchronizace souborů, protože rozhraní WebDAV je pravděpodobně rozbité.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tento webový server není správně nastaven pro rozpoznání \"{url}\". Více informací lze nalézt v naší dokumentaci.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Tento server nemá funkční připojení k Internetu: Nedaří se připojit k vícero koncovým bodům. Některé moduly jako např. externí úložiště, oznámení o dostupných aktualizacích nebo instalace aplikací třetích stran nebudou fungovat. Přístup k souborům z jiných míst a odesílání oznamovacích emailů také nemusí fungovat. Pokud chcete využívat všechny možnosti tohoto serveru, doporučujeme povolit připojení k Internetu.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nebyla nakonfigurována paměťová cache. Pokud je dostupná, nakonfigurujte ji prosím pro zlepšení výkonu. Další informace lze nalézt v naší dokumentaci.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP nemá práva pro čtení v /dev/urandom, to je ale z bezpečnostních důvodů velmi doporučováno. Více informací lze nalézt v naší dokumentaci.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Aktuálně používáte PHP {version}. Doporučujeme aktualizovat verzi PHP, abyste mohli využít výkonnostních a bezpečnostních aktualizací poskytovaných autory PHP tak rychle, jak to vaše distribuce umožňuje.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurace hlaviček reverzní proxy není správná nebo přistupujete na Nextcloud z důvěryhodné proxy. Pokud nepřistupujete k Nextcloud z důvěryhodné proxy, potom je toto bezpečností chyba a může útočníkovi umožnit falšovat IP adresu, kterou ownCloud vidí. Další informace lze nalézt v naší dokumentaci.", - "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 memcached wiki about both modules." : "Je nakonfigurován memcached jako distribuovaná cache, ale je nainstalovaný nesprávný PHP modul \"memcache\". \\OC\\Memcache\\Memcached podporuje pouze \"memcached\" a ne \"memcache\". Podívejte se na memcached wiki o obou modulech.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Některé soubory neprošly kontrolou integrity. Více informací o tom jak tento problém vyřešit, lze nalézt v naší dokumentaci. (Seznam neplatných souborů… / Znovu ověřit…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš datový adresář i vaše soubory jsou pravděpodobně přístupné z Internetu. Soubor .htaccess nefunguje. Důrazně doporučujeme nakonfigurovat webový server tak, aby datový adresář nebyl nadále přístupný, nebo přesunout datový adresář mimo prostor zpřístupňovaný webovým serverem.", - "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 hlavička \"{header}\" není nakonfigurována ve shodě s \"{expected}\". To značí možné ohrožení bezpečnosti a soukromí a je doporučeno toto nastavení upravit.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP hlavička \"Strict-Transport-Security\" není nakonfigurována na minimum \"{seconds}\" sekund. Pro vylepšení bezpečnosti doporučujeme povolit HSTS dle popisu v našich bezpečnostních tipech.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Přistupujete na tuto stránku přes protokol HTTP. Důrazně doporučujeme nakonfigurovat server tak, aby vyžadoval použití HTTPS jak je popsáno v našich bezpečnostních tipech.", - "Shared with {recipients}" : "Sdíleno s {recipients}", - "Error while unsharing" : "Chyba při rušení sdílení", - "can reshare" : "Může znovu sdílet", - "can edit" : "lze upravovat", - "can create" : "může vytvořit", - "can change" : "může měnit", - "can delete" : "může smazat", - "access control" : "řízení přístupu", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Sdílet s uživateli na jiných serverech za použití jejich sdílených cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Sdílejte s uživateli, nebo emailem...", - "Share with users or remote users..." : "Sdílet s uživateli nebo vzdálenými uživateli...", - "Share with users, remote users or by mail..." : "Sdílet s uživateli, vzdálenými uživateli, nebo emailem...", - "Share with users or groups..." : "Sdílet s uživateli nebo skupinami...", - "Share with users, groups or by mail..." : "Sdílejte s uživateli, skupinami, nebo emailem...", - "Share with users, groups or remote users..." : "Sdílet s uživateli, skupinami nebo vzdálenými uživateli...", - "Share with users, groups, remote users or by mail..." : "Sdílejte s uživateli, skupinami, vzdálenými uživateli, nebo emailem...", - "Share with users..." : "Sdílet s uživateli...", - "The object type is not specified." : "Není určen typ objektu.", - "Enter new" : "Zadat nový", - "Add" : "Přidat", - "Edit tags" : "Editovat štítky", - "Error loading dialog template: {error}" : "Chyba při načítání šablony dialogu: {error}", - "No tags selected for deletion." : "Žádné štítky nebyly vybrány ke smazání.", - "The update was successful. Redirecting you to Nextcloud now." : "Aktualizace byla úspěšná. Probíhá přesměrování na Nexcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hej ty tam,\n\njen ti chci dát vědět, že %s sdílel %s s tebou.\nZobraz si to: %s\n\n", - "The share will expire on %s." : "Sdílení vyprší %s.", - "Cheers!" : "Ať slouží!", - "The server encountered an internal error and was unable to complete your request." : "Server zaznamenal interní chybu a nebyl schopen dokončit váš požadavek.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontaktujte prosím správce serveru, pokud se bude tato chyba opakovat. Připojte do svého hlášení níže zobrazené technické detaily.", - "For information how to properly configure your server, please see the documentation." : "Pro informace, jak správně nastavit váš server, se podívejte do dokumentace.", - "Log out" : "Odhlásit se", - "This action requires you to confirm your password:" : "Tato akce vyžaduje potvrzení vašeho hesla:", - "Wrong password. Reset it?" : "Nesprávné heslo. Resetovat?", - "Use the following link to reset your password: {link}" : "Heslo obnovíte použitím následujícího odkazu: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Ahoj,

jen ti dávám vědět, že s tebou %s sdílí %s.
Zkontroluj to!

", - "This Nextcloud instance is currently in single user mode." : "Tato instalace Nextcloudu je momentálně v jednouživatelském módu.", - "This means only administrators can use the instance." : "To znamená, že pouze správci systému mohou aplikaci používat.", - "You are accessing the server from an untrusted domain." : "Přistupujete na server z nedůvěryhodné domény.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontaktujte prosím svého správce. Pokud spravujete tuto instalaci, nastavte \"trusted_domains\" v souboru config/config.php. Příklad konfigurace najdete v souboru config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na vaší konfiguraci vám může být, jako správci, umožněno použití tlačítka níže k označení této domény jako důvěryhodné.", - "Please use the command line updater because you have a big instance." : "Prosím použijte aktualizační příkazový řádek, protože máte velkou instanci.", - "For help, see the documentation." : "Pro pomoc, shlédněte dokumentaci.", - "There was an error loading your contacts" : "Při načítání vašich kontaktů došlo k chybě", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache není správně nakonfigurována.Pro lepší výkon doporučujeme použít následující nastavení v php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funkce \"set_time_limit\" není dostupná. To může způsobit ukončení skriptů uprostřed provádění a další problémy s instalací. Doporučujeme tuto funkc povolit.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš datový adresář a vaše soubory jsou pravděpodobně dostupné z internetu. Soubor .htaccess nefunguje. Je velmi doporučeno zajistit, aby tento adresář již nebyl dostupný z internetu, nebo byl přesunut mimo document root webového serveru.", - "You are about to grant \"%s\" access to your %s account." : "Chystáte se \"%s\" povolit přístup k vašemu %s účtu." + "Thank you for your patience." : "Děkujeme za vaši trpělivost." }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/core/l10n/cs.json b/core/l10n/cs.json index 455574355fbef..2df8645e3b244 100644 --- a/core/l10n/cs.json +++ b/core/l10n/cs.json @@ -288,70 +288,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Tato instalace %s je právě ve stavu údržby a to může chvíli trvat.", "This page will refresh itself when the %s instance is available again." : "Tato stránka se automaticky načte poté, co bude opět dostupná instance %s.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správce systému, pokud se tato zpráva objevuje opakovaně nebo nečekaně.", - "Thank you for your patience." : "Děkujeme za vaši trpělivost.", - "%s (3rdparty)" : "%s (3. strana)", - "Problem loading page, reloading in 5 seconds" : "Problém s načítáním stránky, stránka se obnoví za 5 sekund", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vaše soubory jsou šifrovány. Pokud jste nepovolili klíč pro obnovení, neexistuje způsob jak získat po změně hesla vaše data zpět.
Pokud si nejste jisti co dělat, kontaktujte nejprve svého správce systému, než budete pokračovat.
Opravdu si přejete pokračovat?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Váš webový server ještě není správně nastaven pro umožnění synchronizace souborů, protože rozhraní WebDAV je pravděpodobně rozbité.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tento webový server není správně nastaven pro rozpoznání \"{url}\". Více informací lze nalézt v naší dokumentaci.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Tento server nemá funkční připojení k Internetu: Nedaří se připojit k vícero koncovým bodům. Některé moduly jako např. externí úložiště, oznámení o dostupných aktualizacích nebo instalace aplikací třetích stran nebudou fungovat. Přístup k souborům z jiných míst a odesílání oznamovacích emailů také nemusí fungovat. Pokud chcete využívat všechny možnosti tohoto serveru, doporučujeme povolit připojení k Internetu.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nebyla nakonfigurována paměťová cache. Pokud je dostupná, nakonfigurujte ji prosím pro zlepšení výkonu. Další informace lze nalézt v naší dokumentaci.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP nemá práva pro čtení v /dev/urandom, to je ale z bezpečnostních důvodů velmi doporučováno. Více informací lze nalézt v naší dokumentaci.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Aktuálně používáte PHP {version}. Doporučujeme aktualizovat verzi PHP, abyste mohli využít výkonnostních a bezpečnostních aktualizací poskytovaných autory PHP tak rychle, jak to vaše distribuce umožňuje.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurace hlaviček reverzní proxy není správná nebo přistupujete na Nextcloud z důvěryhodné proxy. Pokud nepřistupujete k Nextcloud z důvěryhodné proxy, potom je toto bezpečností chyba a může útočníkovi umožnit falšovat IP adresu, kterou ownCloud vidí. Další informace lze nalézt v naší dokumentaci.", - "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 memcached wiki about both modules." : "Je nakonfigurován memcached jako distribuovaná cache, ale je nainstalovaný nesprávný PHP modul \"memcache\". \\OC\\Memcache\\Memcached podporuje pouze \"memcached\" a ne \"memcache\". Podívejte se na memcached wiki o obou modulech.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Některé soubory neprošly kontrolou integrity. Více informací o tom jak tento problém vyřešit, lze nalézt v naší dokumentaci. (Seznam neplatných souborů… / Znovu ověřit…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš datový adresář i vaše soubory jsou pravděpodobně přístupné z Internetu. Soubor .htaccess nefunguje. Důrazně doporučujeme nakonfigurovat webový server tak, aby datový adresář nebyl nadále přístupný, nebo přesunout datový adresář mimo prostor zpřístupňovaný webovým serverem.", - "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 hlavička \"{header}\" není nakonfigurována ve shodě s \"{expected}\". To značí možné ohrožení bezpečnosti a soukromí a je doporučeno toto nastavení upravit.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP hlavička \"Strict-Transport-Security\" není nakonfigurována na minimum \"{seconds}\" sekund. Pro vylepšení bezpečnosti doporučujeme povolit HSTS dle popisu v našich bezpečnostních tipech.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Přistupujete na tuto stránku přes protokol HTTP. Důrazně doporučujeme nakonfigurovat server tak, aby vyžadoval použití HTTPS jak je popsáno v našich bezpečnostních tipech.", - "Shared with {recipients}" : "Sdíleno s {recipients}", - "Error while unsharing" : "Chyba při rušení sdílení", - "can reshare" : "Může znovu sdílet", - "can edit" : "lze upravovat", - "can create" : "může vytvořit", - "can change" : "může měnit", - "can delete" : "může smazat", - "access control" : "řízení přístupu", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Sdílet s uživateli na jiných serverech za použití jejich sdílených cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Sdílejte s uživateli, nebo emailem...", - "Share with users or remote users..." : "Sdílet s uživateli nebo vzdálenými uživateli...", - "Share with users, remote users or by mail..." : "Sdílet s uživateli, vzdálenými uživateli, nebo emailem...", - "Share with users or groups..." : "Sdílet s uživateli nebo skupinami...", - "Share with users, groups or by mail..." : "Sdílejte s uživateli, skupinami, nebo emailem...", - "Share with users, groups or remote users..." : "Sdílet s uživateli, skupinami nebo vzdálenými uživateli...", - "Share with users, groups, remote users or by mail..." : "Sdílejte s uživateli, skupinami, vzdálenými uživateli, nebo emailem...", - "Share with users..." : "Sdílet s uživateli...", - "The object type is not specified." : "Není určen typ objektu.", - "Enter new" : "Zadat nový", - "Add" : "Přidat", - "Edit tags" : "Editovat štítky", - "Error loading dialog template: {error}" : "Chyba při načítání šablony dialogu: {error}", - "No tags selected for deletion." : "Žádné štítky nebyly vybrány ke smazání.", - "The update was successful. Redirecting you to Nextcloud now." : "Aktualizace byla úspěšná. Probíhá přesměrování na Nexcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hej ty tam,\n\njen ti chci dát vědět, že %s sdílel %s s tebou.\nZobraz si to: %s\n\n", - "The share will expire on %s." : "Sdílení vyprší %s.", - "Cheers!" : "Ať slouží!", - "The server encountered an internal error and was unable to complete your request." : "Server zaznamenal interní chybu a nebyl schopen dokončit váš požadavek.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontaktujte prosím správce serveru, pokud se bude tato chyba opakovat. Připojte do svého hlášení níže zobrazené technické detaily.", - "For information how to properly configure your server, please see the documentation." : "Pro informace, jak správně nastavit váš server, se podívejte do dokumentace.", - "Log out" : "Odhlásit se", - "This action requires you to confirm your password:" : "Tato akce vyžaduje potvrzení vašeho hesla:", - "Wrong password. Reset it?" : "Nesprávné heslo. Resetovat?", - "Use the following link to reset your password: {link}" : "Heslo obnovíte použitím následujícího odkazu: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Ahoj,

jen ti dávám vědět, že s tebou %s sdílí %s.
Zkontroluj to!

", - "This Nextcloud instance is currently in single user mode." : "Tato instalace Nextcloudu je momentálně v jednouživatelském módu.", - "This means only administrators can use the instance." : "To znamená, že pouze správci systému mohou aplikaci používat.", - "You are accessing the server from an untrusted domain." : "Přistupujete na server z nedůvěryhodné domény.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontaktujte prosím svého správce. Pokud spravujete tuto instalaci, nastavte \"trusted_domains\" v souboru config/config.php. Příklad konfigurace najdete v souboru config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na vaší konfiguraci vám může být, jako správci, umožněno použití tlačítka níže k označení této domény jako důvěryhodné.", - "Please use the command line updater because you have a big instance." : "Prosím použijte aktualizační příkazový řádek, protože máte velkou instanci.", - "For help, see the documentation." : "Pro pomoc, shlédněte dokumentaci.", - "There was an error loading your contacts" : "Při načítání vašich kontaktů došlo k chybě", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache není správně nakonfigurována.Pro lepší výkon doporučujeme použít následující nastavení v php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funkce \"set_time_limit\" není dostupná. To může způsobit ukončení skriptů uprostřed provádění a další problémy s instalací. Doporučujeme tuto funkc povolit.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš datový adresář a vaše soubory jsou pravděpodobně dostupné z internetu. Soubor .htaccess nefunguje. Je velmi doporučeno zajistit, aby tento adresář již nebyl dostupný z internetu, nebo byl přesunut mimo document root webového serveru.", - "You are about to grant \"%s\" access to your %s account." : "Chystáte se \"%s\" povolit přístup k vašemu %s účtu." + "Thank you for your patience." : "Děkujeme za vaši trpělivost." },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/core/l10n/da.js b/core/l10n/da.js index 222180aff652d..99c558e908015 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -294,70 +294,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Denne %s-instans befinder sig i vedligeholdelsestilstand for øjeblikket, hvilket kan tage et stykke tid.", "This page will refresh itself when the %s instance is available again." : "Denne side vil genopfriske sig selv, når %s-instancen er tilgængelig igen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren, hvis denne meddelelse fortsætter eller optrådte uventet.", - "Thank you for your patience." : "Tak for din tålmodighed.", - "%s (3rdparty)" : "%s (3rdparty)", - "Problem loading page, reloading in 5 seconds" : "Problem med indlæsning af side, genindlæser om 5 sekunder", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dine filer er krypterede. Hvis du ikke har aktiveret gendannelsesnøglen kan du ikke få dine data tilbage efter at du har ændret adgangskode.
Hvis du ikke er sikker på, hvad du skal gøre så kontakt din administrator før du fortsætter.
Vil du fortsætte?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Din webserver er endnu ikke sat korrekt op til at tillade filsynkronisering, fordi WebDAV-grænsefladen ser ud til at være i stykker.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din webserver er ikke sat op til at benytte \"{url}\". Nærmere information kan findes i vores dokumentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Serveren har ikke nogen aktiv internetforbindelse: Nogle data kan ikke tilgås. Det betyder at funktioner som forbinde eksterne enheder, notifikationer om opdateringer og installation af 3.parts udvidelser ikke vil virke. Få forbindelse til filer og sende notifikations email virker måske heller ikke. \nVi anbefaler at du får etableret en internetforbindelse hvis du ønsker alle funktioner skal virke.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Der er ikke konfigureret noget hukommelsesmellemlager. For at forbedre din ydelse bør du om muligt konfigurere en mamcache. Yderligere information findes i dokumentationen.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom kan ikke læses af PHP, hvilket stærkt frarådes af sikkerhedsgrunde. Yderligere information kan findes i vores dokumentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du kører i øjeblikket med PHP {version}. Vi anbefaler dig at opgradere din PHP version for at få glæde af ydelses- og sikkerhedsopdateringer udgivet af the PHP Group så snart din dintribution understøtter dem.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurationen af reverse proxy-headere er ikke korrekt eller du tilgår Nextcloud fra en betroet proxy. Hvis du ikke tilgår Nextcloud fra en betroet proxy, så er dette et sikkerhedsproblem og kan tillade en angriber af forfalske deres IP-adresse som synlig for Nextcloud. Yderligere information kan findes i vores dokumentation.", - "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 memcached wiki about both modules." : "Memcached er konfigureret som et distribueret mellemlager, men det forkerte PHP-modul \"memcache\" er installeret. \\OC\\Memcache\\Memcached understøtter kun \"memcached\" og ikke \"memcache\". Se memcached-wikien om begge moduler.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Nogle filer har ikke bestået integritetskontrollen. Yderligere information om hvordan man løser dette problem kan findes i vores dodumentation. (Liste over ugyldige filer... / Scan igen…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din data mappe og dine filer er muligvis tilgængelige fra internettet. Filen .htaccess fungerer ikke. Vi anbefaler på det kraftigste, at du konfigurerer din webserver således at datamappen ikke længere er tilgængelig, eller at du flytter datamappen uden for webserverens dokumentrod.", - "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-hovedet \"{header}\" er ikke konfigureret til at være lig med \"{expected}\". Dette er en potentiel sikkerhedsrisiko, og vi anbefaler at du justerer denne indstilling.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP headeren \"Strict-Transport-Security\" er ikke konfigureret til mindst \"{seconds}\" sekunder. For bedre sikkerhed anbefaler vi at aktivere HSTS som beskrevet i vores sikkerhedstips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du tilgår dette sted gennem HTTP. Vi anbefaler kraftigt at du konfigurerer din server, så der kræves brug af HTTPS i stedet for, som foreskrevet i vores sikkerhedstips.", - "Shared with {recipients}" : "Delt med {recipients}", - "Error while unsharing" : "Fejl under annullering af deling", - "can reshare" : "kan gendele", - "can edit" : "kan redigere", - "can create" : "kan oprette", - "can change" : "kan ændre", - "can delete" : "kan slette", - "access control" : "adgangskontrol", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Del med andre på en anden server ved hjælp af deres Federated Cloud id username@example.com/nextcloud", - "Share with users or by mail..." : "Del med andre brugere eller via e-mail...", - "Share with users or remote users..." : "Del med brugere eller med eksterne brugere...", - "Share with users, remote users or by mail..." : "Del med brugere, eksterne brugere eller via e-mail...", - "Share with users or groups..." : "Del med brugere eller grupper...", - "Share with users, groups or by mail..." : "Del med brugere, grupper eller via e-mail...", - "Share with users, groups or remote users..." : "Del med brugere, brupper eller eksterne brugere...", - "Share with users, groups, remote users or by mail..." : "Del med brugere, grupper, eksterne brugere eller via e-mail...", - "Share with users..." : "Del med brugere...", - "The object type is not specified." : "Objekttypen er ikke angivet.", - "Enter new" : "Indtast nyt", - "Add" : "Tilføj", - "Edit tags" : "Redigér mærker", - "Error loading dialog template: {error}" : "Fejl ved indlæsning dialog skabelon: {error}", - "No tags selected for deletion." : "Ingen mærker markeret til sletning.", - "The update was successful. Redirecting you to Nextcloud now." : "Opdateringen blev udført korrekt. Du bliver nu viderestillet til Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hej\n\nDette blot for at lade dig vide, at %s har delt %s med dig.\n\nSe det her: %s\n\n", - "The share will expire on %s." : "Delingen vil udløbe om %s.", - "Cheers!" : "Hav en fortsat god dag!", - "The server encountered an internal error and was unable to complete your request." : "Servern stødte på en intern fejl og var ikke i stand til at fuldføre din forespørgsel.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontakt venligst serveradministratoren, hvis denne fejl gentager sig flere gange - medtag venligst de tekniske detaljer nedenfor i din rapport.", - "For information how to properly configure your server, please see the documentation." : "For information om, hvordan du konfigurerer din server korrekt se dokumentationen.", - "Log out" : "Log ud", - "This action requires you to confirm your password:" : "Denne handling kræver at du bekræfter dit kodeord:", - "Wrong password. Reset it?" : "Forkert kodeord. Skal det nulstilles?", - "Use the following link to reset your password: {link}" : "Anvend følgende link til at nulstille din adgangskode: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hej med dig,

Dette er blot for at informere dig om, at %s har delt %s med dig.
Se det her!

", - "This Nextcloud instance is currently in single user mode." : "Denne Nextcloud instans er lige nu i enkeltbruger tilstand.", - "This means only administrators can use the instance." : "Det betyder at det kun er administrator, som kan benytte ownCloud.", - "You are accessing the server from an untrusted domain." : "Du tilgår serveren fra et utroværdigt domæne.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontakt venligst din administrator. Hvis du er administratoren af denne server, skal du konfigurerer \"trusted-domains\" i filen config/config.php. Et eksempel på hvordan kan findes i filen config/config.sample.php", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhænger af din konfiguration, da du som administrator eventuelt også er i stand til at gøre brug af knappen nedenfor til at tildele tillid til dette domæne.", - "Please use the command line updater because you have a big instance." : "Brug venligst kommandolinje til at opdatere fordi du har en stor installation", - "For help, see the documentation." : "For hjælp se dokumentationen.", - "There was an error loading your contacts" : "Der opstod en fejl under indlæsning af dine kontakter", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache er ikke rigtigt konfigureret. For bedre performance anbefaler vi at bruge følgende indstillinger i php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funktionen \"set_time_limit\" er ikke tilgængelig. Dette kan resultere i at scripts stopper halvvejs og din installation fejler. Vi anbefaler at aktivere denne funktion.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din data-mappe og dine filer ser ud til at være tilgængelig på intetnettet. Din .htaccess fungere ikke korrekt. Du anbefales på det kraftigste til at sætte din webserver op så din data-mappe ikke længere er tilgængelig på intetnettet eller flytte data-mappen væk fra webserverens dokumentrod.", - "You are about to grant \"%s\" access to your %s account." : "Du er ved at tildele \"%s\" adgang til din %s konto." + "Thank you for your patience." : "Tak for din tålmodighed." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/da.json b/core/l10n/da.json index 4885bce46eccd..92ecc893bb84d 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -292,70 +292,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Denne %s-instans befinder sig i vedligeholdelsestilstand for øjeblikket, hvilket kan tage et stykke tid.", "This page will refresh itself when the %s instance is available again." : "Denne side vil genopfriske sig selv, når %s-instancen er tilgængelig igen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren, hvis denne meddelelse fortsætter eller optrådte uventet.", - "Thank you for your patience." : "Tak for din tålmodighed.", - "%s (3rdparty)" : "%s (3rdparty)", - "Problem loading page, reloading in 5 seconds" : "Problem med indlæsning af side, genindlæser om 5 sekunder", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Dine filer er krypterede. Hvis du ikke har aktiveret gendannelsesnøglen kan du ikke få dine data tilbage efter at du har ændret adgangskode.
Hvis du ikke er sikker på, hvad du skal gøre så kontakt din administrator før du fortsætter.
Vil du fortsætte?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Din webserver er endnu ikke sat korrekt op til at tillade filsynkronisering, fordi WebDAV-grænsefladen ser ud til at være i stykker.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din webserver er ikke sat op til at benytte \"{url}\". Nærmere information kan findes i vores dokumentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Serveren har ikke nogen aktiv internetforbindelse: Nogle data kan ikke tilgås. Det betyder at funktioner som forbinde eksterne enheder, notifikationer om opdateringer og installation af 3.parts udvidelser ikke vil virke. Få forbindelse til filer og sende notifikations email virker måske heller ikke. \nVi anbefaler at du får etableret en internetforbindelse hvis du ønsker alle funktioner skal virke.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Der er ikke konfigureret noget hukommelsesmellemlager. For at forbedre din ydelse bør du om muligt konfigurere en mamcache. Yderligere information findes i dokumentationen.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom kan ikke læses af PHP, hvilket stærkt frarådes af sikkerhedsgrunde. Yderligere information kan findes i vores dokumentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du kører i øjeblikket med PHP {version}. Vi anbefaler dig at opgradere din PHP version for at få glæde af ydelses- og sikkerhedsopdateringer udgivet af the PHP Group så snart din dintribution understøtter dem.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurationen af reverse proxy-headere er ikke korrekt eller du tilgår Nextcloud fra en betroet proxy. Hvis du ikke tilgår Nextcloud fra en betroet proxy, så er dette et sikkerhedsproblem og kan tillade en angriber af forfalske deres IP-adresse som synlig for Nextcloud. Yderligere information kan findes i vores dokumentation.", - "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 memcached wiki about both modules." : "Memcached er konfigureret som et distribueret mellemlager, men det forkerte PHP-modul \"memcache\" er installeret. \\OC\\Memcache\\Memcached understøtter kun \"memcached\" og ikke \"memcache\". Se memcached-wikien om begge moduler.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Nogle filer har ikke bestået integritetskontrollen. Yderligere information om hvordan man løser dette problem kan findes i vores dodumentation. (Liste over ugyldige filer... / Scan igen…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din data mappe og dine filer er muligvis tilgængelige fra internettet. Filen .htaccess fungerer ikke. Vi anbefaler på det kraftigste, at du konfigurerer din webserver således at datamappen ikke længere er tilgængelig, eller at du flytter datamappen uden for webserverens dokumentrod.", - "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-hovedet \"{header}\" er ikke konfigureret til at være lig med \"{expected}\". Dette er en potentiel sikkerhedsrisiko, og vi anbefaler at du justerer denne indstilling.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP headeren \"Strict-Transport-Security\" er ikke konfigureret til mindst \"{seconds}\" sekunder. For bedre sikkerhed anbefaler vi at aktivere HSTS som beskrevet i vores sikkerhedstips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du tilgår dette sted gennem HTTP. Vi anbefaler kraftigt at du konfigurerer din server, så der kræves brug af HTTPS i stedet for, som foreskrevet i vores sikkerhedstips.", - "Shared with {recipients}" : "Delt med {recipients}", - "Error while unsharing" : "Fejl under annullering af deling", - "can reshare" : "kan gendele", - "can edit" : "kan redigere", - "can create" : "kan oprette", - "can change" : "kan ændre", - "can delete" : "kan slette", - "access control" : "adgangskontrol", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Del med andre på en anden server ved hjælp af deres Federated Cloud id username@example.com/nextcloud", - "Share with users or by mail..." : "Del med andre brugere eller via e-mail...", - "Share with users or remote users..." : "Del med brugere eller med eksterne brugere...", - "Share with users, remote users or by mail..." : "Del med brugere, eksterne brugere eller via e-mail...", - "Share with users or groups..." : "Del med brugere eller grupper...", - "Share with users, groups or by mail..." : "Del med brugere, grupper eller via e-mail...", - "Share with users, groups or remote users..." : "Del med brugere, brupper eller eksterne brugere...", - "Share with users, groups, remote users or by mail..." : "Del med brugere, grupper, eksterne brugere eller via e-mail...", - "Share with users..." : "Del med brugere...", - "The object type is not specified." : "Objekttypen er ikke angivet.", - "Enter new" : "Indtast nyt", - "Add" : "Tilføj", - "Edit tags" : "Redigér mærker", - "Error loading dialog template: {error}" : "Fejl ved indlæsning dialog skabelon: {error}", - "No tags selected for deletion." : "Ingen mærker markeret til sletning.", - "The update was successful. Redirecting you to Nextcloud now." : "Opdateringen blev udført korrekt. Du bliver nu viderestillet til Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hej\n\nDette blot for at lade dig vide, at %s har delt %s med dig.\n\nSe det her: %s\n\n", - "The share will expire on %s." : "Delingen vil udløbe om %s.", - "Cheers!" : "Hav en fortsat god dag!", - "The server encountered an internal error and was unable to complete your request." : "Servern stødte på en intern fejl og var ikke i stand til at fuldføre din forespørgsel.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontakt venligst serveradministratoren, hvis denne fejl gentager sig flere gange - medtag venligst de tekniske detaljer nedenfor i din rapport.", - "For information how to properly configure your server, please see the documentation." : "For information om, hvordan du konfigurerer din server korrekt se dokumentationen.", - "Log out" : "Log ud", - "This action requires you to confirm your password:" : "Denne handling kræver at du bekræfter dit kodeord:", - "Wrong password. Reset it?" : "Forkert kodeord. Skal det nulstilles?", - "Use the following link to reset your password: {link}" : "Anvend følgende link til at nulstille din adgangskode: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hej med dig,

Dette er blot for at informere dig om, at %s har delt %s med dig.
Se det her!

", - "This Nextcloud instance is currently in single user mode." : "Denne Nextcloud instans er lige nu i enkeltbruger tilstand.", - "This means only administrators can use the instance." : "Det betyder at det kun er administrator, som kan benytte ownCloud.", - "You are accessing the server from an untrusted domain." : "Du tilgår serveren fra et utroværdigt domæne.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontakt venligst din administrator. Hvis du er administratoren af denne server, skal du konfigurerer \"trusted-domains\" i filen config/config.php. Et eksempel på hvordan kan findes i filen config/config.sample.php", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhænger af din konfiguration, da du som administrator eventuelt også er i stand til at gøre brug af knappen nedenfor til at tildele tillid til dette domæne.", - "Please use the command line updater because you have a big instance." : "Brug venligst kommandolinje til at opdatere fordi du har en stor installation", - "For help, see the documentation." : "For hjælp se dokumentationen.", - "There was an error loading your contacts" : "Der opstod en fejl under indlæsning af dine kontakter", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache er ikke rigtigt konfigureret. For bedre performance anbefaler vi at bruge følgende indstillinger i php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP funktionen \"set_time_limit\" er ikke tilgængelig. Dette kan resultere i at scripts stopper halvvejs og din installation fejler. Vi anbefaler at aktivere denne funktion.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Din data-mappe og dine filer ser ud til at være tilgængelig på intetnettet. Din .htaccess fungere ikke korrekt. Du anbefales på det kraftigste til at sætte din webserver op så din data-mappe ikke længere er tilgængelig på intetnettet eller flytte data-mappen væk fra webserverens dokumentrod.", - "You are about to grant \"%s\" access to your %s account." : "Du er ved at tildele \"%s\" adgang til din %s konto." + "Thank you for your patience." : "Tak for din tålmodighed." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/de.js b/core/l10n/de.js index 571026bc82eb9..b42c9e3a08532 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Diese %s-Instanz befindet sich gerade im Wartungsmodus, was eine Weile dauern kann.", "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktiere den Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", - "Thank you for your patience." : "Vielen Dank für deine Geduld.", - "%s (3rdparty)" : "%s (Drittanbieter)", - "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Deine Dateien sind verschlüsselt. Solltest du den Wiederherstellungsschlüssel nicht aktiviert haben, gibt es keine Möglichkeit, deine Daten zurückzuerlangen, nachdem dein Passwort zurückgesetzt wurde.
Falls du dir nicht sicher bist, was zu tun ist, kontaktiere bitte deinen Administrator, bevor du fortfährst
Möchtest du wirklich fortfahren?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Dein Webserver ist noch nicht hinreichend für Datei-Synchronisation konfiguriert, da die WebDAV-Schnittstelle vermutlich nicht funktioniert.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Dein Web-Server ist nicht richtig eingerichtet um \"{url}\" aufzulösen. Weitere Informationen findest du in unserer Dokumentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Dieser Server hat keine funktionierende Internetverbindung: Mehrere Ziele konnten nicht erreicht werden. Dies bedeutet, dass einige Funktionen, wie das Einhängen exernen Speichers, Benachrichtigungen über Updates oder die Installation von Drittanbieter-Apps nicht funktionieren. \nDer Zugriff auf entfernte Dateien und das Senden von E-Mail-Benachrichtigungen wird wahrscheinlich ebenfalls nicht funktionieren.\nEs wird empfohlen, die Internet-Verbindung für diesen Server zu aktivieren, wenn Du alle Funktionen nutzen möchtest.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Es wurde kein PHP Memory Cache konfiguriert. Zur Erhöhung der Leistungsfähigkeit kann ein Memory-Cache konfiguriert werden. Weitere Informationen findest Du in unserer Dokumentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP hat keine Leserechte auf /dev/urandom wovon aus Sicherheitsgründen höchst abzuraten ist. Weitere Informationen sind in der Dokumentation zu finden.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du verwendest derzeit PHP {version}. Wir empfehlen ein Upgrade deiner PHP-Version, um die Geschwindigkeits- und Sicherheitsupdates zu nutzen, welche von der PHP-Gruppe bereitgestellt werden, sobald diese Deine Distribution unterstützt.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Die Reverse-Proxy-Header-Konfiguration ist fehlerhaft oder Du greist auf Nextcloud über einen vertrauenswürdigen Proxy zu. Wenn Du auf Nextcloud nicht über einen vertrauenswürdigen Proxy zugreifst, dann besteht ein Sicherheitsproblem, das einem Angreifer erlaubt die IP-Adresse, die für Nextcloud sichtbar ist, auszuspähen. Weitere Informationen hierzu findest Du in unserer Dokumentation.", - "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 memcached wiki about both modules." : "Memcached ist als verteilter Cache konfiguriert, aber das falsche PHP-Modul \"memcache\" ist installiert. \\OC\\Memcache\\Memcached unterstützt nur \"memcached\" jedoch nicht \"memcache\". Im memcached wiki nach beiden Modulen suchen.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Information findest Du in unserer Dokumentation. (Liste der ungültigen Dateien… / Erneut analysieren…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", - "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." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Der \"Strict-Transport-Security\" HTTP-Header ist nicht auf mindestens \"{seconds}\" Sekunden eingestellt. Für mehr Sicherheit wird das Aktivieren von HSTS empfohlen, wie es in unseren Sicherheitshinweisen erläutert ist.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du greifst auf diese Site über HTTP zu. Wir raten dringend dazu, deinen Server so zu konfigurieren, dass er stattdessen nur HTTPS akzeptiert, wie es in unseren Sicherheitshinweisen beschrieben ist.", - "Shared with {recipients}" : "Geteilt mit {recipients}", - "Error while unsharing" : "Fehler beim Aufheben der Freigabe", - "can reshare" : "kann weiterteilen", - "can edit" : "kann bearbeiten", - "can create" : "kann erstellen", - "can change" : "kann ändern", - "can delete" : "kann löschen", - "access control" : "Zugriffskontrolle", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Teile mit Menschen auf anderen Servern unter Verwendung Deiner Federated-Cloud-ID username@example.com/nextcloud", - "Share with users or by mail..." : "Mit Benutzern oder per E-Mail teilen…", - "Share with users or remote users..." : "Mit Benutzern oder externen Benutzern teilen…", - "Share with users, remote users or by mail..." : "Mit Benutzern, externen Benutzern oder per E-Mail teilen…", - "Share with users or groups..." : "Mit Benutzern oder Gruppen teilen…", - "Share with users, groups or by mail..." : "Mit Benutzern, Gruppen oder per E-Mail teilen…", - "Share with users, groups or remote users..." : "Mit Benutzern, Gruppen oder externen Benutzern teilen…", - "Share with users, groups, remote users or by mail..." : "Mit Benutzern, Gruppen, externen Benutzern oder per E-Mail teilen…", - "Share with users..." : "Mit Benutzern teilen…", - "The object type is not specified." : "Der Objekttyp ist nicht angegeben.", - "Enter new" : "Neuen eingeben", - "Add" : "Hinzufügen", - "Edit tags" : "Tags bearbeiten", - "Error loading dialog template: {error}" : "Fehler beim Laden der Dialogvorlage: {error}", - "No tags selected for deletion." : "Es wurden keine Tags zum Löschen ausgewählt.", - "The update was successful. Redirecting you to Nextcloud now." : "Das Update war erfolgreich. Du wirst nun zu Nextcloud weitergeleitet.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hallo,\n\nhier nur kurz die Mitteilung, dass %s %s mit Dir geteilt hat.\nZum Anzeigen: %s\n\n", - "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", - "Cheers!" : "Noch einen schönen Tag!", - "The server encountered an internal error and was unable to complete your request." : "Der Server hat einen internen Fehler und konnte Deine Anfrage nicht vervollständigen.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Bitte wende dich an den Serveradministrator, wenn dieser Fehler mehrfach auftritt, gebe bitte die, unten stehenden, technischen Details in Deinem Bericht mit an.", - "For information how to properly configure your server, please see the documentation." : "Informationen zum richtigen Konfigurieren Deines Servers kannst Du der Dokumentation entnehmen.", - "Log out" : "Abmelden", - "This action requires you to confirm your password:" : "Dieser Vorgang benötigt eine Passwortbestätigung von Dir:", - "Wrong password. Reset it?" : "Falsches Passwort. Soll es zurückgesetzt werden?", - "Use the following link to reset your password: {link}" : "Verwende den folgenden Link, um Dein Passwort zurückzusetzen: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hallo,

hier nur kurz die Mitteilung, dass %s %s mit Dir geteilt hat.
Sieh es Dir an!

", - "This Nextcloud instance is currently in single user mode." : "Diese Nextcloud-Instanz befindet sich derzeit im Einzelbenutzermodus.", - "This means only administrators can use the instance." : "Dies bedeutet, dass diese Instanz nur von Administratoren genutzt werden kann.", - "You are accessing the server from an untrusted domain." : "Du greifst von einer nicht vertrauenswürdigen Domäne auf den Server zu.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Bitte kontaktiere deinen Administrator. Wenn du Administrator dieser Instanz bist, konfiguriere die „trusted_domains“-Einstellung in config/config.php. Eine Beispielkonfiguration ist in config/config.sample.php verfügbar.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Deine Konfiguration zulässt, kannst Du als Administrator die folgende Schaltfläche benutzen, um diese Domain als vertrauenswürdig einzustufen.", - "Please use the command line updater because you have a big instance." : "Da Du eine große Instanz nutzt, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", - "For help, see the documentation." : "Für weitere Hilfen, schaue bitte in die Dokumentation.", - "There was an error loading your contacts" : "Fehler beim Laden Deiner Kontakte", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", - "You are about to grant \"%s\" access to your %s account." : "Du bist dabei \"%s\" Zugriff auf Dein %s-Konto zu gewähren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." + "Thank you for your patience." : "Vielen Dank für deine Geduld." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/de.json b/core/l10n/de.json index b4b0464618b39..e1d9d3cab9e4a 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Diese %s-Instanz befindet sich gerade im Wartungsmodus, was eine Weile dauern kann.", "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktiere den Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", - "Thank you for your patience." : "Vielen Dank für deine Geduld.", - "%s (3rdparty)" : "%s (Drittanbieter)", - "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Deine Dateien sind verschlüsselt. Solltest du den Wiederherstellungsschlüssel nicht aktiviert haben, gibt es keine Möglichkeit, deine Daten zurückzuerlangen, nachdem dein Passwort zurückgesetzt wurde.
Falls du dir nicht sicher bist, was zu tun ist, kontaktiere bitte deinen Administrator, bevor du fortfährst
Möchtest du wirklich fortfahren?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Dein Webserver ist noch nicht hinreichend für Datei-Synchronisation konfiguriert, da die WebDAV-Schnittstelle vermutlich nicht funktioniert.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Dein Web-Server ist nicht richtig eingerichtet um \"{url}\" aufzulösen. Weitere Informationen findest du in unserer Dokumentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Dieser Server hat keine funktionierende Internetverbindung: Mehrere Ziele konnten nicht erreicht werden. Dies bedeutet, dass einige Funktionen, wie das Einhängen exernen Speichers, Benachrichtigungen über Updates oder die Installation von Drittanbieter-Apps nicht funktionieren. \nDer Zugriff auf entfernte Dateien und das Senden von E-Mail-Benachrichtigungen wird wahrscheinlich ebenfalls nicht funktionieren.\nEs wird empfohlen, die Internet-Verbindung für diesen Server zu aktivieren, wenn Du alle Funktionen nutzen möchtest.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Es wurde kein PHP Memory Cache konfiguriert. Zur Erhöhung der Leistungsfähigkeit kann ein Memory-Cache konfiguriert werden. Weitere Informationen findest Du in unserer Dokumentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP hat keine Leserechte auf /dev/urandom wovon aus Sicherheitsgründen höchst abzuraten ist. Weitere Informationen sind in der Dokumentation zu finden.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du verwendest derzeit PHP {version}. Wir empfehlen ein Upgrade deiner PHP-Version, um die Geschwindigkeits- und Sicherheitsupdates zu nutzen, welche von der PHP-Gruppe bereitgestellt werden, sobald diese Deine Distribution unterstützt.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Die Reverse-Proxy-Header-Konfiguration ist fehlerhaft oder Du greist auf Nextcloud über einen vertrauenswürdigen Proxy zu. Wenn Du auf Nextcloud nicht über einen vertrauenswürdigen Proxy zugreifst, dann besteht ein Sicherheitsproblem, das einem Angreifer erlaubt die IP-Adresse, die für Nextcloud sichtbar ist, auszuspähen. Weitere Informationen hierzu findest Du in unserer Dokumentation.", - "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 memcached wiki about both modules." : "Memcached ist als verteilter Cache konfiguriert, aber das falsche PHP-Modul \"memcache\" ist installiert. \\OC\\Memcache\\Memcached unterstützt nur \"memcached\" jedoch nicht \"memcache\". Im memcached wiki nach beiden Modulen suchen.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Information findest Du in unserer Dokumentation. (Liste der ungültigen Dateien… / Erneut analysieren…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", - "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." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Der \"Strict-Transport-Security\" HTTP-Header ist nicht auf mindestens \"{seconds}\" Sekunden eingestellt. Für mehr Sicherheit wird das Aktivieren von HSTS empfohlen, wie es in unseren Sicherheitshinweisen erläutert ist.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du greifst auf diese Site über HTTP zu. Wir raten dringend dazu, deinen Server so zu konfigurieren, dass er stattdessen nur HTTPS akzeptiert, wie es in unseren Sicherheitshinweisen beschrieben ist.", - "Shared with {recipients}" : "Geteilt mit {recipients}", - "Error while unsharing" : "Fehler beim Aufheben der Freigabe", - "can reshare" : "kann weiterteilen", - "can edit" : "kann bearbeiten", - "can create" : "kann erstellen", - "can change" : "kann ändern", - "can delete" : "kann löschen", - "access control" : "Zugriffskontrolle", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Teile mit Menschen auf anderen Servern unter Verwendung Deiner Federated-Cloud-ID username@example.com/nextcloud", - "Share with users or by mail..." : "Mit Benutzern oder per E-Mail teilen…", - "Share with users or remote users..." : "Mit Benutzern oder externen Benutzern teilen…", - "Share with users, remote users or by mail..." : "Mit Benutzern, externen Benutzern oder per E-Mail teilen…", - "Share with users or groups..." : "Mit Benutzern oder Gruppen teilen…", - "Share with users, groups or by mail..." : "Mit Benutzern, Gruppen oder per E-Mail teilen…", - "Share with users, groups or remote users..." : "Mit Benutzern, Gruppen oder externen Benutzern teilen…", - "Share with users, groups, remote users or by mail..." : "Mit Benutzern, Gruppen, externen Benutzern oder per E-Mail teilen…", - "Share with users..." : "Mit Benutzern teilen…", - "The object type is not specified." : "Der Objekttyp ist nicht angegeben.", - "Enter new" : "Neuen eingeben", - "Add" : "Hinzufügen", - "Edit tags" : "Tags bearbeiten", - "Error loading dialog template: {error}" : "Fehler beim Laden der Dialogvorlage: {error}", - "No tags selected for deletion." : "Es wurden keine Tags zum Löschen ausgewählt.", - "The update was successful. Redirecting you to Nextcloud now." : "Das Update war erfolgreich. Du wirst nun zu Nextcloud weitergeleitet.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hallo,\n\nhier nur kurz die Mitteilung, dass %s %s mit Dir geteilt hat.\nZum Anzeigen: %s\n\n", - "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", - "Cheers!" : "Noch einen schönen Tag!", - "The server encountered an internal error and was unable to complete your request." : "Der Server hat einen internen Fehler und konnte Deine Anfrage nicht vervollständigen.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Bitte wende dich an den Serveradministrator, wenn dieser Fehler mehrfach auftritt, gebe bitte die, unten stehenden, technischen Details in Deinem Bericht mit an.", - "For information how to properly configure your server, please see the documentation." : "Informationen zum richtigen Konfigurieren Deines Servers kannst Du der Dokumentation entnehmen.", - "Log out" : "Abmelden", - "This action requires you to confirm your password:" : "Dieser Vorgang benötigt eine Passwortbestätigung von Dir:", - "Wrong password. Reset it?" : "Falsches Passwort. Soll es zurückgesetzt werden?", - "Use the following link to reset your password: {link}" : "Verwende den folgenden Link, um Dein Passwort zurückzusetzen: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hallo,

hier nur kurz die Mitteilung, dass %s %s mit Dir geteilt hat.
Sieh es Dir an!

", - "This Nextcloud instance is currently in single user mode." : "Diese Nextcloud-Instanz befindet sich derzeit im Einzelbenutzermodus.", - "This means only administrators can use the instance." : "Dies bedeutet, dass diese Instanz nur von Administratoren genutzt werden kann.", - "You are accessing the server from an untrusted domain." : "Du greifst von einer nicht vertrauenswürdigen Domäne auf den Server zu.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Bitte kontaktiere deinen Administrator. Wenn du Administrator dieser Instanz bist, konfiguriere die „trusted_domains“-Einstellung in config/config.php. Eine Beispielkonfiguration ist in config/config.sample.php verfügbar.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Deine Konfiguration zulässt, kannst Du als Administrator die folgende Schaltfläche benutzen, um diese Domain als vertrauenswürdig einzustufen.", - "Please use the command line updater because you have a big instance." : "Da Du eine große Instanz nutzt, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", - "For help, see the documentation." : "Für weitere Hilfen, schaue bitte in die Dokumentation.", - "There was an error loading your contacts" : "Fehler beim Laden Deiner Kontakte", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Dein Datenverzeichnis und deine Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, deinen Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass du es aus dem Dokument-Root-Verzeichnis des Webservers bewegst.", - "You are about to grant \"%s\" access to your %s account." : "Du bist dabei \"%s\" Zugriff auf Dein %s-Konto zu gewähren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Dein PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." + "Thank you for your patience." : "Vielen Dank für deine Geduld." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index d6698ba8c0e41..1324a797f8b4e 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Diese %s-Instanz befindet sich gerade im Wartungsmodus, was eine Weile dauern kann.", "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktieren Sie Ihren Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", - "Thank you for your patience." : "Vielen Dank für Ihre Geduld.", - "%s (3rdparty)" : "%s (Drittanbieter)", - "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keine Möglichkeit geben, um Ihre Daten wieder zu erhalten, nachdem Ihr Passwort zurückgesetzt wurde.
Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren.
Wollen Sie wirklich fortfahren?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ihr Webserver ist noch nicht hinreichend für Datei-Synchronisation konfiguriert. Die WebDAV-Schnittstelle ist vermutlich defekt.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Ihr Webserver ist nicht richtig konfiguriert um \"{url}\" aufzulösen. Weitere Informationen hierzu finden Sie in unserer Dokumentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Dieser Server hat keine funktionierende Internetverbindung: Mehrere Ziele konnten nicht erreicht werden. Dies bedeutet, dass einige Funktionen, wie das Einhängen exernen Speichers, Benachrichtigungen über Updates oder die Installation von Drittanbieter-Apps nicht funktionieren. \nDer Zugriff auf entfernte Dateien und das Senden von E-Mail-Benachrichtigungen wird wahrscheinlich ebenfalls nicht funktionieren.\nEs wird empfohlen, die Internet-Verbindung für diesen Server zu aktivieren, wenn Sie alle Funktionen nutzen möchten.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Es wurde kein PHP Memory Cache konfiguriert. Zur Erhöhung der Leistungsfähigkeit kann ein Memory-Cache konfiguriert werden. Weitere Informationen finden Sie in unserer Dokumentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP hat keine Leserechte auf /dev/urandom wovon aus Sicherheitsgründen höchst abzuraten ist. Weitere Informationen hierzu finden Sie in unserer Dokumentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Sie verwenden im Moment PHP {version}. Wir empfehlen ein Upgrade Ihrer PHP-Version, um die Geschwindigkeits- und Sicherheitsupdates zu nutzen, welche von der PHP-Gruppe bereitgestellt werden, sobald Ihre Distribution diese unterstützt.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Die Reverse-Proxy-Header-Konfiguration ist fehlerhaft oder Sie greifen auf Nextcloud über einen vertrauenswürdigen Proxy zu. Wenn Sie auf Nextcloud nicht über einen vertrauenswürdigen Proxy zugreifen, dann besteht ein Sicherheitsproblem, das einem Angreifer erlaubt die IP-Adresse, die für Nextcloud sichtbar ist, auszuspähen. Weitere Informationen hierzu finden Sie in unserer Dokumentation.", - "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 memcached wiki about both modules." : "Memcached ist als verteilter Cache konfiguriert, aber das falsche PHP Modul \"memcache\" ist installiert. \\OC\\Memcache\\Memcached unterstützt nur \"memcached\" jedoch nicht \"memcache\". Im memcached wiki nach beiden Modulen suchen.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Information findest Sie in unserer Dokumentation. (Liste der ungültigen Dateien … / Erneut analysieren…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", - "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." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Der \"Strict-Transport-Security“-HTTP-Header ist nicht auf mindestens \"{seconds}“ Sekunden eingestellt. Für mehr Sicherheit wird das Aktivieren von HSTS empfohlen, wie es in unseren Sicherheitshinweisen erläutert ist.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Sie greifen auf diese Site über HTTP zu. Wir raten dringend dazu, Ihren Server so zu konfigurieren, dass er stattdessen nur HTTPS akzeptiert, wie es in unseren Sicherheitshinweisen beschrieben ist.", - "Shared with {recipients}" : "Geteilt mit {recipients}", - "Error while unsharing" : "Fehler beim Aufheben der Freigabe", - "can reshare" : "kann weiterteilen", - "can edit" : "kann bearbeiten", - "can create" : "kann erstellen", - "can change" : "kann ändern", - "can delete" : "kann löschen", - "access control" : "Zugriffskontrolle", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Teile mit Menschen auf anderen Servern unter Verwendung ihrer Federated-Cloud-ID username@example.com/nextcloud", - "Share with users or by mail..." : "Mit Benutzern oder per E-Mail teilen…", - "Share with users or remote users..." : "Mit Benutzern oder externen Benutzern teilen…", - "Share with users, remote users or by mail..." : "Mit Benutzern, externen Benutzern oder per E-Mail teilen…", - "Share with users or groups..." : "Mit Benutzern oder Gruppen teilen…", - "Share with users, groups or by mail..." : "Mit Benutzern, Gruppen oder per E-Mail teilen…", - "Share with users, groups or remote users..." : "Mit Benutzern, Gruppen oder externen Benutzern teilen…", - "Share with users, groups, remote users or by mail..." : "Mit Benutzern, Gruppen, externen Benutzern oder per E-Mail teilen…", - "Share with users..." : "Mit Benutzern teilen…", - "The object type is not specified." : "Der Objekttyp ist nicht angegeben.", - "Enter new" : "Neuen eingeben", - "Add" : "Hinzufügen", - "Edit tags" : "Tags bearbeiten", - "Error loading dialog template: {error}" : "Fehler beim Laden der Dialogvorlage: {error}", - "No tags selected for deletion." : "Es wurden keine Tags zum Löschen ausgewählt.", - "The update was successful. Redirecting you to Nextcloud now." : "Das Update war erfolgreich. Sie werden nun zu Nextcloud weitergeleitet.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hallo,\n\nhier nur kurz die Mitteilung, dass %s %s mit Ihnen geteilt hat.\nZum Anzeigen: %s\n\n", - "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", - "Cheers!" : "Noch einen schönen Tag!", - "The server encountered an internal error and was unable to complete your request." : "Der Server hat einen internen Fehler und konnte Ihre Anfrage nicht vervollständigen.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Bitte wenden Sie sich an den Serveradministrator, wenn dieser Fehler mehrfach auftritt, geben Sie bitte die, unten stehenden, technischen Details in Ihrem Bericht mit an.", - "For information how to properly configure your server, please see the documentation." : "Informationen zum richtigen Konfigurieren Ihres Servers können Sie der Dokumentation entnehmen.", - "Log out" : "Abmelden", - "This action requires you to confirm your password:" : "Dieser Vorgang benötigt eine Passwortbestätigung von Ihnen:", - "Wrong password. Reset it?" : "Falsches Passwort. Soll es zurückgesetzt werden?", - "Use the following link to reset your password: {link}" : "Benutzen Sie den folgenden Link, um Ihr Passwort zurückzusetzen: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hallo,

hier nur kurz die Mitteilung, dass %s %s mit Ihnen geteilt hat.
Sehen Sie es sich an!

", - "This Nextcloud instance is currently in single user mode." : "Diese Nextcloud-Instanz befindet sich derzeit im Einzelbenutzermodus.", - "This means only administrators can use the instance." : "Dies bedeutet, dass diese Instanz nur von Administratoren benutzt werden kann.", - "You are accessing the server from an untrusted domain." : "Sie greifen von einer nicht vertrauenswürdigen Domain auf den Server zu.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Bitte kontaktieren Sie Ihren Administrator. Wenn Sie Administrator dieser Instanz sind, konfigurieren Sie bitte die „trusted_domain“-Einstellung in config/config.php. Eine Beispielkonfiguration ist in config/config.sample.php verfügbar.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Ihre Konfiguration zulässt, können Sie als Administrator gegebenenfalls den Button unten benutzen, um diese Domain als vertrauenswürdig einzustufen.", - "Please use the command line updater because you have a big instance." : "Da Sie eine große Instanz von Nextcloud besitzen, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", - "For help, see the documentation." : "Für weitere Hilfen, schauen Sie bitte in die Dokumentation.", - "There was an error loading your contacts" : "Fehler beim Laden Ihrer Kontakte", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", - "You are about to grant \"%s\" access to your %s account." : "Sie sind dabei \"%s\" Zugriff auf Ihr %s-Konto zu gewähren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." + "Thank you for your patience." : "Vielen Dank für Ihre Geduld." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index 3dd30aa2b999e..30cbb02dddcaa 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Diese %s-Instanz befindet sich gerade im Wartungsmodus, was eine Weile dauern kann.", "This page will refresh itself when the %s instance is available again." : "Diese Seite aktualisiert sich automatisch, wenn die %s-Instanz wieder verfügbar ist.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktieren Sie Ihren Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", - "Thank you for your patience." : "Vielen Dank für Ihre Geduld.", - "%s (3rdparty)" : "%s (Drittanbieter)", - "Problem loading page, reloading in 5 seconds" : "Problem beim Laden der Seite, Seite wird in 5 Sekunden nochmals geladen", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ihre Dateien sind verschlüsselt. Wenn Sie den Wiederherstellungsschlüssel nicht aktiviert haben, wird es keine Möglichkeit geben, um Ihre Daten wieder zu erhalten, nachdem Ihr Passwort zurückgesetzt wurde.
Wenn Sie sich nicht sicher sind, was Sie tun sollen, wenden Sie sich bitte an Ihren Administrator, bevor Sie fortfahren.
Wollen Sie wirklich fortfahren?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ihr Webserver ist noch nicht hinreichend für Datei-Synchronisation konfiguriert. Die WebDAV-Schnittstelle ist vermutlich defekt.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Ihr Webserver ist nicht richtig konfiguriert um \"{url}\" aufzulösen. Weitere Informationen hierzu finden Sie in unserer Dokumentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Dieser Server hat keine funktionierende Internetverbindung: Mehrere Ziele konnten nicht erreicht werden. Dies bedeutet, dass einige Funktionen, wie das Einhängen exernen Speichers, Benachrichtigungen über Updates oder die Installation von Drittanbieter-Apps nicht funktionieren. \nDer Zugriff auf entfernte Dateien und das Senden von E-Mail-Benachrichtigungen wird wahrscheinlich ebenfalls nicht funktionieren.\nEs wird empfohlen, die Internet-Verbindung für diesen Server zu aktivieren, wenn Sie alle Funktionen nutzen möchten.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Es wurde kein PHP Memory Cache konfiguriert. Zur Erhöhung der Leistungsfähigkeit kann ein Memory-Cache konfiguriert werden. Weitere Informationen finden Sie in unserer Dokumentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP hat keine Leserechte auf /dev/urandom wovon aus Sicherheitsgründen höchst abzuraten ist. Weitere Informationen hierzu finden Sie in unserer Dokumentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Sie verwenden im Moment PHP {version}. Wir empfehlen ein Upgrade Ihrer PHP-Version, um die Geschwindigkeits- und Sicherheitsupdates zu nutzen, welche von der PHP-Gruppe bereitgestellt werden, sobald Ihre Distribution diese unterstützt.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Die Reverse-Proxy-Header-Konfiguration ist fehlerhaft oder Sie greifen auf Nextcloud über einen vertrauenswürdigen Proxy zu. Wenn Sie auf Nextcloud nicht über einen vertrauenswürdigen Proxy zugreifen, dann besteht ein Sicherheitsproblem, das einem Angreifer erlaubt die IP-Adresse, die für Nextcloud sichtbar ist, auszuspähen. Weitere Informationen hierzu finden Sie in unserer Dokumentation.", - "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 memcached wiki about both modules." : "Memcached ist als verteilter Cache konfiguriert, aber das falsche PHP Modul \"memcache\" ist installiert. \\OC\\Memcache\\Memcached unterstützt nur \"memcached\" jedoch nicht \"memcache\". Im memcached wiki nach beiden Modulen suchen.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Einige Dateien haben die Integritätsprüfung nicht bestanden. Weiterführende Information findest Sie in unserer Dokumentation. (Liste der ungültigen Dateien … / Erneut analysieren…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", - "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." : "Der „{header}“-HTTP-Header ist nicht so konfiguriert, dass er „{expected}“ entspricht. Dies ist ein potentielles Sicherheitsrisiko und es wird empfohlen, diese Einstellung zu ändern.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Der \"Strict-Transport-Security“-HTTP-Header ist nicht auf mindestens \"{seconds}“ Sekunden eingestellt. Für mehr Sicherheit wird das Aktivieren von HSTS empfohlen, wie es in unseren Sicherheitshinweisen erläutert ist.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Sie greifen auf diese Site über HTTP zu. Wir raten dringend dazu, Ihren Server so zu konfigurieren, dass er stattdessen nur HTTPS akzeptiert, wie es in unseren Sicherheitshinweisen beschrieben ist.", - "Shared with {recipients}" : "Geteilt mit {recipients}", - "Error while unsharing" : "Fehler beim Aufheben der Freigabe", - "can reshare" : "kann weiterteilen", - "can edit" : "kann bearbeiten", - "can create" : "kann erstellen", - "can change" : "kann ändern", - "can delete" : "kann löschen", - "access control" : "Zugriffskontrolle", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Teile mit Menschen auf anderen Servern unter Verwendung ihrer Federated-Cloud-ID username@example.com/nextcloud", - "Share with users or by mail..." : "Mit Benutzern oder per E-Mail teilen…", - "Share with users or remote users..." : "Mit Benutzern oder externen Benutzern teilen…", - "Share with users, remote users or by mail..." : "Mit Benutzern, externen Benutzern oder per E-Mail teilen…", - "Share with users or groups..." : "Mit Benutzern oder Gruppen teilen…", - "Share with users, groups or by mail..." : "Mit Benutzern, Gruppen oder per E-Mail teilen…", - "Share with users, groups or remote users..." : "Mit Benutzern, Gruppen oder externen Benutzern teilen…", - "Share with users, groups, remote users or by mail..." : "Mit Benutzern, Gruppen, externen Benutzern oder per E-Mail teilen…", - "Share with users..." : "Mit Benutzern teilen…", - "The object type is not specified." : "Der Objekttyp ist nicht angegeben.", - "Enter new" : "Neuen eingeben", - "Add" : "Hinzufügen", - "Edit tags" : "Tags bearbeiten", - "Error loading dialog template: {error}" : "Fehler beim Laden der Dialogvorlage: {error}", - "No tags selected for deletion." : "Es wurden keine Tags zum Löschen ausgewählt.", - "The update was successful. Redirecting you to Nextcloud now." : "Das Update war erfolgreich. Sie werden nun zu Nextcloud weitergeleitet.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hallo,\n\nhier nur kurz die Mitteilung, dass %s %s mit Ihnen geteilt hat.\nZum Anzeigen: %s\n\n", - "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", - "Cheers!" : "Noch einen schönen Tag!", - "The server encountered an internal error and was unable to complete your request." : "Der Server hat einen internen Fehler und konnte Ihre Anfrage nicht vervollständigen.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Bitte wenden Sie sich an den Serveradministrator, wenn dieser Fehler mehrfach auftritt, geben Sie bitte die, unten stehenden, technischen Details in Ihrem Bericht mit an.", - "For information how to properly configure your server, please see the documentation." : "Informationen zum richtigen Konfigurieren Ihres Servers können Sie der Dokumentation entnehmen.", - "Log out" : "Abmelden", - "This action requires you to confirm your password:" : "Dieser Vorgang benötigt eine Passwortbestätigung von Ihnen:", - "Wrong password. Reset it?" : "Falsches Passwort. Soll es zurückgesetzt werden?", - "Use the following link to reset your password: {link}" : "Benutzen Sie den folgenden Link, um Ihr Passwort zurückzusetzen: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hallo,

hier nur kurz die Mitteilung, dass %s %s mit Ihnen geteilt hat.
Sehen Sie es sich an!

", - "This Nextcloud instance is currently in single user mode." : "Diese Nextcloud-Instanz befindet sich derzeit im Einzelbenutzermodus.", - "This means only administrators can use the instance." : "Dies bedeutet, dass diese Instanz nur von Administratoren benutzt werden kann.", - "You are accessing the server from an untrusted domain." : "Sie greifen von einer nicht vertrauenswürdigen Domain auf den Server zu.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Bitte kontaktieren Sie Ihren Administrator. Wenn Sie Administrator dieser Instanz sind, konfigurieren Sie bitte die „trusted_domain“-Einstellung in config/config.php. Eine Beispielkonfiguration ist in config/config.sample.php verfügbar.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Wenn es Ihre Konfiguration zulässt, können Sie als Administrator gegebenenfalls den Button unten benutzen, um diese Domain als vertrauenswürdig einzustufen.", - "Please use the command line updater because you have a big instance." : "Da Sie eine große Instanz von Nextcloud besitzen, wird die Benutzung des Aktualisierungsprogrammes über die Kommandozeile empfohlen.", - "For help, see the documentation." : "Für weitere Hilfen, schauen Sie bitte in die Dokumentation.", - "There was an error loading your contacts" : "Fehler beim Laden Ihrer Kontakte", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Der PHP-OPcache ist nicht richtig konfiguriert. Für eine bessere Leistung empfiehlt es sich folgende Einstellungen in der php.ini vorzunehmen:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Die PHP-Funktion \"set_time_limit\" ist nicht verfügbar. Dies kann in angehaltenen Scripten oder einer abgebrochenen Installation resultieren. Wir empfehlen dringend, diese Funtkion zu aktivieren.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar. Die .htaccess-Datei funktioniert nicht. Es wird dringend empfohlen, Ihren Webserver dahingehend zu konfigurieren, dass das Datenverzeichnis nicht mehr vom Internet aus erreichbar ist oder dass Sie es aus dem Document-Root-Verzeichnis des Webservers herausverschieben.", - "You are about to grant \"%s\" access to your %s account." : "Sie sind dabei \"%s\" Zugriff auf Ihr %s-Konto zu gewähren.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Ihr PHP unterstützt Freetype nicht. Dies wird defekte Profilbilder und eine defekte Anzeige der Einstellungen verursachen." + "Thank you for your patience." : "Vielen Dank für Ihre Geduld." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/el.js b/core/l10n/el.js index 999de534091e9..ef740c4b77a49 100644 --- a/core/l10n/el.js +++ b/core/l10n/el.js @@ -284,70 +284,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Αυτή %s η εγκατάσταση είναι σε λειτουργία συντήρησης, η οποία μπορεί να διαρκέσει κάποιο χρόνο.", "This page will refresh itself when the %s instance is available again." : "Αυτή η σελίδα θα ανανεωθεί από μόνη της όταν η %s εγκατάσταση είναι διαθέσιμη ξανά.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Επικοινωνήστε με το διαχειριστή του συστήματος αν αυτό το μήνυμα συνεχίζει να εμφανίζεται ή εμφανίστηκε απρόσμενα.", - "Thank you for your patience." : "Σας ευχαριστούμε για την υπομονή σας.", - "%s (3rdparty)" : "%s (3ων παρόχων)", - "Problem loading page, reloading in 5 seconds" : "Πρόβλημα φόρτωσης σελίδας, φόρτωση ξανά σε 5 λεπτά", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Τα αρχεία σας είναι κρυπτογραφημένα. Εάν δεν έχετε ενεργοποιήσει το κλειδί επαναφοράς, δεν θα υπάρχει τρόπος να ανακτήσετε τα δεδομένα σας μετά την επαναφορά του συνθηματικού σας.
Εάν δεν είστε σίγουροι για το τι θα θέλατε να κάνετε, παρακαλώ επικοινωνήστε με το διαχειριστή σας πριν συνεχίσετε.
Θέλετε να συνεχίσετε;", - "Ok" : "ΟΚ", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ο διακομιστής σας δεν έχει ρυθμιστεί κατάλληλα ώστε να επιτρέπει τον συγχρονισμό αρχείων διότι η διεπαφή WebDAV πιθανόν να μην λειτουργεί.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Ο διακομιστής σας δεν έχει ρυθμιστεί κατάλληλα ώστε να επιλύει το \"{url}\". Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Αυτός ο διακομιστής δεν έχει καθόλου σύνδεση στο διαδίκτυο. Διάφορα τερματικά σημεία δεν είναι δυνατόν να προσπελαστούν. Αυτό σημαίνει ότι κάποιες λειτουργίες, όπως η προσάρτηση εξωτερικού αποθηκευτικού χώρου, οι ειδοποιήσεις σχετικά με ενημέρωση ή εγκατάσταση εφαρμογών τρίτων παρόχων δεν θα λειτουργήσουν. Όπως ενδέχεται να μη λειτουργήσουν επίσης η απομακρυσμένη πρόσβαση αρχείων ή ειδοποιήσεις μέσω ηλεκτρονικού ταχυδρομείου. Σας προτείνουμε να ενεργοποιήσετε την σύνδεση στο διαδίκτυο για τον συγκεκριμένο διακομιστή εάν θέλετε να έχετε όλες τις λειτουργίες.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Δεν έχει ρυθμιστεί η χρήση λανθάνουσας μνήμης. Για να βελτιώσετε τις επιδόσεις παρακαλούμε να ρυθμίσετε το memcache, εφόσον είναι διαθέσιμο. Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "Η συσκευή /dev/urandom δεν είναι αναγνώσιμη από την PHP κάτι που θα έπρεπε να μπορεί για λόγους ασφάλειας. Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Έχετε εγκατεστημένη έκδοση PHP {version}. Σας ενθαρρύνουμε να αναβαθμίσετε την έκδοση της PHP το συντομότερο δυνατόν που η διανομή σας το υποστηρίξει ώστε να εκμεταλλευτείτε τις επιδόσεις και τις ενημερώσεις ασφάλειας που παρέχονται από την ομάδα PHP .", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Η διαμόρφωση των reverse proxy headers είναι εσφαλμένη, ή έχετε πρόσβαση στο Nextcloud από έναν αξιόπιστο διαμεσολαβητή. Εάν δεν έχετε πρόσβαση στο Nextcloud από έναν αξιόπιστο διαμεσολαβητή, αυτό είναι ένα ζήτημα ασφαλείας και μπορείτε να επιτρέψετε σε κάποιον εισβολέα να παρουσιάσει την διεύθυνση IP του παραπλανητικά ως ορατή στο Nextcloud. Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "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 memcached wiki about both modules." : "Το Memcached είναι ρυθμισμένο ως κατανεμημένη λανθάνουσα μνήμη, αλλά είναι εγκατεστημένο το λάθος άρθρωμα \"memcache\" της PHP. Το \\OC\\Memcache\\Memcached υποστηρίζει μόνο τη \"memcached\" και όχι τη \"memcache\". Δείτε το memcached wiki και για τα δύο αρθρώματα.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Μερικά αρχεία δεν πέρασαν από τον έλεγχο της ακεραιότητας. Περισσότερες πληροφορίες για το πως να επιλύσετε πρόβλημα μπορείτε να βρείτε στην τεκμηρίωση. (Λίστα από μή έγκυρα αρχεία… / Σάρωση ξανά…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ο κατάλογος δεδομένων και τα αρχεία σας είναι πιθανόν προσβάσιμα από το διαδίκτυο. Το αρχείο .htaccess δεν λειτουργεί. Σας προτείνουμε ανεπιφύλακτα να ρυθμίσετε το διακομιστή σας με τέτοιο τρόπο ώστε ο κατάλογος δεδομένων να μην είναι πλέον προσβάσιμος ή να μετακινήσετε τον κατάλογο δεδομένων εκτός του ριζικού καταλόγου εγγράφων του διακομιστή.", - "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." : "H \"{header}\" κεφαλίδα HTTP δεν έχει ρυθμιστεί ώστε να ισούται με \"{expected}\". Αυτό αποτελεί ενδεχόμενο κίνδυνο ασφάλειας ή ιδιωτικότητας και συστήνουμε τη προσαρμογή αυτής της ρύθμισης.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Η \"Strict-Transport-Security\" κεφαλίδα HTTP δεν έχει ρυθμιστεί για τουλάχιστον \"{seconds}\" δευτερόλεπτα. Για αυξημένη ασφάλεια συστήνουμε την ενεργοποίηση του HSTS όπως περιγράφεται στις συμβουλές ασφαλείας.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Έχετε πρόσβαση σε αυτό τον ιστότοπο μέσω HTTP. Προτείνουμε ανεπιφύλακτα να ρυθμίσετε το διακομιστή σας ώστε να απαιτεί τη χρήση HTTPS όπως περιγράφεται στις συμβουλές ασφαλείας.", - "Shared with {recipients}" : "Διαμοιράστηκε με {recipients}", - "Error while unsharing" : "Σφάλμα κατά την αναίρεση του διαμοιρασμού", - "can reshare" : "δυνατότητα να διαμοιραστεί ξανά", - "can edit" : "δυνατότητα αλλαγής", - "can create" : "δυνατότητα δημιουργίας", - "can change" : "δυνατότητα αλλαγής", - "can delete" : "δυνατότητα διαγραφής", - "access control" : "έλεγχος πρόσβασης", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Διαμοιρασμός με άτομα σε άλλους διακομιστές με χρήση της ταυτότητας Federated Cloud username@example.com/nextcloud", - "Share with users or by mail..." : "Διαμοιρασμός με χρήστες ή με mail...", - "Share with users or remote users..." : "Διαμοιρασμός με χρήστες ή απομακρυσμένους χρήστες...", - "Share with users, remote users or by mail..." : "Διαμοιρασμός με χρήστες, απομακρυσμένους χρήστες ή με mail...", - "Share with users or groups..." : "Διαμοιρασμός με χρήστες ή ομάδες...", - "Share with users, groups or by mail..." : "Διαμοιρασμός με χρήστες, ομάδες ή με mail...", - "Share with users, groups or remote users..." : "Διαμοιρασμός με χρήστες, ομάδες ή απομακρυσμένους χρήστες...", - "Share with users, groups, remote users or by mail..." : "Διαμοιρασμός με χρήστες, ομάδες, απομακρυσμένους χρήστες ή με mail...", - "Share with users..." : "Διαμοιρασμός με χρήστες...", - "The object type is not specified." : "Δεν καθορίστηκε ο τύπος του αντικειμένου.", - "Enter new" : "Εισαγωγή νέου", - "Add" : "Προσθήκη", - "Edit tags" : "Επεξεργασία ετικετών", - "Error loading dialog template: {error}" : "Σφάλμα φόρτωσης προτύπου διαλόγων: {error}", - "No tags selected for deletion." : "Δεν επιλέχτηκε καμμία ετικέτα για διαγραφή.", - "The update was successful. Redirecting you to Nextcloud now." : "Η ενημέρωση ήταν επιτυχής. Θα γίνει ανακατεύθυνση στο Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Γεια χαρά,\n\nαπλά σας ενημερώνω πως ο %s μοιράστηκε το %s με εσάς.\nΔείτε το: %s\n\n", - "The share will expire on %s." : "Ο διαμοιρασμός θα λήξει σε %s.", - "Cheers!" : "Με εκτίμηση!", - "The server encountered an internal error and was unable to complete your request." : "Ο διακομιστής αντιμετώπισε ένα εσωτερικό σφάλμα και δεν μπόρεσε να ολοκληρώσει το αίτημά σας.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Παρακαλούμε επικοινωνήστε με το διαχειριστή του διακομιστή, εάν αυτό το σφάλμα επανεμφανίζεται πολλές φορές, παρακαλούμε να συμπεριλάβετε τις τεχνικές λεπτομέρειες παρακάτω στην αναφορά σας.", - "For information how to properly configure your server, please see the documentation." : "Για πληροφορίες πως μπορείτε να ρυθμίσετε σωστά τον διακομιστή, παρακαλούμε δείτε την τεκμηρίωση.", - "Log out" : "Αποσύνδεση", - "This action requires you to confirm your password:" : "Αυτή η ενέργεια απαιτεί επιβεβαίωση του συνθηματικού σας:", - "Wrong password. Reset it?" : "Λάθος συνθηματικο. Επαναφορά;", - "Use the following link to reset your password: {link}" : "Χρησιμοποιήστε τον ακόλουθο σύνδεσμο για να επαναφέρετε το συνθηματικό: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Γεια χαρά,

απλά σας ενημερώνω πως ο %s μοιράστηκε το%s με εσάς.
Δείτε το!

", - "This Nextcloud instance is currently in single user mode." : "Αυτή η εγκατάσταση Nextcloud είναι τώρα σε κατάσταση ενός χρήστη.", - "This means only administrators can use the instance." : "Αυτό σημαίνει ότι μόνο οι διαχειριστές μπορούν να χρησιμοποιήσουν την εγκατάσταση.", - "You are accessing the server from an untrusted domain." : "Η προσπέλαση του διακομιστή γίνεται από μη έμπιστο τομέα.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Παρακαλώ επικοινωνήστε με το διαχειριστή του συστήματος. Αν είστε ο διαχειριστής, ρυθμίστε την επιλογή \"trusted_domain\" στο αρχείο config/config.php. Μπορείτε να βρείτε παράδειγμα στο αρχείο config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Ανάλογα με τις ρυθμίσεις σας, σαν διαχειριστής θα μπορούσατε επίσης να χρησιμοποιήσετε το παρακάτω κουμπί για να εμπιστευθείτε αυτόν τον τομέα.", - "Please use the command line updater because you have a big instance." : "Παρακαλούμε χρησιμοποιήστε την ενημέρωση μέσω γραμμής εντολών διότι έχετε μεγάλη εγκατάσταση.", - "For help, see the documentation." : "Για βοήθεια, δείτε στην τεκμηρίωση.", - "There was an error loading your contacts" : "Υπήρξε σφάλμα κατά την φόρτωση των επαφών σας", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "H PHP OPcache δεν είναι σωστά διαμορφωμένη. Για καλύτερη απόδοση προτείνεταινα χρησιμοποιήσετε τις εξής ρυθμίσεις στο php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Μη διαθέσιμη η λειτουργία της PHP \"set_time_limit\". Αυτό μπορεί να διακόψει την εκτέλεση των διαφόρων scripts με αποτέλεσμα να διακοπεί η εγκατάστασή σας. Σας συνιστούμε να ενεργοποιήσετε αυτή τη λειτουργία.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ο κατάλογος δεδομένων και τα αρχεία σας είναι πιθανόν προσβάσιμα από το διαδίκτυο. Το αρχείο .htaccess δεν λειτουργεί. Σας προτείνουμε να ρυθμίσετε το διακομιστή σας με τέτοιο τρόπο ώστε ο κατάλογος δεδομένων να μην είναι πλέον προσβάσιμος ή να μετακινήσετε τον κατάλογο δεδομένων εκτός του ριζικού καταλόγου εγγράφων του διακομιστή.", - "You are about to grant \"%s\" access to your %s account." : "Πρόκειται να δώσετε δικαίωμα πρόσβασης%sστον%sλογαριασμό." + "Thank you for your patience." : "Σας ευχαριστούμε για την υπομονή σας." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/el.json b/core/l10n/el.json index 2c6d01a5581b7..559a993241bcf 100644 --- a/core/l10n/el.json +++ b/core/l10n/el.json @@ -282,70 +282,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Αυτή %s η εγκατάσταση είναι σε λειτουργία συντήρησης, η οποία μπορεί να διαρκέσει κάποιο χρόνο.", "This page will refresh itself when the %s instance is available again." : "Αυτή η σελίδα θα ανανεωθεί από μόνη της όταν η %s εγκατάσταση είναι διαθέσιμη ξανά.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Επικοινωνήστε με το διαχειριστή του συστήματος αν αυτό το μήνυμα συνεχίζει να εμφανίζεται ή εμφανίστηκε απρόσμενα.", - "Thank you for your patience." : "Σας ευχαριστούμε για την υπομονή σας.", - "%s (3rdparty)" : "%s (3ων παρόχων)", - "Problem loading page, reloading in 5 seconds" : "Πρόβλημα φόρτωσης σελίδας, φόρτωση ξανά σε 5 λεπτά", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Τα αρχεία σας είναι κρυπτογραφημένα. Εάν δεν έχετε ενεργοποιήσει το κλειδί επαναφοράς, δεν θα υπάρχει τρόπος να ανακτήσετε τα δεδομένα σας μετά την επαναφορά του συνθηματικού σας.
Εάν δεν είστε σίγουροι για το τι θα θέλατε να κάνετε, παρακαλώ επικοινωνήστε με το διαχειριστή σας πριν συνεχίσετε.
Θέλετε να συνεχίσετε;", - "Ok" : "ΟΚ", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ο διακομιστής σας δεν έχει ρυθμιστεί κατάλληλα ώστε να επιτρέπει τον συγχρονισμό αρχείων διότι η διεπαφή WebDAV πιθανόν να μην λειτουργεί.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Ο διακομιστής σας δεν έχει ρυθμιστεί κατάλληλα ώστε να επιλύει το \"{url}\". Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Αυτός ο διακομιστής δεν έχει καθόλου σύνδεση στο διαδίκτυο. Διάφορα τερματικά σημεία δεν είναι δυνατόν να προσπελαστούν. Αυτό σημαίνει ότι κάποιες λειτουργίες, όπως η προσάρτηση εξωτερικού αποθηκευτικού χώρου, οι ειδοποιήσεις σχετικά με ενημέρωση ή εγκατάσταση εφαρμογών τρίτων παρόχων δεν θα λειτουργήσουν. Όπως ενδέχεται να μη λειτουργήσουν επίσης η απομακρυσμένη πρόσβαση αρχείων ή ειδοποιήσεις μέσω ηλεκτρονικού ταχυδρομείου. Σας προτείνουμε να ενεργοποιήσετε την σύνδεση στο διαδίκτυο για τον συγκεκριμένο διακομιστή εάν θέλετε να έχετε όλες τις λειτουργίες.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Δεν έχει ρυθμιστεί η χρήση λανθάνουσας μνήμης. Για να βελτιώσετε τις επιδόσεις παρακαλούμε να ρυθμίσετε το memcache, εφόσον είναι διαθέσιμο. Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "Η συσκευή /dev/urandom δεν είναι αναγνώσιμη από την PHP κάτι που θα έπρεπε να μπορεί για λόγους ασφάλειας. Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Έχετε εγκατεστημένη έκδοση PHP {version}. Σας ενθαρρύνουμε να αναβαθμίσετε την έκδοση της PHP το συντομότερο δυνατόν που η διανομή σας το υποστηρίξει ώστε να εκμεταλλευτείτε τις επιδόσεις και τις ενημερώσεις ασφάλειας που παρέχονται από την ομάδα PHP .", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Η διαμόρφωση των reverse proxy headers είναι εσφαλμένη, ή έχετε πρόσβαση στο Nextcloud από έναν αξιόπιστο διαμεσολαβητή. Εάν δεν έχετε πρόσβαση στο Nextcloud από έναν αξιόπιστο διαμεσολαβητή, αυτό είναι ένα ζήτημα ασφαλείας και μπορείτε να επιτρέψετε σε κάποιον εισβολέα να παρουσιάσει την διεύθυνση IP του παραπλανητικά ως ορατή στο Nextcloud. Περισσότερες πληροφορίες μπορείτε να βρείτε στην τεκμηρίωση.", - "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 memcached wiki about both modules." : "Το Memcached είναι ρυθμισμένο ως κατανεμημένη λανθάνουσα μνήμη, αλλά είναι εγκατεστημένο το λάθος άρθρωμα \"memcache\" της PHP. Το \\OC\\Memcache\\Memcached υποστηρίζει μόνο τη \"memcached\" και όχι τη \"memcache\". Δείτε το memcached wiki και για τα δύο αρθρώματα.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Μερικά αρχεία δεν πέρασαν από τον έλεγχο της ακεραιότητας. Περισσότερες πληροφορίες για το πως να επιλύσετε πρόβλημα μπορείτε να βρείτε στην τεκμηρίωση. (Λίστα από μή έγκυρα αρχεία… / Σάρωση ξανά…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ο κατάλογος δεδομένων και τα αρχεία σας είναι πιθανόν προσβάσιμα από το διαδίκτυο. Το αρχείο .htaccess δεν λειτουργεί. Σας προτείνουμε ανεπιφύλακτα να ρυθμίσετε το διακομιστή σας με τέτοιο τρόπο ώστε ο κατάλογος δεδομένων να μην είναι πλέον προσβάσιμος ή να μετακινήσετε τον κατάλογο δεδομένων εκτός του ριζικού καταλόγου εγγράφων του διακομιστή.", - "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." : "H \"{header}\" κεφαλίδα HTTP δεν έχει ρυθμιστεί ώστε να ισούται με \"{expected}\". Αυτό αποτελεί ενδεχόμενο κίνδυνο ασφάλειας ή ιδιωτικότητας και συστήνουμε τη προσαρμογή αυτής της ρύθμισης.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Η \"Strict-Transport-Security\" κεφαλίδα HTTP δεν έχει ρυθμιστεί για τουλάχιστον \"{seconds}\" δευτερόλεπτα. Για αυξημένη ασφάλεια συστήνουμε την ενεργοποίηση του HSTS όπως περιγράφεται στις συμβουλές ασφαλείας.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Έχετε πρόσβαση σε αυτό τον ιστότοπο μέσω HTTP. Προτείνουμε ανεπιφύλακτα να ρυθμίσετε το διακομιστή σας ώστε να απαιτεί τη χρήση HTTPS όπως περιγράφεται στις συμβουλές ασφαλείας.", - "Shared with {recipients}" : "Διαμοιράστηκε με {recipients}", - "Error while unsharing" : "Σφάλμα κατά την αναίρεση του διαμοιρασμού", - "can reshare" : "δυνατότητα να διαμοιραστεί ξανά", - "can edit" : "δυνατότητα αλλαγής", - "can create" : "δυνατότητα δημιουργίας", - "can change" : "δυνατότητα αλλαγής", - "can delete" : "δυνατότητα διαγραφής", - "access control" : "έλεγχος πρόσβασης", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Διαμοιρασμός με άτομα σε άλλους διακομιστές με χρήση της ταυτότητας Federated Cloud username@example.com/nextcloud", - "Share with users or by mail..." : "Διαμοιρασμός με χρήστες ή με mail...", - "Share with users or remote users..." : "Διαμοιρασμός με χρήστες ή απομακρυσμένους χρήστες...", - "Share with users, remote users or by mail..." : "Διαμοιρασμός με χρήστες, απομακρυσμένους χρήστες ή με mail...", - "Share with users or groups..." : "Διαμοιρασμός με χρήστες ή ομάδες...", - "Share with users, groups or by mail..." : "Διαμοιρασμός με χρήστες, ομάδες ή με mail...", - "Share with users, groups or remote users..." : "Διαμοιρασμός με χρήστες, ομάδες ή απομακρυσμένους χρήστες...", - "Share with users, groups, remote users or by mail..." : "Διαμοιρασμός με χρήστες, ομάδες, απομακρυσμένους χρήστες ή με mail...", - "Share with users..." : "Διαμοιρασμός με χρήστες...", - "The object type is not specified." : "Δεν καθορίστηκε ο τύπος του αντικειμένου.", - "Enter new" : "Εισαγωγή νέου", - "Add" : "Προσθήκη", - "Edit tags" : "Επεξεργασία ετικετών", - "Error loading dialog template: {error}" : "Σφάλμα φόρτωσης προτύπου διαλόγων: {error}", - "No tags selected for deletion." : "Δεν επιλέχτηκε καμμία ετικέτα για διαγραφή.", - "The update was successful. Redirecting you to Nextcloud now." : "Η ενημέρωση ήταν επιτυχής. Θα γίνει ανακατεύθυνση στο Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Γεια χαρά,\n\nαπλά σας ενημερώνω πως ο %s μοιράστηκε το %s με εσάς.\nΔείτε το: %s\n\n", - "The share will expire on %s." : "Ο διαμοιρασμός θα λήξει σε %s.", - "Cheers!" : "Με εκτίμηση!", - "The server encountered an internal error and was unable to complete your request." : "Ο διακομιστής αντιμετώπισε ένα εσωτερικό σφάλμα και δεν μπόρεσε να ολοκληρώσει το αίτημά σας.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Παρακαλούμε επικοινωνήστε με το διαχειριστή του διακομιστή, εάν αυτό το σφάλμα επανεμφανίζεται πολλές φορές, παρακαλούμε να συμπεριλάβετε τις τεχνικές λεπτομέρειες παρακάτω στην αναφορά σας.", - "For information how to properly configure your server, please see the documentation." : "Για πληροφορίες πως μπορείτε να ρυθμίσετε σωστά τον διακομιστή, παρακαλούμε δείτε την τεκμηρίωση.", - "Log out" : "Αποσύνδεση", - "This action requires you to confirm your password:" : "Αυτή η ενέργεια απαιτεί επιβεβαίωση του συνθηματικού σας:", - "Wrong password. Reset it?" : "Λάθος συνθηματικο. Επαναφορά;", - "Use the following link to reset your password: {link}" : "Χρησιμοποιήστε τον ακόλουθο σύνδεσμο για να επαναφέρετε το συνθηματικό: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Γεια χαρά,

απλά σας ενημερώνω πως ο %s μοιράστηκε το%s με εσάς.
Δείτε το!

", - "This Nextcloud instance is currently in single user mode." : "Αυτή η εγκατάσταση Nextcloud είναι τώρα σε κατάσταση ενός χρήστη.", - "This means only administrators can use the instance." : "Αυτό σημαίνει ότι μόνο οι διαχειριστές μπορούν να χρησιμοποιήσουν την εγκατάσταση.", - "You are accessing the server from an untrusted domain." : "Η προσπέλαση του διακομιστή γίνεται από μη έμπιστο τομέα.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Παρακαλώ επικοινωνήστε με το διαχειριστή του συστήματος. Αν είστε ο διαχειριστής, ρυθμίστε την επιλογή \"trusted_domain\" στο αρχείο config/config.php. Μπορείτε να βρείτε παράδειγμα στο αρχείο config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Ανάλογα με τις ρυθμίσεις σας, σαν διαχειριστής θα μπορούσατε επίσης να χρησιμοποιήσετε το παρακάτω κουμπί για να εμπιστευθείτε αυτόν τον τομέα.", - "Please use the command line updater because you have a big instance." : "Παρακαλούμε χρησιμοποιήστε την ενημέρωση μέσω γραμμής εντολών διότι έχετε μεγάλη εγκατάσταση.", - "For help, see the documentation." : "Για βοήθεια, δείτε στην τεκμηρίωση.", - "There was an error loading your contacts" : "Υπήρξε σφάλμα κατά την φόρτωση των επαφών σας", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "H PHP OPcache δεν είναι σωστά διαμορφωμένη. Για καλύτερη απόδοση προτείνεταινα χρησιμοποιήσετε τις εξής ρυθμίσεις στο php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Μη διαθέσιμη η λειτουργία της PHP \"set_time_limit\". Αυτό μπορεί να διακόψει την εκτέλεση των διαφόρων scripts με αποτέλεσμα να διακοπεί η εγκατάστασή σας. Σας συνιστούμε να ενεργοποιήσετε αυτή τη λειτουργία.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ο κατάλογος δεδομένων και τα αρχεία σας είναι πιθανόν προσβάσιμα από το διαδίκτυο. Το αρχείο .htaccess δεν λειτουργεί. Σας προτείνουμε να ρυθμίσετε το διακομιστή σας με τέτοιο τρόπο ώστε ο κατάλογος δεδομένων να μην είναι πλέον προσβάσιμος ή να μετακινήσετε τον κατάλογο δεδομένων εκτός του ριζικού καταλόγου εγγράφων του διακομιστή.", - "You are about to grant \"%s\" access to your %s account." : "Πρόκειται να δώσετε δικαίωμα πρόσβασης%sστον%sλογαριασμό." + "Thank you for your patience." : "Σας ευχαριστούμε για την υπομονή σας." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index 5c22003ae3dbd..51cdbae72f659 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -314,71 +314,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "This %s instance is currently in maintenance mode, which may take a while.", "This page will refresh itself when the %s instance is available again." : "This page will refresh itself when the %s instance is available again.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contact your system administrator if this message persists or appeared unexpectedly.", - "Thank you for your patience." : "Thank you for your patience.", - "%s (3rdparty)" : "%s (3rdparty)", - "Problem loading page, reloading in 5 seconds" : "Problem loading page, reloading in 5 seconds", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Your web server is not yet set up properly to allow file synchronisation because the WebDAV interface seems to be broken.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", - "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "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." : "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.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", - "Shared with {recipients}" : "Shared with {recipients}", - "Error while unsharing" : "Error whilst unsharing", - "can reshare" : "can reshare", - "can edit" : "can edit", - "can create" : "can create", - "can change" : "can change", - "can delete" : "can delete", - "access control" : "access control", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Share with users or by mail...", - "Share with users or remote users..." : "Share with users or remote users...", - "Share with users, remote users or by mail..." : "Share with users, remote users or by mail...", - "Share with users or groups..." : "Share with users or groups...", - "Share with users, groups or by mail..." : "Share with users, groups or by mail...", - "Share with users, groups or remote users..." : "Share with users, groups or remote users...", - "Share with users, groups, remote users or by mail..." : "Share with users, groups, remote users or by mail...", - "Share with users..." : "Share with users...", - "The object type is not specified." : "The object type is not specified.", - "Enter new" : "Enter new", - "Add" : "Add", - "Edit tags" : "Edit tags", - "Error loading dialog template: {error}" : "Error loading dialog template: {error}", - "No tags selected for deletion." : "No tags selected for deletion.", - "The update was successful. Redirecting you to Nextcloud now." : "The update was successful. Redirecting you to Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n", - "The share will expire on %s." : "The share will expire on %s.", - "Cheers!" : "Cheers!", - "The server encountered an internal error and was unable to complete your request." : "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." : "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report.", - "For information how to properly configure your server, please see the documentation." : "For information how to properly configure your server, please see the documentation.", - "Log out" : "Log out", - "This action requires you to confirm your password:" : "This action requires you to confirm your password:", - "Wrong password. Reset it?" : "Wrong password. Reset it?", - "Use the following link to reset your password: {link}" : "Use the following link to reset your password: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hey there,

just letting you know that %s shared %s with you.
View it!

", - "This Nextcloud instance is currently in single user mode." : "This Nextcloud instance is currently in single user mode.", - "This means only administrators can use the instance." : "This means only administrators can use the instance.", - "You are accessing the server from an untrusted domain." : "You are accessing the server from an untrusted domain.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain.", - "Please use the command line updater because you have a big instance." : "Please use the command line updater because you have a big instance.", - "For help, see the documentation." : "For help, see the documentation.", - "There was an error loading your contacts" : "There was an error loading your contacts", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." + "Thank you for your patience." : "Thank you for your patience." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index 9784e04afa454..aa7d6d0405447 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -312,71 +312,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "This %s instance is currently in maintenance mode, which may take a while.", "This page will refresh itself when the %s instance is available again." : "This page will refresh itself when the %s instance is available again.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contact your system administrator if this message persists or appeared unexpectedly.", - "Thank you for your patience." : "Thank you for your patience.", - "%s (3rdparty)" : "%s (3rdparty)", - "Problem loading page, reloading in 5 seconds" : "Problem loading page, reloading in 5 seconds", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Your web server is not yet set up properly to allow file synchronisation because the WebDAV interface seems to be broken.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", - "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "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." : "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.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", - "Shared with {recipients}" : "Shared with {recipients}", - "Error while unsharing" : "Error whilst unsharing", - "can reshare" : "can reshare", - "can edit" : "can edit", - "can create" : "can create", - "can change" : "can change", - "can delete" : "can delete", - "access control" : "access control", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Share with users or by mail...", - "Share with users or remote users..." : "Share with users or remote users...", - "Share with users, remote users or by mail..." : "Share with users, remote users or by mail...", - "Share with users or groups..." : "Share with users or groups...", - "Share with users, groups or by mail..." : "Share with users, groups or by mail...", - "Share with users, groups or remote users..." : "Share with users, groups or remote users...", - "Share with users, groups, remote users or by mail..." : "Share with users, groups, remote users or by mail...", - "Share with users..." : "Share with users...", - "The object type is not specified." : "The object type is not specified.", - "Enter new" : "Enter new", - "Add" : "Add", - "Edit tags" : "Edit tags", - "Error loading dialog template: {error}" : "Error loading dialog template: {error}", - "No tags selected for deletion." : "No tags selected for deletion.", - "The update was successful. Redirecting you to Nextcloud now." : "The update was successful. Redirecting you to Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n", - "The share will expire on %s." : "The share will expire on %s.", - "Cheers!" : "Cheers!", - "The server encountered an internal error and was unable to complete your request." : "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." : "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report.", - "For information how to properly configure your server, please see the documentation." : "For information how to properly configure your server, please see the documentation.", - "Log out" : "Log out", - "This action requires you to confirm your password:" : "This action requires you to confirm your password:", - "Wrong password. Reset it?" : "Wrong password. Reset it?", - "Use the following link to reset your password: {link}" : "Use the following link to reset your password: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hey there,

just letting you know that %s shared %s with you.
View it!

", - "This Nextcloud instance is currently in single user mode." : "This Nextcloud instance is currently in single user mode.", - "This means only administrators can use the instance." : "This means only administrators can use the instance.", - "You are accessing the server from an untrusted domain." : "You are accessing the server from an untrusted domain.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain.", - "Please use the command line updater because you have a big instance." : "Please use the command line updater because you have a big instance.", - "For help, see the documentation." : "For help, see the documentation.", - "There was an error loading your contacts" : "There was an error loading your contacts", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." + "Thank you for your patience." : "Thank you for your patience." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es.js b/core/l10n/es.js index b88a2c88bf41f..0604819c487f8 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Está instancia %s está en modo mantenimiento, por lo que puede llevar un tiempo.", "This page will refresh itself when the %s instance is available again." : "La página se refrescará cuando la instalación %s vuelva a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", - "Thank you for your patience." : "Gracias por su paciencia.", - "%s (3rdparty)" : "%s (tercero)", - "Problem loading page, reloading in 5 seconds" : "Problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están cifrados. Si no ha activado la clave de recuperación, no habrá manera de recuperar los datos una vez su contraseña sea restablecida.
Si no está seguro de lo que debe hacer, por favor contacte con su administrador antes de continuar.
¿Realmente desea continuar?", - "Ok" : "Aceptar", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Su servidor web aún no está configurado adecuadamente para permitir sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Su servidor no ha sido correctamente configurado para resolver \"{url}\". Puede encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no tiene una conexión a internet. No se pudo establecer varias conexiones. Esto significa que varias funcionalidades, como montar discos externos, notificaciones sobre actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Podría no ser posible acceder a archivos remotamente o enviar emails de notificación. Sugerimos activar el acceso a Internet para este servidor si se quiere acceder a todas esas funcionalidades.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "La memoria caché no ha sido configurada. Para mejorar su desempeño, por favor, configure la memcache si está disponible. Puede encontrar más información en nuestra documentation", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP no tiene acceso a /dev/urandom lo cual es desaconsejable por razones de seguridad. Puede encontrar más información en nuestra our documentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualmente utiliza PHP {version}. Le aconsejamos que actualice su versión de PHP para beneficiarse de mejoras de desempeño y seguridad que aporta PHP Group en cuanto su distribución lo soporte.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de encabezados del proxy reverso es incorrecta, o usted está accediendo a Nextcloud desde un proxy en el que confía. Si no está accediendo a Nextcloud desde un proxy fiable, esto es un problema de seguridad y puede permitir a un atacante dsfrazar su dirección IP como visible para Nextcloud. Se puede encontrar más información en nuestra documentción.", - "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 memcached wiki about both modules." : "memcached es un sistema de cache distribuido. pero ha sido instalado por error el modulo PHP memcache.\nConsulte memcached wiki acerca de ambos modulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han superado la comprobación de integridad. Para más información sobre cómo resolver este inconveniente consulte nuestra documentación. (Lista de archivos inválidos… / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Su directorio de datos y sus archivos probablemente sean accesibles desde Internet. El archivo .htaccess no está funcionando. Le sugerimos encarecidamente que configure su servidor web de modo que el directorio de datos ya no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web.", - "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." : "La \"{header}\" cabecera HTTP no está configurado para ser igual a \"{expected}\". Esto puede suponer un riesgo para la seguridad o la privacidad, por lo que se recomienda ajustar esta opción.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "La cabecera HTTP \"Strict-Transport-Security\" no está configurada en al menos \"{seconds}\" segundos. Para una mejor seguridad recomendamos que habilite HSTS como se describe en security tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Está ingresando a este sitio de internet vía HTTP. Le sugerimos enérgicamente que configure su servidor que utilice HTTPS como se describe en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede cambiar", - "can delete" : "puede eliminar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Compartir con personas en otros servidores usando su ID de Nube Federada username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con usuarios o vía email...", - "Share with users or remote users..." : "Compartir con usuarios o usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con usuarios, usuarios remotos o por correo...", - "Share with users or groups..." : "Compartir con usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con usuarios, grupos o por correo...", - "Share with users, groups or remote users..." : "Compartir con usuarios, grupos o usuarios remotos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios remotos o por correo...", - "Share with users..." : "Compartir con usuarios...", - "The object type is not specified." : "El tipo de objeto no está especificado.", - "Enter new" : "Ingresar nueva", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Error al cargar plantilla de diálogo: {error}", - "No tags selected for deletion." : "No hay etiquetas seleccionadas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "Actualización completada con éxito. Redirigiendo a Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola:\n\nTan solo queremos informarte que %s compartió %s contigo.\nMíralo aquí: %s\n\n", - "The share will expire on %s." : "El objeto dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "El servidor ha encontrado un error y no puede completar la solicitud.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor, contacte con el administrador del servidor si este error reaparece múltiples veces. Incluya asimismo los detalles técnicos que se muestran a continuación.", - "For information how to properly configure your server, please see the documentation." : "Para información de como configurar adecuadamente el servidor, por favor revise la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirme su contraseña:", - "Wrong password. Reset it?" : "Contraseña incorrecta. ¿Restablecerla?", - "Use the following link to reset your password: {link}" : "Utilice el siguiente enlace para restablecer su contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola:

Te comentamos que %s compartió %s contigo.
¡Échale un vistazo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto quiere decir que solo un administrador puede usarla.", - "You are accessing the server from an untrusted domain." : "Está accediendo al servidor desde un dominio inseguro.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Contacte con su administrador. Si usted es el administrador, configure \"trusted_domains\" en config/config.php. En config/config.sample.php se encuentra un ejemplo para la configuración.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como administrador, debería poder usar el botón de abajo para confiar en este dominio.", - "Please use the command line updater because you have a big instance." : "Por favor utilice la actualización mediante la linea de comandos porque tiene pendiente una gran actualización.", - "For help, see the documentation." : "Para ayuda, mirar la documentación.", - "There was an error loading your contacts" : "Ha habido un error cargando tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La caché OPCache de PHP no ha sido configurada correctamente. Para un mejor funcionamiento recomendamos usar la siguiente configuración en el php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_limit_time\" no esta disponible. Esto podría resultar en el script siendo terminado a la mitad de la ejecución, rompiendo la instalación. Le sugerimos considerablemente que active esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Estás a punto de conceder a \"%s\" acceso a tu cuenta %s", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene soporte de freetype. Esto tendrá como resultado que las imágenes de perfil y la interfaz de configuración estarán rotas." + "Thank you for your patience." : "Gracias por su paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es.json b/core/l10n/es.json index 2fdf0576759a6..21e6477cbd5a4 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Está instancia %s está en modo mantenimiento, por lo que puede llevar un tiempo.", "This page will refresh itself when the %s instance is available again." : "La página se refrescará cuando la instalación %s vuelva a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", - "Thank you for your patience." : "Gracias por su paciencia.", - "%s (3rdparty)" : "%s (tercero)", - "Problem loading page, reloading in 5 seconds" : "Problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están cifrados. Si no ha activado la clave de recuperación, no habrá manera de recuperar los datos una vez su contraseña sea restablecida.
Si no está seguro de lo que debe hacer, por favor contacte con su administrador antes de continuar.
¿Realmente desea continuar?", - "Ok" : "Aceptar", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Su servidor web aún no está configurado adecuadamente para permitir sincronización de archivos ya que la interfaz WebDAV parece no estar funcionando.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Su servidor no ha sido correctamente configurado para resolver \"{url}\". Puede encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no tiene una conexión a internet. No se pudo establecer varias conexiones. Esto significa que varias funcionalidades, como montar discos externos, notificaciones sobre actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Podría no ser posible acceder a archivos remotamente o enviar emails de notificación. Sugerimos activar el acceso a Internet para este servidor si se quiere acceder a todas esas funcionalidades.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "La memoria caché no ha sido configurada. Para mejorar su desempeño, por favor, configure la memcache si está disponible. Puede encontrar más información en nuestra documentation", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP no tiene acceso a /dev/urandom lo cual es desaconsejable por razones de seguridad. Puede encontrar más información en nuestra our documentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualmente utiliza PHP {version}. Le aconsejamos que actualice su versión de PHP para beneficiarse de mejoras de desempeño y seguridad que aporta PHP Group en cuanto su distribución lo soporte.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de encabezados del proxy reverso es incorrecta, o usted está accediendo a Nextcloud desde un proxy en el que confía. Si no está accediendo a Nextcloud desde un proxy fiable, esto es un problema de seguridad y puede permitir a un atacante dsfrazar su dirección IP como visible para Nextcloud. Se puede encontrar más información en nuestra documentción.", - "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 memcached wiki about both modules." : "memcached es un sistema de cache distribuido. pero ha sido instalado por error el modulo PHP memcache.\nConsulte memcached wiki acerca de ambos modulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han superado la comprobación de integridad. Para más información sobre cómo resolver este inconveniente consulte nuestra documentación. (Lista de archivos inválidos… / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Su directorio de datos y sus archivos probablemente sean accesibles desde Internet. El archivo .htaccess no está funcionando. Le sugerimos encarecidamente que configure su servidor web de modo que el directorio de datos ya no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web.", - "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." : "La \"{header}\" cabecera HTTP no está configurado para ser igual a \"{expected}\". Esto puede suponer un riesgo para la seguridad o la privacidad, por lo que se recomienda ajustar esta opción.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "La cabecera HTTP \"Strict-Transport-Security\" no está configurada en al menos \"{seconds}\" segundos. Para una mejor seguridad recomendamos que habilite HSTS como se describe en security tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Está ingresando a este sitio de internet vía HTTP. Le sugerimos enérgicamente que configure su servidor que utilice HTTPS como se describe en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede cambiar", - "can delete" : "puede eliminar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Compartir con personas en otros servidores usando su ID de Nube Federada username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con usuarios o vía email...", - "Share with users or remote users..." : "Compartir con usuarios o usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con usuarios, usuarios remotos o por correo...", - "Share with users or groups..." : "Compartir con usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con usuarios, grupos o por correo...", - "Share with users, groups or remote users..." : "Compartir con usuarios, grupos o usuarios remotos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios remotos o por correo...", - "Share with users..." : "Compartir con usuarios...", - "The object type is not specified." : "El tipo de objeto no está especificado.", - "Enter new" : "Ingresar nueva", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Error al cargar plantilla de diálogo: {error}", - "No tags selected for deletion." : "No hay etiquetas seleccionadas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "Actualización completada con éxito. Redirigiendo a Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola:\n\nTan solo queremos informarte que %s compartió %s contigo.\nMíralo aquí: %s\n\n", - "The share will expire on %s." : "El objeto dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "El servidor ha encontrado un error y no puede completar la solicitud.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor, contacte con el administrador del servidor si este error reaparece múltiples veces. Incluya asimismo los detalles técnicos que se muestran a continuación.", - "For information how to properly configure your server, please see the documentation." : "Para información de como configurar adecuadamente el servidor, por favor revise la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirme su contraseña:", - "Wrong password. Reset it?" : "Contraseña incorrecta. ¿Restablecerla?", - "Use the following link to reset your password: {link}" : "Utilice el siguiente enlace para restablecer su contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola:

Te comentamos que %s compartió %s contigo.
¡Échale un vistazo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto quiere decir que solo un administrador puede usarla.", - "You are accessing the server from an untrusted domain." : "Está accediendo al servidor desde un dominio inseguro.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Contacte con su administrador. Si usted es el administrador, configure \"trusted_domains\" en config/config.php. En config/config.sample.php se encuentra un ejemplo para la configuración.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como administrador, debería poder usar el botón de abajo para confiar en este dominio.", - "Please use the command line updater because you have a big instance." : "Por favor utilice la actualización mediante la linea de comandos porque tiene pendiente una gran actualización.", - "For help, see the documentation." : "Para ayuda, mirar la documentación.", - "There was an error loading your contacts" : "Ha habido un error cargando tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La caché OPCache de PHP no ha sido configurada correctamente. Para un mejor funcionamiento recomendamos usar la siguiente configuración en el php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_limit_time\" no esta disponible. Esto podría resultar en el script siendo terminado a la mitad de la ejecución, rompiendo la instalación. Le sugerimos considerablemente que active esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son probablemente accesibles desde internet. El archivo .htaccess no funciona. Se recomienda encarecidamente que configures tu servidor web de tal manera que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Estás a punto de conceder a \"%s\" acceso a tu cuenta %s", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene soporte de freetype. Esto tendrá como resultado que las imágenes de perfil y la interfaz de configuración estarán rotas." + "Thank you for your patience." : "Gracias por su paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_419.js b/core/l10n/es_419.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_419.js +++ b/core/l10n/es_419.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_419.json b/core/l10n/es_419.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_419.json +++ b/core/l10n/es_419.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_AR.js b/core/l10n/es_AR.js deleted file mode 100644 index e83fc59dd8db6..0000000000000 --- a/core/l10n/es_AR.js +++ /dev/null @@ -1,347 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Favor de seleccionar un archivo.", - "File is too big" : "El archivo es demasiado grande.", - "The selected file is not an image." : "El archivo seleccionado no es una imagen.", - "The selected file cannot be read." : "El archivo seleccionado no se puede leer.", - "Invalid file provided" : "Archivo proporcionado inválido", - "No image or file provided" : "No se especificó un archivo o imagen", - "Unknown filetype" : "Tipo de archivo desconocido", - "Invalid image" : "Imagen inválida", - "An error occurred. Please contact your admin." : "Se presentó un error. Favor de contactar a su adminsitrador. ", - "No temporary profile picture available, try again" : "No hay una imagen de perfil temporal disponible, favor de intentarlo de nuevo", - "No crop data provided" : "No se han proporcionado datos del recorte", - "No valid crop data provided" : "No se han proporcionado datos válidos del recorte", - "Crop is not square" : "El recorte no está cuadrado", - "State token does not match" : "El token de estado no corresponde", - "Password reset is disabled" : "Restablecer contraseña se encuentra deshabilitado", - "Couldn't reset password because the token is invalid" : "No ha sido posible restablecer la contraseña porque el token es inválido", - "Couldn't reset password because the token is expired" : "No ha sido posible restablecer la contraseña porque el token ha expirado", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "No fue posible enviar el correo electrónico para restablecer porque no hay una dirección de correo electrónico para este usuario. Favor de contactar a su adminsitrador. ", - "%s password reset" : "%s restablecer la contraseña", - "Password reset" : "Restablecer contraseña", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Haga click en el siguiente botón para restablecer su contraseña. Si no ha solicitado restablecer su contraseña, favor de ignorar este correo. ", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Haga click en el siguiente link para restablecer su contraseña. Si no ha solicitado restablecer la contraseña, favor de ignorar este mensaje. ", - "Reset your password" : "Restablecer su contraseña", - "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", - "Couldn't send reset email. Please make sure your username is correct." : "No fue posible restablecer el correo electrónico. Favor de asegurarse que su nombre de usuario sea correcto. ", - "Preparing update" : "Preparando actualización", - "[%d / %d]: %s" : "[%d / %d]: %s ", - "Repair warning: " : "Advertencia de reparación:", - "Repair error: " : "Error de reparación: ", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Favor de usar el actualizador de línea de comandos ya que el actualizador automático se encuentra deshabilitado en config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Verificando tabla %s", - "Turned on maintenance mode" : "Activar modo mantenimiento", - "Turned off maintenance mode" : "Desactivar modo mantenimiento", - "Maintenance mode is kept active" : "El modo mantenimiento sigue activo", - "Updating database schema" : "Actualizando esquema de base de datos", - "Updated database" : "Base de datos actualizada", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Verificando si el archivo del esquema de base de datos puede ser actualizado (esto puedo tomar mucho tiempo dependiendo del tamaño de la base de datos)", - "Checked database schema update" : "Actualización del esquema de base de datos verificada", - "Checking updates of apps" : "Verificando actualizaciónes para aplicaciones", - "Checking for update of app \"%s\" in appstore" : "Verificando actualizaciones para la aplicacion \"%s\" en la appstore", - "Update app \"%s\" from appstore" : "Actualizar la aplicación \"%s\" desde la appstore", - "Checked for update of app \"%s\" in appstore" : "Se verificaron actualizaciones para la aplicación \"%s\" en la appstore", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificando si el esquema de la base de datos para %s puede ser actualizado (esto puede tomar mucho tiempo dependiendo del tamaño de la base de datos)", - "Checked database schema update for apps" : "Se verificó la actualización del esquema de la base de datos para las aplicaciones", - "Updated \"%s\" to %s" : "Actualizando \"%s\" a %s", - "Set log level to debug" : "Establecer nivel de bitacora a depurar", - "Reset log level" : "Restablecer nivel de bitácora", - "Starting code integrity check" : "Comenzando verificación de integridad del código", - "Finished code integrity check" : "Verificación de integridad del código terminó", - "%s (incompatible)" : "%s (incompatible)", - "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", - "Already up to date" : "Ya está actualizado", - "Search contacts …" : "Buscar contactos ...", - "No contacts found" : "No se encontraron contactos", - "Show all contacts …" : "Mostrar todos los contactos ...", - "Loading your contacts …" : "Cargando sus contactos ... ", - "Looking for {term} …" : "Buscando {term} ...", - "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Mayor información ...", - "No action available" : "No hay acciones disponibles", - "Error fetching contact actions" : "Se presentó un error al traer las acciónes de contatos", - "Settings" : "Configuraciones ", - "Connection to server lost" : "Se ha perdido la conexión con el servidor", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Se presentó un erorr al cargar la página, recargando en %n segundo","Se presentó un erorr al cargar la página, recargando en %n segundo"], - "Saving..." : "Guardando...", - "Dismiss" : "Descartar", - "This action requires you to confirm your password" : "Esta acción requiere que confirme su contraseña", - "Authentication required" : "Se requiere autenticación", - "Password" : "Contraseña", - "Cancel" : "Cancelar", - "Confirm" : "Confirmar", - "Failed to authenticate, try again" : "Falla en la autenticación, favor de reintentar", - "seconds ago" : "hace segundos", - "Logging in …" : "Ingresando ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "El link para restablecer su contraseña ha sido enviada a su correo electrónico. Si no lo recibe dentro de un tiempo razonable, verifique las carpetas de spam/basura.
Si no la encuentra consulte a su adminstrador local.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. No habrá manera de recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de qué hacer, favor de contactar a su administrador antes de continuar.
¿Realmente desea continuar?", - "I know what I'm doing" : "Sé lo que estoy haciendo", - "Password can not be changed. Please contact your administrator." : "Las contraseñas no se pueden cambiar. Favor de contactar a su adminstrador", - "Reset password" : "Restablecer contraseña", - "No" : "No", - "Yes" : "Sí", - "No files in here" : "No hay archivos aquí", - "Choose" : "Seleccionar", - "Copy" : "Copiar", - "Error loading file picker template: {error}" : "Se presentó un error al cargar la plantilla del seleccionador de archivos: {error}", - "OK" : "OK", - "Error loading message template: {error}" : "Se presentó un error al cargar la plantilla del mensaje: {error}", - "read-only" : "sólo-lectura", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflicto de archivo","{count} conflictos en el archivo"], - "One file conflict" : "Un conflicto en el archivo", - "New Files" : "Archivos Nuevos", - "Already existing files" : "Archivos ya existentes", - "Which files do you want to keep?" : "¿Cuales archivos desea mantener?", - "If you select both versions, the copied file will have a number added to its name." : "Si selecciona ambas versiones, se le agregará un número al nombre del archivo copiado.", - "Continue" : "Continuar", - "(all selected)" : "(todos seleccionados)", - "({count} selected)" : "({count} seleccionados)", - "Error loading file exists template" : "Se presentó un error al cargar la plantilla de existe archivo ", - "Pending" : "Pendiente", - "Very weak password" : "Contraseña muy débil", - "Weak password" : "Contraseña débil", - "So-so password" : "Contraseña aceptable", - "Good password" : "Buena contraseña", - "Strong password" : "Contraseña fuerte", - "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", - "Shared" : "Compartido", - "Error setting expiration date" : "Se presentó un error al establecer la fecha de expiración", - "The public link will expire no later than {days} days after it is created" : "El link público expirará a los {days} días de haber sido creado", - "Set expiration date" : "Establecer la fecha de expiración", - "Expiration" : "Expiración", - "Expiration date" : "Fecha de expiración", - "Choose a password for the public link" : "Seleccione una contraseña para el link público", - "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro\"", - "Copied!" : "¡Copiado!", - "Not supported!" : "¡No está soportado!", - "Press ⌘-C to copy." : "Presione ⌘-C para copiar.", - "Press Ctrl-C to copy." : "Presione Ctrl-C para copiar.", - "Resharing is not allowed" : "No se permite volver a compartir", - "Share to {name}" : "Compartir con {name}", - "Share link" : "Compartir link", - "Link" : "Link", - "Password protect" : "Proteger con contraseña", - "Allow editing" : "Permitir editar", - "Email link to person" : "Enviar el link por correo electrónico a una persona", - "Send" : "Enviar", - "Allow upload and editing" : "Permitir cargar y editar", - "Read only" : "Solo lectura", - "File drop (upload only)" : "Soltar archivo (solo para carga)", - "Shared with you and the group {group} by {owner}" : "Compartido con usted y el grupo {group} por {owner}", - "Shared with you by {owner}" : "Compartido con usted por {owner}", - "Choose a password for the mail share" : "Establecer una contraseña para el elemento compartido por correo", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} ha compatido mediante un link", - "group" : "grupo", - "remote" : "remoto", - "email" : "correo electrónico", - "shared by {sharer}" : "compartido por {sharer}", - "Unshare" : "Dejar de compartir", - "Can reshare" : "Puede volver a compartir", - "Can edit" : "Puede editar", - "Can create" : "Puede crear", - "Can change" : "Puede cambiar", - "Can delete" : "Puede borrar", - "Access control" : "Control de acceso", - "Could not unshare" : "No fue posible dejar de compartir", - "Error while sharing" : "Se presentó un error al compartir", - "Share details could not be loaded for this item." : "Los detalles del recurso compartido no se pudieron cargar para este elemento. ", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Se requiere de la menos {count} caracter para el auto completar","Se requieren de la menos {count} caracteres para el auto completar"], - "This list is maybe truncated - please refine your search term to see more results." : "Esta lista puede estar truncada - favor de refinar sus términos de búsqueda para poder ver más resultados. ", - "No users or groups found for {search}" : "No se encontraron usuarios o gurpos para {search}", - "No users found for {search}" : "No se encontraron usuarios para {search}", - "An error occurred. Please try again" : "Se presentó un error. Favor de volver a intentar", - "{sharee} (group)" : "{sharee} (grupo)", - "{sharee} (remote)" : "{sharee} (remoto)", - "{sharee} (email)" : "{sharee} (correo electrónico)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Compartir", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Comparta con otras personas ingresando un usuario, un grupo, un ID de nube federado o una dirección de correo electrónico.", - "Share with other people by entering a user or group or a federated cloud ID." : "Comparta con otras personas ingresando un usuario, un grupo o un ID de nube federado.", - "Share with other people by entering a user or group or an email address." : "Comparta con otras personas ingresando un usuario, un grupo o una dirección de correo electrónico.", - "Name or email address..." : "Nombre o dirección de correo electrónico", - "Name or federated cloud ID..." : "Nombre o ID de nube federada...", - "Name, federated cloud ID or email address..." : "Nombre, ID de nube federada o dirección de correo electrónico...", - "Name..." : "Nombre...", - "Error" : "Error", - "Error removing share" : "Se presentó un error al dejar de compartir", - "Non-existing tag #{tag}" : "Etiqueta #{tag} no-existente", - "restricted" : "restringido", - "invisible" : "invisible", - "({scope})" : "({scope})", - "Delete" : "Borrar", - "Rename" : "Renombrar", - "Collaborative tags" : "Etiquetas colaborativas", - "No tags found" : "No se encontraron etiquetas", - "unknown text" : "texto desconocido", - "Hello world!" : "¡Hola mundo!", - "sunny" : "soleado", - "Hello {name}, the weather is {weather}" : "Hola {name}, el clima es {weather}", - "Hello {name}" : "Hola {name}", - "These are your search results" : "Estos son los resultados de su búsqueda ", - "new" : "nuevo", - "_download %n file_::_download %n files_" : ["Descargar %n archivos","Descargar %n archivos"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "La actualización está en curso, abandonar esta página puede interrumpir el proceso en algunos ambientes. ", - "Update to {version}" : "Actualizar a {version}", - "An error occurred." : "Se presentó un error.", - "Please reload the page." : "Favor de volver a cargar la página.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "La actualización no fue exitosa. Para más información consulte nuestro comentario en el foro que cubre este tema. ", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "La actualización no fue exitosa. Favor de reportar este tema a la Comunidad Nextcloud.", - "Continue to Nextcloud" : "Continuar a Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundo. ","La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundos."], - "Searching other places" : "Buscando en otras ubicaciones", - "No search results in other folders for {tag}{filter}{endtag}" : "No hay resultados para la búsqueda en otras carpetas para {tag}{filter}{endtag}", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de la búsqueda en otra carpeta","{count} resultados de la búsqueda en otras carpetas"], - "Personal" : "Personal", - "Users" : "Usuarios", - "Apps" : "Aplicaciones", - "Admin" : "Administración", - "Help" : "Ayuda", - "Access forbidden" : "Acceso denegado", - "File not found" : "Archivo no encontrado", - "The specified document has not been found on the server." : "El documento especificado no ha sido encontrado en el servidor. ", - "You can click here to return to %s." : "Puede hacer click aquí para regresar a %s.", - "Internal Server Error" : "Error interno del servidor", - "More details can be found in the server log." : "Puede consultar más detalles en la bitácora del servidor. ", - "Technical details" : "Detalles técnicos", - "Remote Address: %s" : "Dirección Remota: %s", - "Request ID: %s" : "ID de solicitud: %s", - "Type: %s" : "Tipo: %s", - "Code: %s" : "Código: %s", - "Message: %s" : "Mensaje: %s", - "File: %s" : "Archivo: %s", - "Line: %s" : "Línea: %s", - "Trace" : "Rastrear", - "Security warning" : "Advertencia de seguridad", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su directorio de datos y sus archivos probablemente sean accesibles desde Internet ya que el archivo .htaccess no funciona.", - "Create an admin account" : "Crear una cuenta de administrador", - "Username" : "Nombre de usuario", - "Storage & database" : "Almacenamiento & base de datos", - "Data folder" : "Carpeta de datos", - "Configure the database" : "Configurar la base de datos", - "Only %s is available." : "Sólo %s está disponible.", - "Install and activate additional PHP modules to choose other database types." : "Instale y active módulos adicionales de PHP para seleccionar otros tipos de bases de datos. ", - "For more details check out the documentation." : "Favor de consultar la documentación para más detalles. ", - "Database user" : "Usuario de la base de datos", - "Database password" : "Contraseña de la base de datos", - "Database name" : "Nombre de la base de datos", - "Database tablespace" : "Espacio de tablas en la base de datos", - "Database host" : "Servidor de base de datos", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Favor de especificar el número de puerto así como el nombre del servidor (ejem., localhost:5432).", - "Performance warning" : "Advertencia de desempeño", - "SQLite will be used as database." : "SQLite será usado como la base de datos.", - "For larger installations we recommend to choose a different database backend." : "Para instalaciones más grandes le recomendamos elegir un backend de base de datos diferente.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "El uso de SQLiite es especialmente desalentado al usar el cliente de escritorio para sincrionizar. ", - "Finish setup" : "Terminar configuración", - "Finishing …" : "Terminando …", - "Need help?" : "¿Necesita ayuda?", - "See the documentation" : "Ver la documentación", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicación requiere de JavaScript para su correcta operación. Favor de {linkstart}habilitar JavaScript{linkend} y vuelva a cargar la página. ", - "More apps" : "Más aplicaciones", - "Search" : "Buscar", - "Confirm your password" : "Confirme su contraseña", - "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", - "Please contact your administrator." : "Favor de contactar al administrador.", - "An internal error occurred." : "Se presentó un error interno.", - "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", - "Username or email" : "Nombre de usuario o contraseña", - "Log in" : "Ingresar", - "Wrong password." : "Contraseña inválida. ", - "Stay logged in" : "Mantener la sesión abierta", - "Alternative Logins" : "Accesos Alternativos", - "Account access" : "Acceso a la cuenta", - "You are about to grant %s access to your %s account." : "Está a punto de concederle a \"%s\" acceso a su cuenta %s.", - "App token" : "Ficha de la aplicación", - "Alternative login using app token" : "Inicio de sesión alternativo usando la ficha de la aplicación", - "Redirecting …" : "Redireccionando ... ", - "New password" : "Nueva contraseña", - "New Password" : "Nueva Contraseña", - "Two-factor authentication" : "Autenticación de dos-factores", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "La seguridad mejorada está habilitada para su cuenta. Favor de autenticarse usando un segundo factor. ", - "Cancel log in" : "Cancelar inicio de sesión", - "Use backup code" : "Usar código de respaldo", - "Error while validating your second factor" : "Se presentó un error al validar su segundo factor", - "Add \"%s\" as trusted domain" : "Agregar \"%s\" como un dominio de confianza", - "App update required" : "Se requiere una actualización de la aplicación", - "%s will be updated to version %s" : "%s será actualizado a la versión %s", - "These apps will be updated:" : "Las siguientes apllicaciones se actualizarán:", - "These incompatible apps will be disabled:" : "Las siguientes aplicaciones incompatibles serán deshabilitadas:", - "The theme %s has been disabled." : "El tema %s ha sido deshabilitado. ", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Favor de asegurarse que la base de datos, la carpeta de configuración y las carpetas de datos hayan sido respaldadas antes de continuar. ", - "Start update" : "Iniciar actualización", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar que la expiración de tiempo en instalaciones grandes, usted puede ejeuctar el siguiente comando desde su directorio de instalación:", - "Detailed logs" : "Bitácoras detalladas", - "Update needed" : "Actualización requerida", - "Please use the command line updater because you have a big instance with more than 50 users." : "Favor de usar el actualizador desde la línea de comandos ya que su instancia cuenta con más de 50 usuarios.", - "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Estoy conciente de que si continuo haciendo la actualización vía web, la interfaz de usuario corre el riesgo de que el tiempo de la solicitud expire y cause pérdida de datos, pero cuento con un respaldo y sé como restaurar mi instancia en caso de una falla. ", - "Upgrade via web on my own risk" : "Actualizar vía Web bajo mi propio riesgo", - "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", - "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte a su administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por su paciencia.", - "%s (3rdparty)" : "%s (de3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. Si no ha habilitado la llave de recuperación, no habrá manera de que pueda recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de lo que está haciendo, favor de contactar a su adminstrador antes de continuar.
¿Realmente desea continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Su servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Su servidor web no está correctamente configurado para resolver \"{url}\". Puede encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que diversas funcionalidades como el montaje de almacenamiento extern, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Le sugerimos habilitar la conexión a Internet para este servidor si desea contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Favor de configurar un memechache si está disponible para mejorar el desempeño. Puede encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puede consultar mayores informes en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Usted se encuentra usando PHP {version}. Le recomendamos actualizar su versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como su distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o está accediendo a Nextcloud desde un proxy de confianza. Si no esta accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer a su dirección IP apócrifa visible para Nextcloud. Puede encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Favor de ver el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para mayor información de cómo resolver este tema consulte nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente sus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Le recomendamos ámpliamente que configure su servidor web de tal modo que el directorio de datos no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Esta es un riesgo potencial de seguridad o privacidad y le recomendamos cambiar este ajuste.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, le recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Usted está accediendo este sitio via HTTP. Le recomendamos ámpliamente que configure su servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "pruede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparta con personas en otros servidores usando sus IDs de Nube Federados username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No hay etiquetas seleccionadas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendolo a su Nextcloud ahora. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarle que %s ha compartido %s con usted.\n\nConsúltelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar su solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Favor de contactar al administrador del servidor si este problema se presenta en múltiples ocasiones, favor de incluir los detalles técnicos a continuación en su reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente su servidor, favor de ver la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirme su contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Desea reestablecerla?", - "Use the following link to reset your password: {link}" : "Use el siguiente link para restablecer su contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarle que %s ha compartido %s con usted.
¡Véalo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Se encuentra accediendo al servidor desde un dominio no confiable. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Favor de contactar a su administrador. Si usted es el administrador de esta instancia, configure la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como adminsitrador podría llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Favor de usar el actualizador de línea de comando porque usted tiene una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulte la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar sus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache no se encuentra correctamente configurado. Para un mejor desempeño le recomendamos↗ usar las siguientes configuraciones en el archivo php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Le recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente sus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Le recomendamos ámpliamente que configure su servidor web de tal modo que el directorio de datos no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Está apunto de concederle a \"%s\" acceso a su cuenta %s." -}, -"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json deleted file mode 100644 index a23b87c0508be..0000000000000 --- a/core/l10n/es_AR.json +++ /dev/null @@ -1,345 +0,0 @@ -{ "translations": { - "Please select a file." : "Favor de seleccionar un archivo.", - "File is too big" : "El archivo es demasiado grande.", - "The selected file is not an image." : "El archivo seleccionado no es una imagen.", - "The selected file cannot be read." : "El archivo seleccionado no se puede leer.", - "Invalid file provided" : "Archivo proporcionado inválido", - "No image or file provided" : "No se especificó un archivo o imagen", - "Unknown filetype" : "Tipo de archivo desconocido", - "Invalid image" : "Imagen inválida", - "An error occurred. Please contact your admin." : "Se presentó un error. Favor de contactar a su adminsitrador. ", - "No temporary profile picture available, try again" : "No hay una imagen de perfil temporal disponible, favor de intentarlo de nuevo", - "No crop data provided" : "No se han proporcionado datos del recorte", - "No valid crop data provided" : "No se han proporcionado datos válidos del recorte", - "Crop is not square" : "El recorte no está cuadrado", - "State token does not match" : "El token de estado no corresponde", - "Password reset is disabled" : "Restablecer contraseña se encuentra deshabilitado", - "Couldn't reset password because the token is invalid" : "No ha sido posible restablecer la contraseña porque el token es inválido", - "Couldn't reset password because the token is expired" : "No ha sido posible restablecer la contraseña porque el token ha expirado", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "No fue posible enviar el correo electrónico para restablecer porque no hay una dirección de correo electrónico para este usuario. Favor de contactar a su adminsitrador. ", - "%s password reset" : "%s restablecer la contraseña", - "Password reset" : "Restablecer contraseña", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Haga click en el siguiente botón para restablecer su contraseña. Si no ha solicitado restablecer su contraseña, favor de ignorar este correo. ", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Haga click en el siguiente link para restablecer su contraseña. Si no ha solicitado restablecer la contraseña, favor de ignorar este mensaje. ", - "Reset your password" : "Restablecer su contraseña", - "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", - "Couldn't send reset email. Please make sure your username is correct." : "No fue posible restablecer el correo electrónico. Favor de asegurarse que su nombre de usuario sea correcto. ", - "Preparing update" : "Preparando actualización", - "[%d / %d]: %s" : "[%d / %d]: %s ", - "Repair warning: " : "Advertencia de reparación:", - "Repair error: " : "Error de reparación: ", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Favor de usar el actualizador de línea de comandos ya que el actualizador automático se encuentra deshabilitado en config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Verificando tabla %s", - "Turned on maintenance mode" : "Activar modo mantenimiento", - "Turned off maintenance mode" : "Desactivar modo mantenimiento", - "Maintenance mode is kept active" : "El modo mantenimiento sigue activo", - "Updating database schema" : "Actualizando esquema de base de datos", - "Updated database" : "Base de datos actualizada", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Verificando si el archivo del esquema de base de datos puede ser actualizado (esto puedo tomar mucho tiempo dependiendo del tamaño de la base de datos)", - "Checked database schema update" : "Actualización del esquema de base de datos verificada", - "Checking updates of apps" : "Verificando actualizaciónes para aplicaciones", - "Checking for update of app \"%s\" in appstore" : "Verificando actualizaciones para la aplicacion \"%s\" en la appstore", - "Update app \"%s\" from appstore" : "Actualizar la aplicación \"%s\" desde la appstore", - "Checked for update of app \"%s\" in appstore" : "Se verificaron actualizaciones para la aplicación \"%s\" en la appstore", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificando si el esquema de la base de datos para %s puede ser actualizado (esto puede tomar mucho tiempo dependiendo del tamaño de la base de datos)", - "Checked database schema update for apps" : "Se verificó la actualización del esquema de la base de datos para las aplicaciones", - "Updated \"%s\" to %s" : "Actualizando \"%s\" a %s", - "Set log level to debug" : "Establecer nivel de bitacora a depurar", - "Reset log level" : "Restablecer nivel de bitácora", - "Starting code integrity check" : "Comenzando verificación de integridad del código", - "Finished code integrity check" : "Verificación de integridad del código terminó", - "%s (incompatible)" : "%s (incompatible)", - "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", - "Already up to date" : "Ya está actualizado", - "Search contacts …" : "Buscar contactos ...", - "No contacts found" : "No se encontraron contactos", - "Show all contacts …" : "Mostrar todos los contactos ...", - "Loading your contacts …" : "Cargando sus contactos ... ", - "Looking for {term} …" : "Buscando {term} ...", - "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Mayor información ...", - "No action available" : "No hay acciones disponibles", - "Error fetching contact actions" : "Se presentó un error al traer las acciónes de contatos", - "Settings" : "Configuraciones ", - "Connection to server lost" : "Se ha perdido la conexión con el servidor", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Se presentó un erorr al cargar la página, recargando en %n segundo","Se presentó un erorr al cargar la página, recargando en %n segundo"], - "Saving..." : "Guardando...", - "Dismiss" : "Descartar", - "This action requires you to confirm your password" : "Esta acción requiere que confirme su contraseña", - "Authentication required" : "Se requiere autenticación", - "Password" : "Contraseña", - "Cancel" : "Cancelar", - "Confirm" : "Confirmar", - "Failed to authenticate, try again" : "Falla en la autenticación, favor de reintentar", - "seconds ago" : "hace segundos", - "Logging in …" : "Ingresando ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "El link para restablecer su contraseña ha sido enviada a su correo electrónico. Si no lo recibe dentro de un tiempo razonable, verifique las carpetas de spam/basura.
Si no la encuentra consulte a su adminstrador local.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. No habrá manera de recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de qué hacer, favor de contactar a su administrador antes de continuar.
¿Realmente desea continuar?", - "I know what I'm doing" : "Sé lo que estoy haciendo", - "Password can not be changed. Please contact your administrator." : "Las contraseñas no se pueden cambiar. Favor de contactar a su adminstrador", - "Reset password" : "Restablecer contraseña", - "No" : "No", - "Yes" : "Sí", - "No files in here" : "No hay archivos aquí", - "Choose" : "Seleccionar", - "Copy" : "Copiar", - "Error loading file picker template: {error}" : "Se presentó un error al cargar la plantilla del seleccionador de archivos: {error}", - "OK" : "OK", - "Error loading message template: {error}" : "Se presentó un error al cargar la plantilla del mensaje: {error}", - "read-only" : "sólo-lectura", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflicto de archivo","{count} conflictos en el archivo"], - "One file conflict" : "Un conflicto en el archivo", - "New Files" : "Archivos Nuevos", - "Already existing files" : "Archivos ya existentes", - "Which files do you want to keep?" : "¿Cuales archivos desea mantener?", - "If you select both versions, the copied file will have a number added to its name." : "Si selecciona ambas versiones, se le agregará un número al nombre del archivo copiado.", - "Continue" : "Continuar", - "(all selected)" : "(todos seleccionados)", - "({count} selected)" : "({count} seleccionados)", - "Error loading file exists template" : "Se presentó un error al cargar la plantilla de existe archivo ", - "Pending" : "Pendiente", - "Very weak password" : "Contraseña muy débil", - "Weak password" : "Contraseña débil", - "So-so password" : "Contraseña aceptable", - "Good password" : "Buena contraseña", - "Strong password" : "Contraseña fuerte", - "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", - "Shared" : "Compartido", - "Error setting expiration date" : "Se presentó un error al establecer la fecha de expiración", - "The public link will expire no later than {days} days after it is created" : "El link público expirará a los {days} días de haber sido creado", - "Set expiration date" : "Establecer la fecha de expiración", - "Expiration" : "Expiración", - "Expiration date" : "Fecha de expiración", - "Choose a password for the public link" : "Seleccione una contraseña para el link público", - "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro\"", - "Copied!" : "¡Copiado!", - "Not supported!" : "¡No está soportado!", - "Press ⌘-C to copy." : "Presione ⌘-C para copiar.", - "Press Ctrl-C to copy." : "Presione Ctrl-C para copiar.", - "Resharing is not allowed" : "No se permite volver a compartir", - "Share to {name}" : "Compartir con {name}", - "Share link" : "Compartir link", - "Link" : "Link", - "Password protect" : "Proteger con contraseña", - "Allow editing" : "Permitir editar", - "Email link to person" : "Enviar el link por correo electrónico a una persona", - "Send" : "Enviar", - "Allow upload and editing" : "Permitir cargar y editar", - "Read only" : "Solo lectura", - "File drop (upload only)" : "Soltar archivo (solo para carga)", - "Shared with you and the group {group} by {owner}" : "Compartido con usted y el grupo {group} por {owner}", - "Shared with you by {owner}" : "Compartido con usted por {owner}", - "Choose a password for the mail share" : "Establecer una contraseña para el elemento compartido por correo", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} ha compatido mediante un link", - "group" : "grupo", - "remote" : "remoto", - "email" : "correo electrónico", - "shared by {sharer}" : "compartido por {sharer}", - "Unshare" : "Dejar de compartir", - "Can reshare" : "Puede volver a compartir", - "Can edit" : "Puede editar", - "Can create" : "Puede crear", - "Can change" : "Puede cambiar", - "Can delete" : "Puede borrar", - "Access control" : "Control de acceso", - "Could not unshare" : "No fue posible dejar de compartir", - "Error while sharing" : "Se presentó un error al compartir", - "Share details could not be loaded for this item." : "Los detalles del recurso compartido no se pudieron cargar para este elemento. ", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Se requiere de la menos {count} caracter para el auto completar","Se requieren de la menos {count} caracteres para el auto completar"], - "This list is maybe truncated - please refine your search term to see more results." : "Esta lista puede estar truncada - favor de refinar sus términos de búsqueda para poder ver más resultados. ", - "No users or groups found for {search}" : "No se encontraron usuarios o gurpos para {search}", - "No users found for {search}" : "No se encontraron usuarios para {search}", - "An error occurred. Please try again" : "Se presentó un error. Favor de volver a intentar", - "{sharee} (group)" : "{sharee} (grupo)", - "{sharee} (remote)" : "{sharee} (remoto)", - "{sharee} (email)" : "{sharee} (correo electrónico)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Compartir", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Comparta con otras personas ingresando un usuario, un grupo, un ID de nube federado o una dirección de correo electrónico.", - "Share with other people by entering a user or group or a federated cloud ID." : "Comparta con otras personas ingresando un usuario, un grupo o un ID de nube federado.", - "Share with other people by entering a user or group or an email address." : "Comparta con otras personas ingresando un usuario, un grupo o una dirección de correo electrónico.", - "Name or email address..." : "Nombre o dirección de correo electrónico", - "Name or federated cloud ID..." : "Nombre o ID de nube federada...", - "Name, federated cloud ID or email address..." : "Nombre, ID de nube federada o dirección de correo electrónico...", - "Name..." : "Nombre...", - "Error" : "Error", - "Error removing share" : "Se presentó un error al dejar de compartir", - "Non-existing tag #{tag}" : "Etiqueta #{tag} no-existente", - "restricted" : "restringido", - "invisible" : "invisible", - "({scope})" : "({scope})", - "Delete" : "Borrar", - "Rename" : "Renombrar", - "Collaborative tags" : "Etiquetas colaborativas", - "No tags found" : "No se encontraron etiquetas", - "unknown text" : "texto desconocido", - "Hello world!" : "¡Hola mundo!", - "sunny" : "soleado", - "Hello {name}, the weather is {weather}" : "Hola {name}, el clima es {weather}", - "Hello {name}" : "Hola {name}", - "These are your search results" : "Estos son los resultados de su búsqueda ", - "new" : "nuevo", - "_download %n file_::_download %n files_" : ["Descargar %n archivos","Descargar %n archivos"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "La actualización está en curso, abandonar esta página puede interrumpir el proceso en algunos ambientes. ", - "Update to {version}" : "Actualizar a {version}", - "An error occurred." : "Se presentó un error.", - "Please reload the page." : "Favor de volver a cargar la página.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "La actualización no fue exitosa. Para más información consulte nuestro comentario en el foro que cubre este tema. ", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "La actualización no fue exitosa. Favor de reportar este tema a la Comunidad Nextcloud.", - "Continue to Nextcloud" : "Continuar a Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundo. ","La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundos."], - "Searching other places" : "Buscando en otras ubicaciones", - "No search results in other folders for {tag}{filter}{endtag}" : "No hay resultados para la búsqueda en otras carpetas para {tag}{filter}{endtag}", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de la búsqueda en otra carpeta","{count} resultados de la búsqueda en otras carpetas"], - "Personal" : "Personal", - "Users" : "Usuarios", - "Apps" : "Aplicaciones", - "Admin" : "Administración", - "Help" : "Ayuda", - "Access forbidden" : "Acceso denegado", - "File not found" : "Archivo no encontrado", - "The specified document has not been found on the server." : "El documento especificado no ha sido encontrado en el servidor. ", - "You can click here to return to %s." : "Puede hacer click aquí para regresar a %s.", - "Internal Server Error" : "Error interno del servidor", - "More details can be found in the server log." : "Puede consultar más detalles en la bitácora del servidor. ", - "Technical details" : "Detalles técnicos", - "Remote Address: %s" : "Dirección Remota: %s", - "Request ID: %s" : "ID de solicitud: %s", - "Type: %s" : "Tipo: %s", - "Code: %s" : "Código: %s", - "Message: %s" : "Mensaje: %s", - "File: %s" : "Archivo: %s", - "Line: %s" : "Línea: %s", - "Trace" : "Rastrear", - "Security warning" : "Advertencia de seguridad", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su directorio de datos y sus archivos probablemente sean accesibles desde Internet ya que el archivo .htaccess no funciona.", - "Create an admin account" : "Crear una cuenta de administrador", - "Username" : "Nombre de usuario", - "Storage & database" : "Almacenamiento & base de datos", - "Data folder" : "Carpeta de datos", - "Configure the database" : "Configurar la base de datos", - "Only %s is available." : "Sólo %s está disponible.", - "Install and activate additional PHP modules to choose other database types." : "Instale y active módulos adicionales de PHP para seleccionar otros tipos de bases de datos. ", - "For more details check out the documentation." : "Favor de consultar la documentación para más detalles. ", - "Database user" : "Usuario de la base de datos", - "Database password" : "Contraseña de la base de datos", - "Database name" : "Nombre de la base de datos", - "Database tablespace" : "Espacio de tablas en la base de datos", - "Database host" : "Servidor de base de datos", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Favor de especificar el número de puerto así como el nombre del servidor (ejem., localhost:5432).", - "Performance warning" : "Advertencia de desempeño", - "SQLite will be used as database." : "SQLite será usado como la base de datos.", - "For larger installations we recommend to choose a different database backend." : "Para instalaciones más grandes le recomendamos elegir un backend de base de datos diferente.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "El uso de SQLiite es especialmente desalentado al usar el cliente de escritorio para sincrionizar. ", - "Finish setup" : "Terminar configuración", - "Finishing …" : "Terminando …", - "Need help?" : "¿Necesita ayuda?", - "See the documentation" : "Ver la documentación", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicación requiere de JavaScript para su correcta operación. Favor de {linkstart}habilitar JavaScript{linkend} y vuelva a cargar la página. ", - "More apps" : "Más aplicaciones", - "Search" : "Buscar", - "Confirm your password" : "Confirme su contraseña", - "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", - "Please contact your administrator." : "Favor de contactar al administrador.", - "An internal error occurred." : "Se presentó un error interno.", - "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", - "Username or email" : "Nombre de usuario o contraseña", - "Log in" : "Ingresar", - "Wrong password." : "Contraseña inválida. ", - "Stay logged in" : "Mantener la sesión abierta", - "Alternative Logins" : "Accesos Alternativos", - "Account access" : "Acceso a la cuenta", - "You are about to grant %s access to your %s account." : "Está a punto de concederle a \"%s\" acceso a su cuenta %s.", - "App token" : "Ficha de la aplicación", - "Alternative login using app token" : "Inicio de sesión alternativo usando la ficha de la aplicación", - "Redirecting …" : "Redireccionando ... ", - "New password" : "Nueva contraseña", - "New Password" : "Nueva Contraseña", - "Two-factor authentication" : "Autenticación de dos-factores", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "La seguridad mejorada está habilitada para su cuenta. Favor de autenticarse usando un segundo factor. ", - "Cancel log in" : "Cancelar inicio de sesión", - "Use backup code" : "Usar código de respaldo", - "Error while validating your second factor" : "Se presentó un error al validar su segundo factor", - "Add \"%s\" as trusted domain" : "Agregar \"%s\" como un dominio de confianza", - "App update required" : "Se requiere una actualización de la aplicación", - "%s will be updated to version %s" : "%s será actualizado a la versión %s", - "These apps will be updated:" : "Las siguientes apllicaciones se actualizarán:", - "These incompatible apps will be disabled:" : "Las siguientes aplicaciones incompatibles serán deshabilitadas:", - "The theme %s has been disabled." : "El tema %s ha sido deshabilitado. ", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Favor de asegurarse que la base de datos, la carpeta de configuración y las carpetas de datos hayan sido respaldadas antes de continuar. ", - "Start update" : "Iniciar actualización", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar que la expiración de tiempo en instalaciones grandes, usted puede ejeuctar el siguiente comando desde su directorio de instalación:", - "Detailed logs" : "Bitácoras detalladas", - "Update needed" : "Actualización requerida", - "Please use the command line updater because you have a big instance with more than 50 users." : "Favor de usar el actualizador desde la línea de comandos ya que su instancia cuenta con más de 50 usuarios.", - "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Estoy conciente de que si continuo haciendo la actualización vía web, la interfaz de usuario corre el riesgo de que el tiempo de la solicitud expire y cause pérdida de datos, pero cuento con un respaldo y sé como restaurar mi instancia en caso de una falla. ", - "Upgrade via web on my own risk" : "Actualizar vía Web bajo mi propio riesgo", - "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", - "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte a su administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por su paciencia.", - "%s (3rdparty)" : "%s (de3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. Si no ha habilitado la llave de recuperación, no habrá manera de que pueda recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de lo que está haciendo, favor de contactar a su adminstrador antes de continuar.
¿Realmente desea continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Su servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Su servidor web no está correctamente configurado para resolver \"{url}\". Puede encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que diversas funcionalidades como el montaje de almacenamiento extern, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Le sugerimos habilitar la conexión a Internet para este servidor si desea contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Favor de configurar un memechache si está disponible para mejorar el desempeño. Puede encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puede consultar mayores informes en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Usted se encuentra usando PHP {version}. Le recomendamos actualizar su versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como su distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o está accediendo a Nextcloud desde un proxy de confianza. Si no esta accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer a su dirección IP apócrifa visible para Nextcloud. Puede encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Favor de ver el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para mayor información de cómo resolver este tema consulte nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente sus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Le recomendamos ámpliamente que configure su servidor web de tal modo que el directorio de datos no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Esta es un riesgo potencial de seguridad o privacidad y le recomendamos cambiar este ajuste.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, le recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Usted está accediendo este sitio via HTTP. Le recomendamos ámpliamente que configure su servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "pruede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparta con personas en otros servidores usando sus IDs de Nube Federados username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No hay etiquetas seleccionadas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendolo a su Nextcloud ahora. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarle que %s ha compartido %s con usted.\n\nConsúltelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar su solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Favor de contactar al administrador del servidor si este problema se presenta en múltiples ocasiones, favor de incluir los detalles técnicos a continuación en su reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente su servidor, favor de ver la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirme su contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Desea reestablecerla?", - "Use the following link to reset your password: {link}" : "Use el siguiente link para restablecer su contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarle que %s ha compartido %s con usted.
¡Véalo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Se encuentra accediendo al servidor desde un dominio no confiable. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Favor de contactar a su administrador. Si usted es el administrador de esta instancia, configure la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de su configuración, como adminsitrador podría llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Favor de usar el actualizador de línea de comando porque usted tiene una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulte la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar sus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache no se encuentra correctamente configurado. Para un mejor desempeño le recomendamos↗ usar las siguientes configuraciones en el archivo php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Le recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente sus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Le recomendamos ámpliamente que configure su servidor web de tal modo que el directorio de datos no sea accesible o que mueva el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Está apunto de concederle a \"%s\" acceso a su cuenta %s." -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/core/l10n/es_CL.js b/core/l10n/es_CL.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_CL.js +++ b/core/l10n/es_CL.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_CL.json b/core/l10n/es_CL.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_CL.json +++ b/core/l10n/es_CL.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_CO.js b/core/l10n/es_CO.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_CO.js +++ b/core/l10n/es_CO.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_CO.json b/core/l10n/es_CO.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_CO.json +++ b/core/l10n/es_CO.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_CR.js b/core/l10n/es_CR.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_CR.js +++ b/core/l10n/es_CR.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_CR.json b/core/l10n/es_CR.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_CR.json +++ b/core/l10n/es_CR.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_DO.js b/core/l10n/es_DO.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_DO.js +++ b/core/l10n/es_DO.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_DO.json b/core/l10n/es_DO.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_DO.json +++ b/core/l10n/es_DO.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_EC.js b/core/l10n/es_EC.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_EC.js +++ b/core/l10n/es_EC.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_EC.json b/core/l10n/es_EC.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_EC.json +++ b/core/l10n/es_EC.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_GT.js b/core/l10n/es_GT.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_GT.js +++ b/core/l10n/es_GT.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_GT.json b/core/l10n/es_GT.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_GT.json +++ b/core/l10n/es_GT.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_HN.js b/core/l10n/es_HN.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_HN.js +++ b/core/l10n/es_HN.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_HN.json b/core/l10n/es_HN.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_HN.json +++ b/core/l10n/es_HN.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_MX.js b/core/l10n/es_MX.js index 92e879c29c873..dbc5c1aa385ca 100644 --- a/core/l10n/es_MX.js +++ b/core/l10n/es_MX.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_MX.json b/core/l10n/es_MX.json index b8c3a4f09748a..0939fe8fb706d 100644 --- a/core/l10n/es_MX.json +++ b/core/l10n/es_MX.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_NI.js b/core/l10n/es_NI.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_NI.js +++ b/core/l10n/es_NI.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_NI.json b/core/l10n/es_NI.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_NI.json +++ b/core/l10n/es_NI.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PA.js b/core/l10n/es_PA.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_PA.js +++ b/core/l10n/es_PA.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PA.json b/core/l10n/es_PA.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_PA.json +++ b/core/l10n/es_PA.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PE.js b/core/l10n/es_PE.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_PE.js +++ b/core/l10n/es_PE.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PE.json b/core/l10n/es_PE.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_PE.json +++ b/core/l10n/es_PE.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PR.js b/core/l10n/es_PR.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_PR.js +++ b/core/l10n/es_PR.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PR.json b/core/l10n/es_PR.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_PR.json +++ b/core/l10n/es_PR.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_PY.js b/core/l10n/es_PY.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_PY.js +++ b/core/l10n/es_PY.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_PY.json b/core/l10n/es_PY.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_PY.json +++ b/core/l10n/es_PY.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_SV.js b/core/l10n/es_SV.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_SV.js +++ b/core/l10n/es_SV.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_SV.json b/core/l10n/es_SV.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_SV.json +++ b/core/l10n/es_SV.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es_UY.js b/core/l10n/es_UY.js index 394906a92380f..34ddd574d6baf 100644 --- a/core/l10n/es_UY.js +++ b/core/l10n/es_UY.js @@ -312,71 +312,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_UY.json b/core/l10n/es_UY.json index 1a9938bb6f623..a74d405b7eb0a 100644 --- a/core/l10n/es_UY.json +++ b/core/l10n/es_UY.json @@ -310,71 +310,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacta a tu administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", - "Thank you for your patience." : "Gracias por tu paciencia.", - "%s (3rdparty)" : "%s (de 3ros)", - "Problem loading page, reloading in 5 seconds" : "Se presentó un problema al cargar la página, recargando en 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tus archivos están encriptados. Si no has habilitado la llave de recuperación, no habrá manera de que puedas recuperar tus datos una vez que restablezcas tu contraseña.
Si no estás seguro de lo que estás haciendo, por favor contacta a tu adminstrador antes de continuar.
¿Realmente deseas continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web aún no se encuentra correctamente configurado para permitir la sincronización de archivos porque la interface de WebDAV parece estar rota. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está correctamente configurado para resolver \"{url}\". Puedes encontrar más información en nuestra documentación.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor no cuenta con una conexión a Internet: No fue posible alcanzar diversos puntos de acceso . Esto significa que algunas funcionalidades como el montaje de almacenamiento externo, notificaciónes de actualizaciones o la instalación de aplicaciones de terceros no funcionarán. Acceder archivos de forma remota y el envío de correos electrónicos de notificación puede que tampoco funcionen. Te sugerimos habilitar la conexión a Internet para este servidor si deseas contar con todas las características.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No ha sido configurada la memoria caché. Por favor configura un memechache si está disponible para mejorar el desempeño. Puedes encontrar información adicional en nuestra documentación.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "No fue posible leer /dev/urandom por PHP que es altamente desalentado por razones de seguridad. Puedes obtener más información en nuestra documentación.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Estás usando PHP {version}. Te recomendamos actualizar tu versión de PHP para aprovechar las actualizaciones de seguridad y desempeño suministradas por el Grupo PHP tan pronto como tu distribución lo soporte. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de los encabezados del proxy inverso es incorrecta, o estás accediendo a Nextcloud desde un proxy de confianza. Si no estás accediendo a Nextcloud desde un proxy de confianza, se trata de un tema de seguridad y le puede permitir a un atacante hacer su dirección IP apócrifa visible para Nextcloud. Puedes encontar más infomración en nuestra documentación.", - "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 memcached wiki about both modules." : "Memcached está configurado como un caché distribuido, pero el módulo equivocado PHP \"memcache\" está instalado. \\OC\\Memcache\\Memcached sólo soporta \"memchached\" y no \"memchache\". Por favor ve el wiki de ambos módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no pasaron la verificación de integridad. Para más información de cómo resolver este tema consulta nuestra documentación. (Listado de archivos inválidos … / Volver a escanear…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus directorios de datos y archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente que configures tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "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." : "El encabezado HTTP \"{header}\" no está configurado como \"{expected}\". Este es un riesgo potencial de seguridad o privacidad y te recomendamos cambiar esta configuración.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "El encabezado HTTP \"Strict-Transport-Security\" no está configurado a al menos \"{seconds}\" segundos. Para mejorar la seguridad, te recomendamos habilitar HSTS como se describe en nuestros consejos de seguridad.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo este sitio via HTTP. Te recomendamos ámpliamente que configures tu servidor para que en su lugar, el uso de HTTPS sea requerido como está descrito en nuestros consejos de seguridad.", - "Shared with {recipients}" : "Compartido con {recipients}", - "Error while unsharing" : "Se presentó un error al dejar de compartir", - "can reshare" : "puede volver a compartir", - "can edit" : "puede editar", - "can create" : "puede crear", - "can change" : "puede modificar", - "can delete" : "puede borrar", - "access control" : "control de acceso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Comparte con personas en otros servidores usando sus IDs username@example.com/nextcloud", - "Share with users or by mail..." : "Compartir con otros usuarios o por correo electrónico...", - "Share with users or remote users..." : "Compartir con otros usuarios o con otros usuarios remotos...", - "Share with users, remote users or by mail..." : "Compartir con otros usuarios, otros usuarios remotos o por correo electrónico...", - "Share with users or groups..." : "Compartir con otros usuarios o grupos...", - "Share with users, groups or by mail..." : "Compartir con otros usuarios, grupos o por correo electrónico...", - "Share with users, groups or remote users..." : "Compartir con otros usuarios, otros usuarios remotos o grupos...", - "Share with users, groups, remote users or by mail..." : "Compartir con usuarios, grupos, usuarios rempotos o por correo...", - "Share with users..." : "Compartir con otros usuarios...", - "The object type is not specified." : "El tipo del objeto no está especificado.", - "Enter new" : "Ingresar nuevo", - "Add" : "Agregar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Se presentó un error al cargar la plantilla de diálogo: {error}", - "No tags selected for deletion." : "No se seleccionaron etiquetas para borrar.", - "The update was successful. Redirecting you to Nextcloud now." : "La actualización fue exitosa. Redirigiendote ahora a tu Nextcloud. ", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hola,\n\nsólo queremos informarte que %s ha compartido %s contigo.\n\nVelo aquí: %s\n\n", - "The share will expire on %s." : "El recurso dejará de ser compartido el %s.", - "Cheers!" : "¡Saludos!", - "The server encountered an internal error and was unable to complete your request." : "Se presentó un error interno en el servidor y no fue posible completar tu solicitud. ", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacta al administrador del servidor si este problema se presenta en múltiples ocasiones, por favor incluye los detalles técnicos siguientes en tu reporte. ", - "For information how to properly configure your server, please see the documentation." : "Para más información de cómo configurar propiamente tu servidor, por favor ve la documentación.", - "Log out" : "Salir", - "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", - "Wrong password. Reset it?" : "Contraseña equivocada. ¿Deseas restablecerla?", - "Use the following link to reset your password: {link}" : "Usa la siguiente liga para restablecer tu contraseña: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hola,

sólo queremos informarte que %s ha compartido %s contigo.
¡Velo!

", - "This Nextcloud instance is currently in single user mode." : "Esta instalación de Nextcloud se encuentra en modo de usuario único.", - "This means only administrators can use the instance." : "Esto significa que sólo los administradores pueden usar la instancia.", - "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no de confianza. ", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor contacta a tu administrador. Si eres el administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Un ejemplo de configuración se proporciona en config/config.sample.php. ", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como adminsitrador podrías llegar a usar el botón inferior para confiar en este dominio. ", - "Please use the command line updater because you have a big instance." : "Por favor usa el actualizador de línea de comando porque cuentas con una instancia grande. ", - "For help, see the documentation." : "Para más ayuda, consulta la doccumentación.", - "There was an error loading your contacts" : "Se presentó un error al cargar tus contactos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "El PHP OPcache no está configurado correctamente. Para un mejor desempeño, recomendamos usar las siguientes configuraciones en php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fución PHP \"set_time_limit\" no está disponible. Esto podría generar scripts que se interrumpan a media ejecución, rompiendo la instalación. Te recomendamos ámpliamente habilitar esta función.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Posiblemente tus archivos y directorio de datos sean accesibles desde Internet. El archivo .htaccess no está funcionando. Te recomendamos ámpliamente configurar tu servidor web de tal modo que el directorio de datos no sea accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web. ", - "You are about to grant \"%s\" access to your %s account." : "Estás apunto de concederle a \"%s\" acceso a yu cuenta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no cuenta con soporte de freetype. Esto producirá imágenes rotas en el perfil e interfaz de configuraciones." + "Thank you for your patience." : "Gracias por tu paciencia." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/et_EE.js b/core/l10n/et_EE.js index 136c7e0727e91..273b0d58ba345 100644 --- a/core/l10n/et_EE.js +++ b/core/l10n/et_EE.js @@ -54,6 +54,7 @@ OC.L10N.register( "Search contacts …" : "Otsi kontakte", "No contacts found" : "Kontakte ei leitud", "Show all contacts …" : "Näita kõiki kontakte", + "Could not load your contacts" : "Sinu kontaktide laadimine ebaõnnestus", "Loading your contacts …" : "Sinu kontaktide laadimine ...", "Looking for {term} …" : "Otsin {term} …", "There were problems with the code integrity check. More information…" : "Koodi terviklikkuse kontrollis ilmnes viga. Rohkem infot …", @@ -107,6 +108,7 @@ OC.L10N.register( "Good password" : "Hea parool", "Strong password" : "Väga hea parool", "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lubada failide sünkroniseerimist, kuna WebDAV liides paistab olevat katki.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lahendada aadressi \"{url}\". Lisateavet leiate meie dokumentatsioonist .", "Error occurred while checking server setup" : "Serveri seadete kontrolimisel tekkis viga", "Shared" : "Jagatud", "Shared with" : "Jagatud", @@ -217,6 +219,7 @@ OC.L10N.register( "Trace" : "Jälita", "Security warning" : "Turvahoiatus", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su andmete kataloog ja failid on tõenäoliselt internetist vabalt saadaval kuna .htaccess fail ei toimi.", + "For information how to properly configure your server, please see the documentation." : "Serveri õigeks seadistamiseks leiate leiate infot dokumentatsioonist.", "Create an admin account" : "Loo admini konto", "Username" : "Kasutajanimi", "Storage & database" : "Andmehoidla ja andmebaas", @@ -285,55 +288,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "See %s instants on hetkel haldusrežiimis, mis võib kesta mõnda aega.", "This page will refresh itself when the %s instance is available again." : "Se leht laetakse uuesti, kui %s instantsi on uuesti saadaval.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakteeru oma süsteemihalduriga, kui see teade püsib või on tekkinud ootamatult.", - "Thank you for your patience." : "Täname kannatlikkuse eest.", - "%s (3rdparty)" : "%s (3nda osapoole arendaja)", - "Problem loading page, reloading in 5 seconds" : "Tõrge lehe laadimisel, ümberlaadimine 5 sekundi pärast", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sinu failid on krüpteeritud. Kui sa pole taastamise võtit veel määranud, siis pole präast parooli taastamist mingit võimalust sinu andmeid tagasi saada.
Kui sa pole kindel, mida teha, siis palun väta enne jätkamist ühendust oma administaatoriga.
Oled sa kindel, et sa soovid jätkata?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lubada failide sünkroniseerimist, kuna WebDAV liides paistab olevat katki.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lahendada aadressi \"{url}\". Lisateavet leiate meie dokumendist .", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Serveril puudub toimiv internetiühendus: mitmete lõpp-punktidega ei saavutatud ühendust. See tähendab, et mõned funktsionaalsused, nagu näiteks väliste andmehoidlate ühendamine, teavitused uuendustest või kolmandate osapoolte rakenduste paigaldamine ei tööta. Eemalt failidele ligipääs ning teadete saatmine emailiga ei pruugi samuti toimida. Kui soovid täielikku funktsionaalsust, siis soovitame serverile tagada ligipääs internetti.", - "Shared with {recipients}" : "Jagatud {recipients}", - "Error while unsharing" : "Viga jagamise lõpetamisel", - "can reshare" : "võib edasi jagada", - "can edit" : "saab muuta", - "can create" : "võib luua", - "can change" : "võib muuta", - "can delete" : "võib kustutada", - "access control" : "ligipääsukontroll", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Jaga inimestega teistes serverites kasutades nende liitpilve ID-d username@example.com/nextcloud", - "Share with users or by mail..." : "Jaga kasutajatega või e-postiga ...", - "Share with users or remote users..." : "Jaga kasutajatega või eemal olevate kasutajatega ...", - "Share with users, remote users or by mail..." : "Jaga kasutajatega, eemal olevate kasutajatega või e-postiga ...", - "Share with users or groups..." : "Jaga kasutajate või gruppidega ...", - "Share with users, groups or by mail..." : "Jaga kasutajatega, gruppidega või e-postiga ...", - "Share with users, groups or remote users..." : "Jaga kasutajate, gruppide või eemal olevate kasutajatega ...", - "Share with users, groups, remote users or by mail..." : "Jaga kasutajatega, gruppidega, eemal olevate kasutajatega või e-postiga ...", - "Share with users..." : "Jaga kasutajatega...", - "The object type is not specified." : "Objekti tüüp pole määratletud.", - "Enter new" : "Sisesta uus", - "Add" : "Lisa", - "Edit tags" : "Muuda silte", - "Error loading dialog template: {error}" : "Viga dialoogi malli laadimisel: {error}", - "No tags selected for deletion." : "Kustutamiseks pole ühtegi silti valitud.", - "The update was successful. Redirecting you to Nextcloud now." : "Uuendamine õnnestus. Sind suunatakse Nextcloudi.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Tere,\n\n%s jagas sulle välja %s.\nVaata siit: %s\n\n", - "The share will expire on %s." : "Jagamine aegub %s.", - "Cheers!" : "Terekest!", - "The server encountered an internal error and was unable to complete your request." : "Serveris tekkis sisemine tõrge ja sinu päringu täitmine ebaõnnestus.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kui seda veateadet näidatakse mitu korda, siis palun võta ühendust serveri administraatoriga. Palun lisa alla aruandesse tehnilised üksikasjad.", - "Log out" : "Logi välja", - "This action requires you to confirm your password:" : "See tegevus nõuab parooli kinnitamist", - "Wrong password. Reset it?" : "Vale parool. Kas vajad parooli taastamist?", - "Use the following link to reset your password: {link}" : "Kasuta järgnevat linki oma parooli taastamiseks: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hei,

annan teada, et %s jagas sinuga %s. Vaata seda!

", - "This Nextcloud instance is currently in single user mode." : "See Nextcloud on momendil seadistatud ühe kasutaja jaoks.", - "This means only administrators can use the instance." : "See tähendab, et seda saavad kasutada ainult administraatorid.", - "You are accessing the server from an untrusted domain." : "Sa kasutad serverit usalduseta asukohast", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Palun võtke ühendust administraatoriga. Kui te olete administraator, siis seadistage \"trusted_domains\" failis config/config.php. Näidisseadistus on olemas failis config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Sõltuvalt sinu seadetest võib ka administraator kasutada allolevat nuppu, et seda domeeni usaldusväärseks märkida.", - "For help, see the documentation." : "Abiinfo saamiseks vaata dokumentatsiooni.", - "There was an error loading your contacts" : "Kontaktide laadimisel tekkis tõrge", - "You are about to grant \"%s\" access to your %s account." : "Sa oled andmas \"%s\" ligipääsu oma %s kontole." + "Thank you for your patience." : "Täname kannatlikkuse eest." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/et_EE.json b/core/l10n/et_EE.json index 4a86aa432a58f..064d403b8888e 100644 --- a/core/l10n/et_EE.json +++ b/core/l10n/et_EE.json @@ -52,6 +52,7 @@ "Search contacts …" : "Otsi kontakte", "No contacts found" : "Kontakte ei leitud", "Show all contacts …" : "Näita kõiki kontakte", + "Could not load your contacts" : "Sinu kontaktide laadimine ebaõnnestus", "Loading your contacts …" : "Sinu kontaktide laadimine ...", "Looking for {term} …" : "Otsin {term} …", "There were problems with the code integrity check. More information…" : "Koodi terviklikkuse kontrollis ilmnes viga. Rohkem infot …", @@ -105,6 +106,7 @@ "Good password" : "Hea parool", "Strong password" : "Väga hea parool", "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lubada failide sünkroniseerimist, kuna WebDAV liides paistab olevat katki.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lahendada aadressi \"{url}\". Lisateavet leiate meie dokumentatsioonist .", "Error occurred while checking server setup" : "Serveri seadete kontrolimisel tekkis viga", "Shared" : "Jagatud", "Shared with" : "Jagatud", @@ -215,6 +217,7 @@ "Trace" : "Jälita", "Security warning" : "Turvahoiatus", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su andmete kataloog ja failid on tõenäoliselt internetist vabalt saadaval kuna .htaccess fail ei toimi.", + "For information how to properly configure your server, please see the documentation." : "Serveri õigeks seadistamiseks leiate leiate infot dokumentatsioonist.", "Create an admin account" : "Loo admini konto", "Username" : "Kasutajanimi", "Storage & database" : "Andmehoidla ja andmebaas", @@ -283,55 +286,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "See %s instants on hetkel haldusrežiimis, mis võib kesta mõnda aega.", "This page will refresh itself when the %s instance is available again." : "Se leht laetakse uuesti, kui %s instantsi on uuesti saadaval.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakteeru oma süsteemihalduriga, kui see teade püsib või on tekkinud ootamatult.", - "Thank you for your patience." : "Täname kannatlikkuse eest.", - "%s (3rdparty)" : "%s (3nda osapoole arendaja)", - "Problem loading page, reloading in 5 seconds" : "Tõrge lehe laadimisel, ümberlaadimine 5 sekundi pärast", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sinu failid on krüpteeritud. Kui sa pole taastamise võtit veel määranud, siis pole präast parooli taastamist mingit võimalust sinu andmeid tagasi saada.
Kui sa pole kindel, mida teha, siis palun väta enne jätkamist ühendust oma administaatoriga.
Oled sa kindel, et sa soovid jätkata?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lubada failide sünkroniseerimist, kuna WebDAV liides paistab olevat katki.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Sinu veebiserver pole veel piisavalt korralikult seadistatud, et lahendada aadressi \"{url}\". Lisateavet leiate meie dokumendist .", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Serveril puudub toimiv internetiühendus: mitmete lõpp-punktidega ei saavutatud ühendust. See tähendab, et mõned funktsionaalsused, nagu näiteks väliste andmehoidlate ühendamine, teavitused uuendustest või kolmandate osapoolte rakenduste paigaldamine ei tööta. Eemalt failidele ligipääs ning teadete saatmine emailiga ei pruugi samuti toimida. Kui soovid täielikku funktsionaalsust, siis soovitame serverile tagada ligipääs internetti.", - "Shared with {recipients}" : "Jagatud {recipients}", - "Error while unsharing" : "Viga jagamise lõpetamisel", - "can reshare" : "võib edasi jagada", - "can edit" : "saab muuta", - "can create" : "võib luua", - "can change" : "võib muuta", - "can delete" : "võib kustutada", - "access control" : "ligipääsukontroll", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Jaga inimestega teistes serverites kasutades nende liitpilve ID-d username@example.com/nextcloud", - "Share with users or by mail..." : "Jaga kasutajatega või e-postiga ...", - "Share with users or remote users..." : "Jaga kasutajatega või eemal olevate kasutajatega ...", - "Share with users, remote users or by mail..." : "Jaga kasutajatega, eemal olevate kasutajatega või e-postiga ...", - "Share with users or groups..." : "Jaga kasutajate või gruppidega ...", - "Share with users, groups or by mail..." : "Jaga kasutajatega, gruppidega või e-postiga ...", - "Share with users, groups or remote users..." : "Jaga kasutajate, gruppide või eemal olevate kasutajatega ...", - "Share with users, groups, remote users or by mail..." : "Jaga kasutajatega, gruppidega, eemal olevate kasutajatega või e-postiga ...", - "Share with users..." : "Jaga kasutajatega...", - "The object type is not specified." : "Objekti tüüp pole määratletud.", - "Enter new" : "Sisesta uus", - "Add" : "Lisa", - "Edit tags" : "Muuda silte", - "Error loading dialog template: {error}" : "Viga dialoogi malli laadimisel: {error}", - "No tags selected for deletion." : "Kustutamiseks pole ühtegi silti valitud.", - "The update was successful. Redirecting you to Nextcloud now." : "Uuendamine õnnestus. Sind suunatakse Nextcloudi.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Tere,\n\n%s jagas sulle välja %s.\nVaata siit: %s\n\n", - "The share will expire on %s." : "Jagamine aegub %s.", - "Cheers!" : "Terekest!", - "The server encountered an internal error and was unable to complete your request." : "Serveris tekkis sisemine tõrge ja sinu päringu täitmine ebaõnnestus.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kui seda veateadet näidatakse mitu korda, siis palun võta ühendust serveri administraatoriga. Palun lisa alla aruandesse tehnilised üksikasjad.", - "Log out" : "Logi välja", - "This action requires you to confirm your password:" : "See tegevus nõuab parooli kinnitamist", - "Wrong password. Reset it?" : "Vale parool. Kas vajad parooli taastamist?", - "Use the following link to reset your password: {link}" : "Kasuta järgnevat linki oma parooli taastamiseks: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hei,

annan teada, et %s jagas sinuga %s. Vaata seda!

", - "This Nextcloud instance is currently in single user mode." : "See Nextcloud on momendil seadistatud ühe kasutaja jaoks.", - "This means only administrators can use the instance." : "See tähendab, et seda saavad kasutada ainult administraatorid.", - "You are accessing the server from an untrusted domain." : "Sa kasutad serverit usalduseta asukohast", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Palun võtke ühendust administraatoriga. Kui te olete administraator, siis seadistage \"trusted_domains\" failis config/config.php. Näidisseadistus on olemas failis config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Sõltuvalt sinu seadetest võib ka administraator kasutada allolevat nuppu, et seda domeeni usaldusväärseks märkida.", - "For help, see the documentation." : "Abiinfo saamiseks vaata dokumentatsiooni.", - "There was an error loading your contacts" : "Kontaktide laadimisel tekkis tõrge", - "You are about to grant \"%s\" access to your %s account." : "Sa oled andmas \"%s\" ligipääsu oma %s kontole." + "Thank you for your patience." : "Täname kannatlikkuse eest." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/eu.js b/core/l10n/eu.js index 0d1323748c780..5374c6ea41d1f 100644 --- a/core/l10n/eu.js +++ b/core/l10n/eu.js @@ -287,68 +287,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Instantzia hau %s mantenu-moduan dago, honek denbora tarte bat iraun dezake.", "This page will refresh itself when the %s instance is available again." : "Orri honek bere burua eguneratuko du %s instantzia berriz prest dagoenean.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Jarri harremanetan zure sistema administratzailearekin mezu hau irauten badu edo bat-batean agertu bada.", - "Thank you for your patience." : "Milesker zure patzientziagatik.", - "%s (3rdparty)" : "%s (hirugarrenekoa)", - "Problem loading page, reloading in 5 seconds" : "Arazoa orria kargatzerakoan, 5 segundotan birkargatzen", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo.
Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik.
Ziur zaude aurrera jarraitu nahi duzula?", - "Ok" : "Ados", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Zure web zerbitzaria ez dago oraindik konfiguratuta fitxategia sinkronizazioa ahalbidetzeko WebDAV interfazea badirudi hautsita dagoela.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Zure web zerbitzaria ez dago behar bezala konfiguratuta \"{url}\" irekitzeko. Informazio gehiago gure dokumentazioan aurki daiteke.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Zerbitzari honek ez du Interneteko konexiorik: Helburu asko ezin dira atzitu.Honek esan nahi du kanpo biltegiratzeak, eguneraketei buruzko notifikazioak edo hirugarrenen aplikazioak ez dutela funtzionatuko. Urruneko fitxategiak atzitzea eta notifikazio emailek ere ez dute funtzionatuko ziuraski. Internet konexioa gaitzea gomendatzen dizugu, ezaugarri guzti hauek nahi badituzu. ", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ez da katxe memoriarik konfiguratu. Funtzionamendua hobetzeko konfigura mesedez configure a memcache if available. Further information can be found in our documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", - "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "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." : "\"{header}\" HTTP goiburua ez da \"{expected}\" hau bezalakoa. Segurtasun edo pribatutasuna arazo bat da hau eta ezarpen hau egokitzea gomendatzen dizugu", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Garraio segurtasun-zehatza\" HTTP goiburua ez dago konfiguratua gutxienez \"{seconds}\" segundurekin. Segurtasuna hobetzeko HSTS gaitzea gomendatzen dugu, segurtasun aholkuakgida jarraiki.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", - "Shared with {recipients}" : "{recipients}-rekin partekatua.", - "Error while unsharing" : "Errore bat egon da elkarbanaketa desegitean", - "can reshare" : "Birparteka daiteke", - "can edit" : "editatu dezake", - "can create" : "sortu dezake", - "can change" : "aldatu dezake", - "can delete" : "ezabatu dezake", - "access control" : "sarrera kontrola", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partekatu beste zerbitzarietan dagoen jendearekin, beraien Federated Cloud ID erabiliz username@example.com/nextcloud", - "Share with users or by mail..." : "Erabiltzaileekin edo postaz partekatu...", - "Share with users or remote users..." : "Erabiltzaile edo urruneko erabiltzaile batzuekin partekatu...", - "Share with users, remote users or by mail..." : "Erabiltzaile, urruneko erabiltzaile edo postaz elkarbanatu...", - "Share with users or groups..." : "Erabiltzaile edo talde batekin partekatu...", - "Share with users, groups or by mail..." : "Erabiltzaile, talde edo posta elektroniko bidez partekatu...", - "Share with users, groups or remote users..." : "Erabiltzaile, talde edo urruneko erabiltzaile batzuekin partekatu ...", - "Share with users, groups, remote users or by mail..." : "Erabiltzaile, talde, urruneko erabiltzaile edo postaz partekatu...", - "Share with users..." : "Erabiltzaileekin partekatu...", - "The object type is not specified." : "Objetu mota ez dago zehaztuta.", - "Enter new" : "Sartu berria", - "Add" : "Gehitu", - "Edit tags" : "Editatu etiketak", - "Error loading dialog template: {error}" : "Errorea elkarrizketa txantiloia kargatzean: {errorea}", - "No tags selected for deletion." : "Ez dira ezabatzeko etiketak hautatu.", - "The update was successful. Redirecting you to Nextcloud now." : "Eguneraketa ondo joan da. Nextcloud-era birbideratuko zaitugu.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Kaixo\n\n%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s\n\n", - "The share will expire on %s." : "Partekatzea %s-n iraungiko da.", - "Cheers!" : "Ongi izan!", - "The server encountered an internal error and was unable to complete your request." : "Zerbitzariak barne errore bat izan du eta ez da gai izan zure eskaria osatzeko.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Mesedez harremanetan jarri zerbitzariaren kudeatzailearekin errore hau aldi askotan agertzekotan, mesedez gehitu beheko zehaztapen teknikoak zure txostenean.", - "For information how to properly configure your server, please see the documentation." : "Zure zerbitzaria ongi konfiguratzeko informazioa topatzeko documentazioa begiratu mesedez.", - "Log out" : "Saioa bukatu", - "This action requires you to confirm your password:" : "Ekintza honek zure pasahitza konfirmatzeko eskatuko dizu:", - "Wrong password. Reset it?" : "Pasahitz okerra. Berrezarri?", - "Use the following link to reset your password: {link}" : "Eribili hurrengo lotura zure pasahitza berrezartzeko: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Kaixo

%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s", - "This Nextcloud instance is currently in single user mode." : "Nextcloud instantzia hau erabiltzaile bakar moduan dago.", - "This means only administrators can use the instance." : "Honek administradoreak bakarrik erabili dezakeela esan nahi du.", - "You are accessing the server from an untrusted domain." : "Zerbitzaria domeinu ez fidagarri batetik eskuratzen ari zara.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Jarri harremanetan administratzailearekin. Instantzia honen administratzaile bat bazara, \"trusted_domains\" ezarpena ezarri config/config.php-en. Adibidezko konfigurazioa config/config.sample.php-en dago.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Zure ezarpenen gorabehera, administratzaile bezala posible duzu ere azpiko botoia erabiltzea fidatzeko domeinu horrekin.", - "Please use the command line updater because you have a big instance." : "Mesedez, erabili komando lerroa eguneratzeko, instantzia handi duzulako.", - "For help, see the documentation." : "Laguntza lortzeko, ikusi dokumentazioa.", - "There was an error loading your contacts" : "Errore bat gertatu da zure kontaktuak kargatzean", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache ez dago era egokian ezarrita. Hobe funtzionatzeko gomendatzen dugu hurrengo ezarpenak erabiltzea php.ini fitxategian:", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Zure datu karpeta eta zure fitxategiak Internetetik atzigarri daude. .htaccess fitxategia ez dabil. Bereziki gomendatzen da zure web zerbitzariazure datu karpeta atzigarri ez egoteko konfiguratzea, edo datu-karpeta ateratzeaweb zerbitzariaren errotik" + "Thank you for your patience." : "Milesker zure patzientziagatik." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/eu.json b/core/l10n/eu.json index 04ab923747b1c..810bd8b3637d8 100644 --- a/core/l10n/eu.json +++ b/core/l10n/eu.json @@ -285,68 +285,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Instantzia hau %s mantenu-moduan dago, honek denbora tarte bat iraun dezake.", "This page will refresh itself when the %s instance is available again." : "Orri honek bere burua eguneratuko du %s instantzia berriz prest dagoenean.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Jarri harremanetan zure sistema administratzailearekin mezu hau irauten badu edo bat-batean agertu bada.", - "Thank you for your patience." : "Milesker zure patzientziagatik.", - "%s (3rdparty)" : "%s (hirugarrenekoa)", - "Problem loading page, reloading in 5 seconds" : "Arazoa orria kargatzerakoan, 5 segundotan birkargatzen", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo.
Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik.
Ziur zaude aurrera jarraitu nahi duzula?", - "Ok" : "Ados", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Zure web zerbitzaria ez dago oraindik konfiguratuta fitxategia sinkronizazioa ahalbidetzeko WebDAV interfazea badirudi hautsita dagoela.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Zure web zerbitzaria ez dago behar bezala konfiguratuta \"{url}\" irekitzeko. Informazio gehiago gure dokumentazioan aurki daiteke.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Zerbitzari honek ez du Interneteko konexiorik: Helburu asko ezin dira atzitu.Honek esan nahi du kanpo biltegiratzeak, eguneraketei buruzko notifikazioak edo hirugarrenen aplikazioak ez dutela funtzionatuko. Urruneko fitxategiak atzitzea eta notifikazio emailek ere ez dute funtzionatuko ziuraski. Internet konexioa gaitzea gomendatzen dizugu, ezaugarri guzti hauek nahi badituzu. ", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ez da katxe memoriarik konfiguratu. Funtzionamendua hobetzeko konfigura mesedez configure a memcache if available. Further information can be found in our documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", - "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", - "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." : "\"{header}\" HTTP goiburua ez da \"{expected}\" hau bezalakoa. Segurtasun edo pribatutasuna arazo bat da hau eta ezarpen hau egokitzea gomendatzen dizugu", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Garraio segurtasun-zehatza\" HTTP goiburua ez dago konfiguratua gutxienez \"{seconds}\" segundurekin. Segurtasuna hobetzeko HSTS gaitzea gomendatzen dugu, segurtasun aholkuakgida jarraiki.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", - "Shared with {recipients}" : "{recipients}-rekin partekatua.", - "Error while unsharing" : "Errore bat egon da elkarbanaketa desegitean", - "can reshare" : "Birparteka daiteke", - "can edit" : "editatu dezake", - "can create" : "sortu dezake", - "can change" : "aldatu dezake", - "can delete" : "ezabatu dezake", - "access control" : "sarrera kontrola", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partekatu beste zerbitzarietan dagoen jendearekin, beraien Federated Cloud ID erabiliz username@example.com/nextcloud", - "Share with users or by mail..." : "Erabiltzaileekin edo postaz partekatu...", - "Share with users or remote users..." : "Erabiltzaile edo urruneko erabiltzaile batzuekin partekatu...", - "Share with users, remote users or by mail..." : "Erabiltzaile, urruneko erabiltzaile edo postaz elkarbanatu...", - "Share with users or groups..." : "Erabiltzaile edo talde batekin partekatu...", - "Share with users, groups or by mail..." : "Erabiltzaile, talde edo posta elektroniko bidez partekatu...", - "Share with users, groups or remote users..." : "Erabiltzaile, talde edo urruneko erabiltzaile batzuekin partekatu ...", - "Share with users, groups, remote users or by mail..." : "Erabiltzaile, talde, urruneko erabiltzaile edo postaz partekatu...", - "Share with users..." : "Erabiltzaileekin partekatu...", - "The object type is not specified." : "Objetu mota ez dago zehaztuta.", - "Enter new" : "Sartu berria", - "Add" : "Gehitu", - "Edit tags" : "Editatu etiketak", - "Error loading dialog template: {error}" : "Errorea elkarrizketa txantiloia kargatzean: {errorea}", - "No tags selected for deletion." : "Ez dira ezabatzeko etiketak hautatu.", - "The update was successful. Redirecting you to Nextcloud now." : "Eguneraketa ondo joan da. Nextcloud-era birbideratuko zaitugu.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Kaixo\n\n%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s\n\n", - "The share will expire on %s." : "Partekatzea %s-n iraungiko da.", - "Cheers!" : "Ongi izan!", - "The server encountered an internal error and was unable to complete your request." : "Zerbitzariak barne errore bat izan du eta ez da gai izan zure eskaria osatzeko.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Mesedez harremanetan jarri zerbitzariaren kudeatzailearekin errore hau aldi askotan agertzekotan, mesedez gehitu beheko zehaztapen teknikoak zure txostenean.", - "For information how to properly configure your server, please see the documentation." : "Zure zerbitzaria ongi konfiguratzeko informazioa topatzeko documentazioa begiratu mesedez.", - "Log out" : "Saioa bukatu", - "This action requires you to confirm your password:" : "Ekintza honek zure pasahitza konfirmatzeko eskatuko dizu:", - "Wrong password. Reset it?" : "Pasahitz okerra. Berrezarri?", - "Use the following link to reset your password: {link}" : "Eribili hurrengo lotura zure pasahitza berrezartzeko: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Kaixo

%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s", - "This Nextcloud instance is currently in single user mode." : "Nextcloud instantzia hau erabiltzaile bakar moduan dago.", - "This means only administrators can use the instance." : "Honek administradoreak bakarrik erabili dezakeela esan nahi du.", - "You are accessing the server from an untrusted domain." : "Zerbitzaria domeinu ez fidagarri batetik eskuratzen ari zara.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Jarri harremanetan administratzailearekin. Instantzia honen administratzaile bat bazara, \"trusted_domains\" ezarpena ezarri config/config.php-en. Adibidezko konfigurazioa config/config.sample.php-en dago.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Zure ezarpenen gorabehera, administratzaile bezala posible duzu ere azpiko botoia erabiltzea fidatzeko domeinu horrekin.", - "Please use the command line updater because you have a big instance." : "Mesedez, erabili komando lerroa eguneratzeko, instantzia handi duzulako.", - "For help, see the documentation." : "Laguntza lortzeko, ikusi dokumentazioa.", - "There was an error loading your contacts" : "Errore bat gertatu da zure kontaktuak kargatzean", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache ez dago era egokian ezarrita. Hobe funtzionatzeko gomendatzen dugu hurrengo ezarpenak erabiltzea php.ini fitxategian:", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Zure datu karpeta eta zure fitxategiak Internetetik atzigarri daude. .htaccess fitxategia ez dabil. Bereziki gomendatzen da zure web zerbitzariazure datu karpeta atzigarri ez egoteko konfiguratzea, edo datu-karpeta ateratzeaweb zerbitzariaren errotik" + "Thank you for your patience." : "Milesker zure patzientziagatik." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/fa.js b/core/l10n/fa.js deleted file mode 100644 index 32c5a19213528..0000000000000 --- a/core/l10n/fa.js +++ /dev/null @@ -1,314 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "لطفا فایل مورد نظر را انتخاب کنید ", - "File is too big" : "فایل خیلی بزرگ است", - "The selected file is not an image." : "فایل انتخاب شده عکس نمی باشد.", - "The selected file cannot be read." : "فایل انتخاب شده خوانده نمی شود.", - "Invalid file provided" : "فایل داده‌شده نا معتبر است", - "No image or file provided" : "هیچ فایل یا تصویری وارد نشده است", - "Unknown filetype" : "نوع فایل ناشناخته", - "Invalid image" : "عکس نامعتبر", - "An error occurred. Please contact your admin." : "یک خطا رخ داده است. لطفا با مدیر سیستم تماس بگیرید.", - "No temporary profile picture available, try again" : "تصویر پروفایل موقت در حال حاضر در دسترس نیست ، دوباره تلاش کنید ", - "No crop data provided" : "هیچ داده برش داده شده ارائه نشده است", - "No valid crop data provided" : "هیچ داده برش داده شده معتبر ارائه نشده است", - "Crop is not square" : "بخش بریده شده مربع نیست", - "State token does not match" : "State token مطابقت ندارد", - "Password reset is disabled" : "تنظیم مجدد رمز عبور فعال نیست", - "Couldn't reset password because the token is invalid" : "تنظیم مجدد گذرواژه میسر نیست, Token نامعتبر است", - "Couldn't reset password because the token is expired" : "تنظیم مجدد گذرواژه میسر نیست, Token منقضی شده است", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "ایمیل بازنشانی ارسال نشد, زیرا هیچ نشانی ایمیل برای این نام کاربری وجود ندارد. لطفا با ادمین خود تماس بگیرید.", - "%s password reset" : "%s رمزعبور تغییر کرد", - "Password reset" : "تنظیم مجدد رمز عبور", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی دکمه زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی لینک زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", - "Reset your password" : "تنظیم مجدد رمز عبور", - "Couldn't send reset email. Please contact your administrator." : "ارسال ایمیل مجدد با مشکل مواجه شد . لطفا با مدیر سیستم تماس بگیرید .", - "Couldn't send reset email. Please make sure your username is correct." : "پست الکترونیکی بازنشانی نشد, لطفا مطمئن شوید که نام کاربری شما درست است", - "Preparing update" : "آماده‌سازی به روز‌ رسانی", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "اخطار تعمیر:", - "Repair error: " : "خطای تعمیر:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Please use the command line updater because automatic updating is disabled in the config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: چک کردن جدول %s", - "Turned on maintenance mode" : "حالت \" در دست تعمیر \" فعال شد .", - "Turned off maintenance mode" : "حالت \" در دست تعمیر \" غیرفعال شد .", - "Maintenance mode is kept active" : "حالت تعمیرات فعال نگه‌داشته شده است", - "Updating database schema" : "به روز رسانی طرح پایگاه داده", - "Updated database" : "بروز رسانی پایگاه داده انجام شد .", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", - "Checked database schema update" : "به روز رسانی طرح پایگاه داده بررسی شد", - "Checking updates of apps" : "بررسی به روزرسانی های برنامه ها", - "Checking for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه \"%s\" در فروشگاه App", - "Update app \"%s\" from appstore" : " \"%s\" به روز رسانی شد", - "Checked for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه %s", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده %s می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", - "Checked database schema update for apps" : "Checked database schema update for apps", - "Updated \"%s\" to %s" : "\"%s\" به %s بروزرسانی شد", - "Set log level to debug" : "Set log level to debug", - "Reset log level" : "Reset log level", - "Starting code integrity check" : "Starting code integrity check", - "Finished code integrity check" : "Finished code integrity check", - "%s (incompatible)" : "%s (incompatible)", - "Following apps have been disabled: %s" : "برنامه های زیر غیر فعال شده اند %s", - "Already up to date" : "در حال حاضر بروز است", - "Search contacts …" : "جستجو مخاطبین ...", - "No contacts found" : "مخاطبین یافت نشد", - "Show all contacts …" : "نمایش همه مخاطبین ...", - "Loading your contacts …" : "بارگیری مخاطبین شما ...", - "Looking for {term} …" : "به دنبال {term} …", - "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", - "No action available" : "هیچ عملی قابل انجام نیست", - "Error fetching contact actions" : "خطا در دریافت فعالیتهای تماس", - "Settings" : "تنظیمات", - "Connection to server lost" : "اتصال به سرور از دست رفته است", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["%nمشکل بارگذاری صفحه، بارگیری مجدد در ثانیه"], - "Saving..." : "در حال ذخیره سازی...", - "Dismiss" : "پنهان کن", - "This action requires you to confirm your password" : "این اقدام نیاز به تایید رمز عبور شما دارد", - "Authentication required" : "احراز هویت مورد نیاز است", - "Password" : "گذرواژه", - "Cancel" : "منصرف شدن", - "Confirm" : "تایید", - "Failed to authenticate, try again" : "تأیید هویت نشد، دوباره امتحان کنید", - "seconds ago" : "ثانیه‌ها پیش", - "Logging in …" : "ورود به سیستم ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "لینک تنظیم مجدد رمز عبور به ایمیل شما ارسال شده است.
اگر آن رادر یک زمان مشخصی دریافت نکرده اید، لطفا هرزنامه/ پوشه های ناخواسته را بررسی کنید.
در صورت نبودن از مدیر خود بپرسید.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری می شوند پس از بازنشانی گذرواژه شما هیچ راهی برای بازگرداندن اطلاعات نخواهید داشت.
اگر مطمئن نیستید که چه کاری باید انجام دهید، قبل از ادامه دادن، با ادمین خود تماس بگیرید.
واقعا می خواهید ادامه دهید؟ ", - "I know what I'm doing" : "اطلاع از انجام این کار دارم", - "Password can not be changed. Please contact your administrator." : "رمز عبور نمی تواند تغییر بکند . لطفا با مدیر سیستم تماس بگیرید .", - "Reset password" : "تنظیم مجدد رمز عبور", - "No" : "نه", - "Yes" : "بله", - "No files in here" : "هیچ فایلی اینجا وجود ندارد", - "Choose" : "انتخاب کردن", - "Copy" : "کپی", - "Move" : "انتقال", - "Error loading file picker template: {error}" : "خطا در بارگذاری قالب انتخاب فایل : {error}", - "OK" : "تایید", - "Error loading message template: {error}" : "خطا در بارگذاری قالب پیام : {error}", - "read-only" : "فقط-خواندنی", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} تضاد در فایل"], - "One file conflict" : "یک فایل متضاد", - "New Files" : "فایل های جدید", - "Already existing files" : "فایل های موجود در حال حاضر ", - "Which files do you want to keep?" : "کدام فایل ها را می خواهید نگه دارید ؟", - "If you select both versions, the copied file will have a number added to its name." : "اگر هر دو نسخه را انتخاب کنید، فایل کپی شده یک شماره به نام آن اضافه خواهد شد.", - "Continue" : "ادامه", - "(all selected)" : "(همه انتخاب شده اند)", - "({count} selected)" : "({count} انتخاب شده)", - "Error loading file exists template" : "خطا در بارگزاری فایل قالب", - "Pending" : "در انتظار", - "Copy to {folder}" : "کپی به {folder}", - "Move to {folder}" : "انتقال به {folder}", - "Very weak password" : "رمز عبور بسیار ضعیف", - "Weak password" : "رمز عبور ضعیف", - "So-so password" : "رمز عبور متوسط", - "Good password" : "رمز عبور خوب", - "Strong password" : "رمز عبور قوی", - "Error occurred while checking server setup" : "خطا در هنگام چک کردن راه‌اندازی سرور رخ داده است", - "Shared" : "اشتراک گذاشته شده", - "Error setting expiration date" : "خطا در تنظیم تاریخ انقضا", - "The public link will expire no later than {days} days after it is created" : "لینک عمومی پس از {days} روز پس از ایجاد منقضی خواهد شد", - "Set expiration date" : "تنظیم تاریخ انقضا", - "Expiration" : "تاریخ انقضا", - "Expiration date" : "تاریخ انقضا", - "Choose a password for the public link" : "انتخاب رمز برای لینک عمومی", - "Choose a password for the public link or press the \"Enter\" key" : "یک رمز عبور برای لینک عمومی انتخاب کنید یا کلید \"Enter\" را فشار دهید", - "Copied!" : "کپی انجام شد!", - "Not supported!" : "پشتیبانی وجود ندارد!", - "Press ⌘-C to copy." : "برای کپی کردن از دکمه های C+⌘ استفاده نمایید", - "Press Ctrl-C to copy." : "برای کپی کردن از دکمه ctrl+c استفاده نمایید", - "Resharing is not allowed" : "اشتراک گذاری مجدد مجاز نمی باشد", - "Share to {name}" : "به اشتراک گذاشتن برای {name}", - "Share link" : "اشتراک گذاشتن لینک", - "Link" : "لینک", - "Password protect" : "نگهداری کردن رمز عبور", - "Allow editing" : "اجازه‌ی ویرایش", - "Email link to person" : "پیوند ایمیل برای شخص.", - "Send" : "ارسال", - "Allow upload and editing" : "اجازه آپلود و ویرایش", - "Read only" : "فقط خواندنی", - "File drop (upload only)" : "انداختن فایل (فقط آپلود)", - "Shared with you and the group {group} by {owner}" : "به اشتراک گذاشته شده با شما و گروه {گروه} توسط {دارنده}", - "Shared with you by {owner}" : "به اشتراک گذاشته شده با شما توسط { دارنده}", - "Choose a password for the mail share" : "یک رمز عبور برای اشتراک ایمیل انتخاب کنید", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} به اشتراک گذاشته شده از طریق لینک", - "group" : "گروه", - "remote" : "از راه دور", - "email" : "ایمیل", - "shared by {sharer}" : "اشتراک گذاشته شده توسط {sharer}", - "Unshare" : "لغو اشتراک", - "Can reshare" : "می توان مجددا به اشتراک گذاشت", - "Can edit" : "می توان ویرایش کرد", - "Can create" : "میتوان ایجاد کرد", - "Can change" : "می توان تغییر داد", - "Can delete" : "می توان حذف کرد", - "Access control" : "کنترل دسترسی", - "Could not unshare" : "اشتراک گذاری بازگردانده نشد", - "Error while sharing" : "خطا درحال به اشتراک گذاشتن", - "Share details could not be loaded for this item." : "جزئیات اشتراک گذاری برای این مورد قابل بارگذاری نیست.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["برای تکمیل خودکار لازم است حداقل {count} کاراکتر وجود داشته باشد"], - "This list is maybe truncated - please refine your search term to see more results." : "این فهرست ممکن است کامل نباشد - لطفا نتایج جستجوی خود را ریفرش کنید تا نتایج بیشتری ببینید.", - "No users or groups found for {search}" : "هیچ کاربری یا گروهی یافت نشد {search}", - "No users found for {search}" : "هیچ کاربری با جستجوی {search} یافت نشد", - "An error occurred. Please try again" : "یک خطا رخ داده است، لطفا مجددا تلاش کنید", - "{sharee} (group)" : "{sharee} (group)", - "{sharee} (remote)" : "{sharee} (remote)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "اشتراک‌گذاری", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "با وارد کردن یک کاربر یا گروه، شناسه Federated Cloud یا آدرس ایمیل با دیگران به اشتراک بگذارید.", - "Share with other people by entering a user or group or a federated cloud ID." : "با وارد کردن یک کاربر یا گروه یا شناسه Federated Cloud با افراد دیگر به اشتراک بگذارید.", - "Share with other people by entering a user or group or an email address." : "با وارد کردن یک کاربر یا گروه یا یک آدرس ایمیل با افراد دیگر به اشتراک بگذارید.", - "Name or email address..." : "نام یا آدرس ایمیل ...", - "Name or federated cloud ID..." : "نام یا شناسه Federated Cloud ...", - "Name, federated cloud ID or email address..." : "نام, آدرس ایمیل یا شناسه Federated Cloud ...", - "Name..." : "نام...", - "Error" : "خطا", - "Error removing share" : "خطا در حذف اشتراک گذاری", - "Non-existing tag #{tag}" : "برچسب غیر موجود #{tag}", - "restricted" : "محدود", - "invisible" : "غیر قابل مشاهده", - "({scope})" : "({scope})", - "Delete" : "حذف", - "Rename" : "تغییرنام", - "Collaborative tags" : "برچسب های همکاری", - "No tags found" : "هیچ برچسبی یافت نشد", - "unknown text" : "متن نامعلوم", - "Hello world!" : "سلام دنیا!", - "sunny" : "آفتابی", - "Hello {name}, the weather is {weather}" : "سلام {name}, هوا {weather} است", - "Hello {name}" : "سلام {name}", - "These are your search results" : "این نتایج جستجوی شماست ", - "new" : "جدید", - "_download %n file_::_download %n files_" : ["دانلود %n فایل"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "به روز رسانی در حال انجام است، این صفحه ممکن است روند در برخی از محیط ها را قطع کند.", - "Update to {version}" : "بروزرسانی به {version}", - "An error occurred." : "یک خطا رخ‌داده است.", - "Please reload the page." : "لطفا صفحه را دوباره بارگیری کنید.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "به روزرسانی ناموفق بود. برای اطلاعات بیشتر فروم ما را بررسی کنید", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "به روزرسانی ناموفق بود. لطفا این مسئله را در جامعه Nextcloud گزارش دهید", - "Continue to Nextcloud" : "ادامه به Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["به روز رسانی موفقیت آمیز بود هدایت شما به Nextcloud در %nثانیه "], - "Searching other places" : "جستجو در مکان‌های دیگر", - "No search results in other folders for {tag}{filter}{endtag}" : "جستجو در پوشه های دیگر برای {tag}{filter}{endtag} یافت نشد", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} نتایج جستجو در پوشه های دیگر"], - "Personal" : "شخصی", - "Users" : "کاربران", - "Apps" : " برنامه ها", - "Admin" : "مدیر", - "Help" : "راه‌نما", - "Access forbidden" : "اجازه دسترسی به مناطق ممنوعه را ندارید", - "File not found" : "فایل یافت نشد", - "The specified document has not been found on the server." : "مستند مورد نظر در سرور یافت نشد.", - "You can click here to return to %s." : "شما می‎توانید برای بازگشت به %s اینجا کلیک کنید.", - "Internal Server Error" : "خطای داخلی سرور", - "The server was unable to complete your request." : "سرور قادر به تکمیل درخواست شما نبود.", - "If this happens again, please send the technical details below to the server administrator." : "اگر این اتفاق دوباره افتاد، لطفا جزئیات فنی زیر را به مدیر سرور ارسال کنید.", - "More details can be found in the server log." : "جزئیات بیشتر در لاگ سرور قابل مشاهده خواهد بود.", - "Technical details" : "جزئیات فنی", - "Remote Address: %s" : "آدرس راه‌دور: %s", - "Request ID: %s" : "ID درخواست: %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." : "فایلها و فهرست های داده های شما قابل از اینترنت قابل دسترسی هستند، چونکه فایل htacces. کار نمی کند.", - "Create an admin account" : "لطفا یک شناسه برای مدیر بسازید", - "Username" : "نام کاربری", - "Storage & database" : "انبارش و پایگاه داده", - "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" : "جدول پایگاه داده", - "Database host" : "هاست پایگاه داده", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Please specify the port number along with the host name (e.g., localhost:5432).", - "Performance warning" : "اخطار کارایی", - "SQLite will be used as database." : "SQLite به عنوان پایگاه‎داده استفاده خواهد شد.", - "For larger installations we recommend to choose a different database backend." : "برای نصب و راه اندازی بزرگتر توصیه می کنیم یک پایگاه داده متفاوتی را انتخاب کنید.", - "Finish setup" : "اتمام نصب", - "Finishing …" : "در حال اتمام ...", - "Need help?" : "کمک لازم دارید ؟", - "See the documentation" : "مشاهده‌ی مستندات", - "More apps" : "برنامه های بیشتر", - "Search" : "جست‌و‌جو", - "Confirm your password" : "گذرواژه خود را تأیید کنید", - "Server side authentication failed!" : "تأیید هویت از سوی سرور انجام نشد!", - "Please contact your administrator." : "لطفا با مدیر وب‌سایت تماس بگیرید.", - "An internal error occurred." : "یک اشتباه داخلی رخ داد.", - "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", - "Username or email" : "نام کاربری یا ایمیل", - "Log in" : "ورود", - "Wrong password." : "گذرواژه اشتباه.", - "Stay logged in" : "در سیستم بمانید", - "Alternative Logins" : "ورود متناوب", - "Account access" : "دسترسی به حساب", - "App token" : "App token", - "New password" : "گذرواژه جدید", - "New Password" : "رمزعبور جدید", - "Cancel log in" : "لغو ورود", - "Use backup code" : "از کد پشتیبان استفاده شود", - "Add \"%s\" as trusted domain" : "افزودن \"%s\" به عنوان دامنه مورد اعتماد", - "App update required" : "نیاز به بروزرسانی برنامه وجود دارد", - "%s will be updated to version %s" : "%s به نسخه‌ی %s بروزرسانی خواهد شد", - "These apps will be updated:" : "این برنامه‌ها بروزرسانی شده‌اند:", - "The theme %s has been disabled." : "قالب %s غیر فعال شد.", - "Start update" : "اغاز به روز رسانی", - "Detailed logs" : "Detailed logs", - "Update needed" : "نیاز به روز رسانی دارد", - "Thank you for your patience." : "از صبر شما متشکریم", - "%s (3rdparty)" : "%s (3rdparty)", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری شده اند. اگر شما کلید بازیابی را فعال نکرده اید، پس از راه اندازی مجدد رمزعبور هیچ راهی برای بازگشت اطلاعاتتان وجود نخواهد داشت.در صورت عدم اطمینان به انجام کار، لطفا ابتدا با مدیر خود تماس بگیرید. آیا واقعا میخواهید ادامه دهید ؟", - "Ok" : "قبول", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "وب سرور شما هنوز به درستی برای هماهنگ سازی فایل تنظیم نشده است WebDAV به نظر می رسد خراب است.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "وب سرور شما برای دسترسی به \"{url}\" تنظیم نشده است, برای اطلاعات بیشتر به مستندات مراجعه کنید", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "این سرور اتصال به اینترنت ندارد: چند نقطه انتهایی End Point قابل دسترسی نیست. این بدان معنی است که برخی از ویژگی های مانند نصب ذخیره سازی خارجی، اطلاع رسانی در مورد به روز رسانی و یا نصب برنامه های شخص ثالث کار نخواهد کرد. دسترسی به فایل ها از راه دور و ارسال ایمیل های اخبار Notification ممکن است کار نکند. پیشنهاد می کنیم اتصال اینترنت به این سرور را فعال کنید اگر می خواهید تمام ویژگی ها را داشته باشید.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Memory Cache تنظیم نشده است, برای افزایش کارایی آن را فعال کنید . برای اطلاعات بیشتر به مستندات روجوع کنید ", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom در دسترس PHP نیست . برای اطلاعات بیشتر به مستندات روجوع کنید ", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", - "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", - "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." : "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.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", - "Shared with {recipients}" : "به اشتراک گذاشته شده با {recipients}", - "Error while unsharing" : "خطا درحال لغو اشتراک", - "can reshare" : "می توان مجددا به اشتراک گذاشت", - "can edit" : "می توان ویرایش کرد", - "can create" : "میتوان ایجاد کرد", - "can change" : "می توان تغییر داد", - "can delete" : "می توان حذف کرد", - "access control" : "کنترل دسترسی", - "Share with users or by mail..." : "اشتراک گذاری با استفاده کنندگان یا با ایمیل ...", - "Share with users or remote users..." : "اشتراک گذاری با استفاده کنندگان یا استفاده کنندگان دور ...", - "Share with users, remote users or by mail..." : "اشتراک گذاری با استفاده کنندگان یا استفاده کنندگان دور یا با ایمیل ...", - "Share with users or groups..." : "اشتراک گذاری با استفاده کنندگان یا گروه ها ...", - "The object type is not specified." : "نوع شی تعیین نشده است.", - "Enter new" : "مورد جدید را وارد کنید", - "Add" : "افزودن", - "Edit tags" : "ویرایش تگ ها", - "No tags selected for deletion." : "هیچ تگی برای حذف انتخاب نشده است.", - "The share will expire on %s." : "اشتراک‌گذاری در %s منقضی خواهد شد.", - "Cheers!" : "سلامتی!", - "For information how to properly configure your server, please see the documentation." : "برای اطلاعات نحوه درست تنظیم سرور مستندات را بررسی کنید", - "Log out" : "خروج", - "This action requires you to confirm your password:" : "این اقدام نیاز به تایید رمز عبور شما دارد", - "Wrong password. Reset it?" : "رمز اشتباه. آیا میخواهید آن را مجدد تنظیم کنید؟", - "Use the following link to reset your password: {link}" : "از لینک زیر جهت دوباره سازی پسورد استفاده کنید :\n{link}", - "There was an error loading your contacts" : "هنگام بارگیری مخاطبین شما خطایی روی داد", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.dd" -}, -"nplurals=1; plural=0;"); diff --git a/core/l10n/fa.json b/core/l10n/fa.json deleted file mode 100644 index 10d16ce9058a7..0000000000000 --- a/core/l10n/fa.json +++ /dev/null @@ -1,312 +0,0 @@ -{ "translations": { - "Please select a file." : "لطفا فایل مورد نظر را انتخاب کنید ", - "File is too big" : "فایل خیلی بزرگ است", - "The selected file is not an image." : "فایل انتخاب شده عکس نمی باشد.", - "The selected file cannot be read." : "فایل انتخاب شده خوانده نمی شود.", - "Invalid file provided" : "فایل داده‌شده نا معتبر است", - "No image or file provided" : "هیچ فایل یا تصویری وارد نشده است", - "Unknown filetype" : "نوع فایل ناشناخته", - "Invalid image" : "عکس نامعتبر", - "An error occurred. Please contact your admin." : "یک خطا رخ داده است. لطفا با مدیر سیستم تماس بگیرید.", - "No temporary profile picture available, try again" : "تصویر پروفایل موقت در حال حاضر در دسترس نیست ، دوباره تلاش کنید ", - "No crop data provided" : "هیچ داده برش داده شده ارائه نشده است", - "No valid crop data provided" : "هیچ داده برش داده شده معتبر ارائه نشده است", - "Crop is not square" : "بخش بریده شده مربع نیست", - "State token does not match" : "State token مطابقت ندارد", - "Password reset is disabled" : "تنظیم مجدد رمز عبور فعال نیست", - "Couldn't reset password because the token is invalid" : "تنظیم مجدد گذرواژه میسر نیست, Token نامعتبر است", - "Couldn't reset password because the token is expired" : "تنظیم مجدد گذرواژه میسر نیست, Token منقضی شده است", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "ایمیل بازنشانی ارسال نشد, زیرا هیچ نشانی ایمیل برای این نام کاربری وجود ندارد. لطفا با ادمین خود تماس بگیرید.", - "%s password reset" : "%s رمزعبور تغییر کرد", - "Password reset" : "تنظیم مجدد رمز عبور", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی دکمه زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی لینک زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", - "Reset your password" : "تنظیم مجدد رمز عبور", - "Couldn't send reset email. Please contact your administrator." : "ارسال ایمیل مجدد با مشکل مواجه شد . لطفا با مدیر سیستم تماس بگیرید .", - "Couldn't send reset email. Please make sure your username is correct." : "پست الکترونیکی بازنشانی نشد, لطفا مطمئن شوید که نام کاربری شما درست است", - "Preparing update" : "آماده‌سازی به روز‌ رسانی", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "اخطار تعمیر:", - "Repair error: " : "خطای تعمیر:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Please use the command line updater because automatic updating is disabled in the config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: چک کردن جدول %s", - "Turned on maintenance mode" : "حالت \" در دست تعمیر \" فعال شد .", - "Turned off maintenance mode" : "حالت \" در دست تعمیر \" غیرفعال شد .", - "Maintenance mode is kept active" : "حالت تعمیرات فعال نگه‌داشته شده است", - "Updating database schema" : "به روز رسانی طرح پایگاه داده", - "Updated database" : "بروز رسانی پایگاه داده انجام شد .", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", - "Checked database schema update" : "به روز رسانی طرح پایگاه داده بررسی شد", - "Checking updates of apps" : "بررسی به روزرسانی های برنامه ها", - "Checking for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه \"%s\" در فروشگاه App", - "Update app \"%s\" from appstore" : " \"%s\" به روز رسانی شد", - "Checked for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه %s", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده %s می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", - "Checked database schema update for apps" : "Checked database schema update for apps", - "Updated \"%s\" to %s" : "\"%s\" به %s بروزرسانی شد", - "Set log level to debug" : "Set log level to debug", - "Reset log level" : "Reset log level", - "Starting code integrity check" : "Starting code integrity check", - "Finished code integrity check" : "Finished code integrity check", - "%s (incompatible)" : "%s (incompatible)", - "Following apps have been disabled: %s" : "برنامه های زیر غیر فعال شده اند %s", - "Already up to date" : "در حال حاضر بروز است", - "Search contacts …" : "جستجو مخاطبین ...", - "No contacts found" : "مخاطبین یافت نشد", - "Show all contacts …" : "نمایش همه مخاطبین ...", - "Loading your contacts …" : "بارگیری مخاطبین شما ...", - "Looking for {term} …" : "به دنبال {term} …", - "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", - "No action available" : "هیچ عملی قابل انجام نیست", - "Error fetching contact actions" : "خطا در دریافت فعالیتهای تماس", - "Settings" : "تنظیمات", - "Connection to server lost" : "اتصال به سرور از دست رفته است", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["%nمشکل بارگذاری صفحه، بارگیری مجدد در ثانیه"], - "Saving..." : "در حال ذخیره سازی...", - "Dismiss" : "پنهان کن", - "This action requires you to confirm your password" : "این اقدام نیاز به تایید رمز عبور شما دارد", - "Authentication required" : "احراز هویت مورد نیاز است", - "Password" : "گذرواژه", - "Cancel" : "منصرف شدن", - "Confirm" : "تایید", - "Failed to authenticate, try again" : "تأیید هویت نشد، دوباره امتحان کنید", - "seconds ago" : "ثانیه‌ها پیش", - "Logging in …" : "ورود به سیستم ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "لینک تنظیم مجدد رمز عبور به ایمیل شما ارسال شده است.
اگر آن رادر یک زمان مشخصی دریافت نکرده اید، لطفا هرزنامه/ پوشه های ناخواسته را بررسی کنید.
در صورت نبودن از مدیر خود بپرسید.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری می شوند پس از بازنشانی گذرواژه شما هیچ راهی برای بازگرداندن اطلاعات نخواهید داشت.
اگر مطمئن نیستید که چه کاری باید انجام دهید، قبل از ادامه دادن، با ادمین خود تماس بگیرید.
واقعا می خواهید ادامه دهید؟ ", - "I know what I'm doing" : "اطلاع از انجام این کار دارم", - "Password can not be changed. Please contact your administrator." : "رمز عبور نمی تواند تغییر بکند . لطفا با مدیر سیستم تماس بگیرید .", - "Reset password" : "تنظیم مجدد رمز عبور", - "No" : "نه", - "Yes" : "بله", - "No files in here" : "هیچ فایلی اینجا وجود ندارد", - "Choose" : "انتخاب کردن", - "Copy" : "کپی", - "Move" : "انتقال", - "Error loading file picker template: {error}" : "خطا در بارگذاری قالب انتخاب فایل : {error}", - "OK" : "تایید", - "Error loading message template: {error}" : "خطا در بارگذاری قالب پیام : {error}", - "read-only" : "فقط-خواندنی", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} تضاد در فایل"], - "One file conflict" : "یک فایل متضاد", - "New Files" : "فایل های جدید", - "Already existing files" : "فایل های موجود در حال حاضر ", - "Which files do you want to keep?" : "کدام فایل ها را می خواهید نگه دارید ؟", - "If you select both versions, the copied file will have a number added to its name." : "اگر هر دو نسخه را انتخاب کنید، فایل کپی شده یک شماره به نام آن اضافه خواهد شد.", - "Continue" : "ادامه", - "(all selected)" : "(همه انتخاب شده اند)", - "({count} selected)" : "({count} انتخاب شده)", - "Error loading file exists template" : "خطا در بارگزاری فایل قالب", - "Pending" : "در انتظار", - "Copy to {folder}" : "کپی به {folder}", - "Move to {folder}" : "انتقال به {folder}", - "Very weak password" : "رمز عبور بسیار ضعیف", - "Weak password" : "رمز عبور ضعیف", - "So-so password" : "رمز عبور متوسط", - "Good password" : "رمز عبور خوب", - "Strong password" : "رمز عبور قوی", - "Error occurred while checking server setup" : "خطا در هنگام چک کردن راه‌اندازی سرور رخ داده است", - "Shared" : "اشتراک گذاشته شده", - "Error setting expiration date" : "خطا در تنظیم تاریخ انقضا", - "The public link will expire no later than {days} days after it is created" : "لینک عمومی پس از {days} روز پس از ایجاد منقضی خواهد شد", - "Set expiration date" : "تنظیم تاریخ انقضا", - "Expiration" : "تاریخ انقضا", - "Expiration date" : "تاریخ انقضا", - "Choose a password for the public link" : "انتخاب رمز برای لینک عمومی", - "Choose a password for the public link or press the \"Enter\" key" : "یک رمز عبور برای لینک عمومی انتخاب کنید یا کلید \"Enter\" را فشار دهید", - "Copied!" : "کپی انجام شد!", - "Not supported!" : "پشتیبانی وجود ندارد!", - "Press ⌘-C to copy." : "برای کپی کردن از دکمه های C+⌘ استفاده نمایید", - "Press Ctrl-C to copy." : "برای کپی کردن از دکمه ctrl+c استفاده نمایید", - "Resharing is not allowed" : "اشتراک گذاری مجدد مجاز نمی باشد", - "Share to {name}" : "به اشتراک گذاشتن برای {name}", - "Share link" : "اشتراک گذاشتن لینک", - "Link" : "لینک", - "Password protect" : "نگهداری کردن رمز عبور", - "Allow editing" : "اجازه‌ی ویرایش", - "Email link to person" : "پیوند ایمیل برای شخص.", - "Send" : "ارسال", - "Allow upload and editing" : "اجازه آپلود و ویرایش", - "Read only" : "فقط خواندنی", - "File drop (upload only)" : "انداختن فایل (فقط آپلود)", - "Shared with you and the group {group} by {owner}" : "به اشتراک گذاشته شده با شما و گروه {گروه} توسط {دارنده}", - "Shared with you by {owner}" : "به اشتراک گذاشته شده با شما توسط { دارنده}", - "Choose a password for the mail share" : "یک رمز عبور برای اشتراک ایمیل انتخاب کنید", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} به اشتراک گذاشته شده از طریق لینک", - "group" : "گروه", - "remote" : "از راه دور", - "email" : "ایمیل", - "shared by {sharer}" : "اشتراک گذاشته شده توسط {sharer}", - "Unshare" : "لغو اشتراک", - "Can reshare" : "می توان مجددا به اشتراک گذاشت", - "Can edit" : "می توان ویرایش کرد", - "Can create" : "میتوان ایجاد کرد", - "Can change" : "می توان تغییر داد", - "Can delete" : "می توان حذف کرد", - "Access control" : "کنترل دسترسی", - "Could not unshare" : "اشتراک گذاری بازگردانده نشد", - "Error while sharing" : "خطا درحال به اشتراک گذاشتن", - "Share details could not be loaded for this item." : "جزئیات اشتراک گذاری برای این مورد قابل بارگذاری نیست.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["برای تکمیل خودکار لازم است حداقل {count} کاراکتر وجود داشته باشد"], - "This list is maybe truncated - please refine your search term to see more results." : "این فهرست ممکن است کامل نباشد - لطفا نتایج جستجوی خود را ریفرش کنید تا نتایج بیشتری ببینید.", - "No users or groups found for {search}" : "هیچ کاربری یا گروهی یافت نشد {search}", - "No users found for {search}" : "هیچ کاربری با جستجوی {search} یافت نشد", - "An error occurred. Please try again" : "یک خطا رخ داده است، لطفا مجددا تلاش کنید", - "{sharee} (group)" : "{sharee} (group)", - "{sharee} (remote)" : "{sharee} (remote)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "اشتراک‌گذاری", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "با وارد کردن یک کاربر یا گروه، شناسه Federated Cloud یا آدرس ایمیل با دیگران به اشتراک بگذارید.", - "Share with other people by entering a user or group or a federated cloud ID." : "با وارد کردن یک کاربر یا گروه یا شناسه Federated Cloud با افراد دیگر به اشتراک بگذارید.", - "Share with other people by entering a user or group or an email address." : "با وارد کردن یک کاربر یا گروه یا یک آدرس ایمیل با افراد دیگر به اشتراک بگذارید.", - "Name or email address..." : "نام یا آدرس ایمیل ...", - "Name or federated cloud ID..." : "نام یا شناسه Federated Cloud ...", - "Name, federated cloud ID or email address..." : "نام, آدرس ایمیل یا شناسه Federated Cloud ...", - "Name..." : "نام...", - "Error" : "خطا", - "Error removing share" : "خطا در حذف اشتراک گذاری", - "Non-existing tag #{tag}" : "برچسب غیر موجود #{tag}", - "restricted" : "محدود", - "invisible" : "غیر قابل مشاهده", - "({scope})" : "({scope})", - "Delete" : "حذف", - "Rename" : "تغییرنام", - "Collaborative tags" : "برچسب های همکاری", - "No tags found" : "هیچ برچسبی یافت نشد", - "unknown text" : "متن نامعلوم", - "Hello world!" : "سلام دنیا!", - "sunny" : "آفتابی", - "Hello {name}, the weather is {weather}" : "سلام {name}, هوا {weather} است", - "Hello {name}" : "سلام {name}", - "These are your search results" : "این نتایج جستجوی شماست ", - "new" : "جدید", - "_download %n file_::_download %n files_" : ["دانلود %n فایل"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "به روز رسانی در حال انجام است، این صفحه ممکن است روند در برخی از محیط ها را قطع کند.", - "Update to {version}" : "بروزرسانی به {version}", - "An error occurred." : "یک خطا رخ‌داده است.", - "Please reload the page." : "لطفا صفحه را دوباره بارگیری کنید.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "به روزرسانی ناموفق بود. برای اطلاعات بیشتر فروم ما را بررسی کنید", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "به روزرسانی ناموفق بود. لطفا این مسئله را در جامعه Nextcloud گزارش دهید", - "Continue to Nextcloud" : "ادامه به Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["به روز رسانی موفقیت آمیز بود هدایت شما به Nextcloud در %nثانیه "], - "Searching other places" : "جستجو در مکان‌های دیگر", - "No search results in other folders for {tag}{filter}{endtag}" : "جستجو در پوشه های دیگر برای {tag}{filter}{endtag} یافت نشد", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} نتایج جستجو در پوشه های دیگر"], - "Personal" : "شخصی", - "Users" : "کاربران", - "Apps" : " برنامه ها", - "Admin" : "مدیر", - "Help" : "راه‌نما", - "Access forbidden" : "اجازه دسترسی به مناطق ممنوعه را ندارید", - "File not found" : "فایل یافت نشد", - "The specified document has not been found on the server." : "مستند مورد نظر در سرور یافت نشد.", - "You can click here to return to %s." : "شما می‎توانید برای بازگشت به %s اینجا کلیک کنید.", - "Internal Server Error" : "خطای داخلی سرور", - "The server was unable to complete your request." : "سرور قادر به تکمیل درخواست شما نبود.", - "If this happens again, please send the technical details below to the server administrator." : "اگر این اتفاق دوباره افتاد، لطفا جزئیات فنی زیر را به مدیر سرور ارسال کنید.", - "More details can be found in the server log." : "جزئیات بیشتر در لاگ سرور قابل مشاهده خواهد بود.", - "Technical details" : "جزئیات فنی", - "Remote Address: %s" : "آدرس راه‌دور: %s", - "Request ID: %s" : "ID درخواست: %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." : "فایلها و فهرست های داده های شما قابل از اینترنت قابل دسترسی هستند، چونکه فایل htacces. کار نمی کند.", - "Create an admin account" : "لطفا یک شناسه برای مدیر بسازید", - "Username" : "نام کاربری", - "Storage & database" : "انبارش و پایگاه داده", - "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" : "جدول پایگاه داده", - "Database host" : "هاست پایگاه داده", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Please specify the port number along with the host name (e.g., localhost:5432).", - "Performance warning" : "اخطار کارایی", - "SQLite will be used as database." : "SQLite به عنوان پایگاه‎داده استفاده خواهد شد.", - "For larger installations we recommend to choose a different database backend." : "برای نصب و راه اندازی بزرگتر توصیه می کنیم یک پایگاه داده متفاوتی را انتخاب کنید.", - "Finish setup" : "اتمام نصب", - "Finishing …" : "در حال اتمام ...", - "Need help?" : "کمک لازم دارید ؟", - "See the documentation" : "مشاهده‌ی مستندات", - "More apps" : "برنامه های بیشتر", - "Search" : "جست‌و‌جو", - "Confirm your password" : "گذرواژه خود را تأیید کنید", - "Server side authentication failed!" : "تأیید هویت از سوی سرور انجام نشد!", - "Please contact your administrator." : "لطفا با مدیر وب‌سایت تماس بگیرید.", - "An internal error occurred." : "یک اشتباه داخلی رخ داد.", - "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", - "Username or email" : "نام کاربری یا ایمیل", - "Log in" : "ورود", - "Wrong password." : "گذرواژه اشتباه.", - "Stay logged in" : "در سیستم بمانید", - "Alternative Logins" : "ورود متناوب", - "Account access" : "دسترسی به حساب", - "App token" : "App token", - "New password" : "گذرواژه جدید", - "New Password" : "رمزعبور جدید", - "Cancel log in" : "لغو ورود", - "Use backup code" : "از کد پشتیبان استفاده شود", - "Add \"%s\" as trusted domain" : "افزودن \"%s\" به عنوان دامنه مورد اعتماد", - "App update required" : "نیاز به بروزرسانی برنامه وجود دارد", - "%s will be updated to version %s" : "%s به نسخه‌ی %s بروزرسانی خواهد شد", - "These apps will be updated:" : "این برنامه‌ها بروزرسانی شده‌اند:", - "The theme %s has been disabled." : "قالب %s غیر فعال شد.", - "Start update" : "اغاز به روز رسانی", - "Detailed logs" : "Detailed logs", - "Update needed" : "نیاز به روز رسانی دارد", - "Thank you for your patience." : "از صبر شما متشکریم", - "%s (3rdparty)" : "%s (3rdparty)", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری شده اند. اگر شما کلید بازیابی را فعال نکرده اید، پس از راه اندازی مجدد رمزعبور هیچ راهی برای بازگشت اطلاعاتتان وجود نخواهد داشت.در صورت عدم اطمینان به انجام کار، لطفا ابتدا با مدیر خود تماس بگیرید. آیا واقعا میخواهید ادامه دهید ؟", - "Ok" : "قبول", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "وب سرور شما هنوز به درستی برای هماهنگ سازی فایل تنظیم نشده است WebDAV به نظر می رسد خراب است.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "وب سرور شما برای دسترسی به \"{url}\" تنظیم نشده است, برای اطلاعات بیشتر به مستندات مراجعه کنید", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "این سرور اتصال به اینترنت ندارد: چند نقطه انتهایی End Point قابل دسترسی نیست. این بدان معنی است که برخی از ویژگی های مانند نصب ذخیره سازی خارجی، اطلاع رسانی در مورد به روز رسانی و یا نصب برنامه های شخص ثالث کار نخواهد کرد. دسترسی به فایل ها از راه دور و ارسال ایمیل های اخبار Notification ممکن است کار نکند. پیشنهاد می کنیم اتصال اینترنت به این سرور را فعال کنید اگر می خواهید تمام ویژگی ها را داشته باشید.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Memory Cache تنظیم نشده است, برای افزایش کارایی آن را فعال کنید . برای اطلاعات بیشتر به مستندات روجوع کنید ", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom در دسترس PHP نیست . برای اطلاعات بیشتر به مستندات روجوع کنید ", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", - "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", - "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." : "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.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", - "Shared with {recipients}" : "به اشتراک گذاشته شده با {recipients}", - "Error while unsharing" : "خطا درحال لغو اشتراک", - "can reshare" : "می توان مجددا به اشتراک گذاشت", - "can edit" : "می توان ویرایش کرد", - "can create" : "میتوان ایجاد کرد", - "can change" : "می توان تغییر داد", - "can delete" : "می توان حذف کرد", - "access control" : "کنترل دسترسی", - "Share with users or by mail..." : "اشتراک گذاری با استفاده کنندگان یا با ایمیل ...", - "Share with users or remote users..." : "اشتراک گذاری با استفاده کنندگان یا استفاده کنندگان دور ...", - "Share with users, remote users or by mail..." : "اشتراک گذاری با استفاده کنندگان یا استفاده کنندگان دور یا با ایمیل ...", - "Share with users or groups..." : "اشتراک گذاری با استفاده کنندگان یا گروه ها ...", - "The object type is not specified." : "نوع شی تعیین نشده است.", - "Enter new" : "مورد جدید را وارد کنید", - "Add" : "افزودن", - "Edit tags" : "ویرایش تگ ها", - "No tags selected for deletion." : "هیچ تگی برای حذف انتخاب نشده است.", - "The share will expire on %s." : "اشتراک‌گذاری در %s منقضی خواهد شد.", - "Cheers!" : "سلامتی!", - "For information how to properly configure your server, please see the documentation." : "برای اطلاعات نحوه درست تنظیم سرور مستندات را بررسی کنید", - "Log out" : "خروج", - "This action requires you to confirm your password:" : "این اقدام نیاز به تایید رمز عبور شما دارد", - "Wrong password. Reset it?" : "رمز اشتباه. آیا میخواهید آن را مجدد تنظیم کنید؟", - "Use the following link to reset your password: {link}" : "از لینک زیر جهت دوباره سازی پسورد استفاده کنید :\n{link}", - "There was an error loading your contacts" : "هنگام بارگیری مخاطبین شما خطایی روی داد", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.dd" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/core/l10n/fi.js b/core/l10n/fi.js index 42ae51062c7db..aada088076eb1 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -287,69 +287,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Tämä %s-instanssi on parhaillaan huoltotilassa, huollossa saattaa kestää hetki.", "This page will refresh itself when the %s instance is available again." : "Tämä sivu päivittää itsensä, kun %s on jälleen käytettävissä.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", - "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", - "%s (3rdparty)" : "%s (kolmannen osapuolen)", - "Problem loading page, reloading in 5 seconds" : "Ongelma sivun lataamisessa, päivitetään 5 sekunnin kuluttua", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tiedostosi on salattu. Jos et ole ottanut käyttöön palautusavainta, tietojasi ei ole mahdollista palauttaa salasanan nollaamisen jälkeen.
Jos et ole varma mitä tehdä, ota yhteys ylläpitäjään.
Haluatko varmasti jatkaa?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "HTTP-palvelinta ei ole määritetty oikein tiedostojen synkronointia varten, koska WebDAV-liittymä vaikuttaa olevan rikki.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "HTTP-palvelinta ei ole määritelty oikein tunnistamaan osoitetta \"{url}\". Lisätietoja on ohjeissamme.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Tällä palvelimella ei ole toimivaa Internet-yhteyttä: useisiin palvelimiin ei saatu yhteyttä. Sen seurauksena jotkin ominaisuudet, kuten ulkoinen tallennustila, ilmoitukset päivityksistä tai kolmansien osapuolten sovellusten asennus, eivät tule toimimaan. Tiedostojen etäkäyttö tai ilmoitusten lähetys sähköpostitse eivät välttämättä myöskään toimi. Ehdotamme Internet-yhteyden lisäämistä tälle palvelimelle, jos haluat käyttää kaikkia ominaisuuksia.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Välimuistia ei ole määritelty. Suorituskykyä parantaaksesi, määrittele memcache, jos käytettävissä. Lisätietoja on ohjeissamme.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom ei ole PHP:n luettavissa, mitä ei voi suositella tietoturvasyistä. Lisätietoja on ohjeissamme.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Sinulla on käytössä PHP {version}. Suosittelemme päivittämään PHP-versiosi saadaksesi PHP Group:n suorituskyky ja tietoturvapäivityksiä niin pian kuin jakelusi sitä tukee.", - "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 memcached wiki about both modules." : "Memcached on määritelty hajautetuksi välimuistiksi, mutta väärä PHP-moduuli \"memcache\" on asennettu. \\OC\\Memcache\\Memcached tukee vain moduulia \"memcached\", mutta ei moduulia \"memcache\". Katso memcached wikiä molemmista moduleista.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Jotkin tiedostot eivät ole läpäisseet eheystarkistusta. Lisätietoa ongelman korjaamiseksi on ohjeissamme. (Listaa virheelliset tiedostot… / Uudelleen skannaa…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", - "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-otsaketta \"{header}\" ei ole määritetty vastaamaan arvoa \"{expected}\". Kyseessä on mahdollinen tietoturvaan tai -suojaan liittyvä riski, joten suosittelemme muuttamaan asetuksen arvoa.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP-otsaketta \"Strict-Transport-Security\" ei ole määritelty vähintään \"{seconds}\" sekuntiin. Paremman tietoturvan vuoksi suosittelemme määrittelemään HSTS:n, kuten tietoturvavinkeissämme neuvotaan.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Käytät sivustoa HTTP-yhteydellä. Suosittelemme asettamaan palvelimen vaatimaan HTTPS-yhteyden, kuten tietoturvavinkeissämme neuvotaan.", - "Shared with {recipients}" : "Jaettu henkilöiden {recipients} kanssa", - "Error while unsharing" : "Virhe jakoa peruttaessa", - "can reshare" : "voi uudelleenjakaa", - "can edit" : "voi muokata", - "can create" : "voi luoda", - "can change" : "voi vaihtaa", - "can delete" : "voi poistaa", - "access control" : "pääsynhallinta", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Jaa toisia Nextcloud-järjestelmiä käyttäville Federated Cloud ID -tunnuksella muodossa käyttäjätunnus@example.com/nextcloud", - "Share with users or by mail..." : "Jaa käyttäjille tai sähköpostilla...", - "Share with users or remote users..." : "Jaa käyttäjille tai etäkäyttäjille...", - "Share with users, remote users or by mail..." : "Jaa käyttäjille, etäkäyttäjille tai sähköpostilla...", - "Share with users or groups..." : "Jaa käyttäjille tai ryhmille...", - "Share with users, groups or by mail..." : "Jaa käyttäjille, ryhmille tai sähköpostilla...", - "Share with users, groups or remote users..." : "Jaa käyttäjille, ryhmille tai etäkäyttäjille...", - "Share with users, groups, remote users or by mail..." : "Jaa käyttäjille, ryhmille, etäkäyttäjille tai sähköpostilla...", - "Share with users..." : "Jaa käyttäjille...", - "The object type is not specified." : "Objektin tyyppiä ei ole määritelty.", - "Enter new" : "Kirjoita uusi", - "Add" : "Lisää", - "Edit tags" : "Muokkaa tunnisteita", - "Error loading dialog template: {error}" : "Virhe ladatessa lomakepohjaa: {error}", - "No tags selected for deletion." : "Tunnisteita ei valittu poistettavaksi.", - "The update was successful. Redirecting you to Nextcloud now." : "Päivitys onnistui. Sinut ohjataan nyt Nextcloudiin.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hei,\n\n%s jakoi kohteen %s kanssasi.\nTutustu siihen: %s\n\n", - "The share will expire on %s." : "Jakaminen päättyy %s.", - "Cheers!" : "Kiitos!", - "The server encountered an internal error and was unable to complete your request." : "Palvelin kohtasi sisäisen virheen, eikä pystynyt viimeistelmään pyyntöäsi.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Ota yhteys palvelimen ylläpitäjään, jos tämä virhe ilmenee useita kertoja. Lisää yhteydenottoosi alla olevat tekniset tiedot.", - "For information how to properly configure your server, please see the documentation." : "Lisätietoja palvelimen oikeaoppiseen määritykseen on saatavilla dokumentaatiossa.", - "Log out" : "Kirjaudu ulos", - "This action requires you to confirm your password:" : "Tämä toiminto vaati vahvistuksen salasanallasi:", - "Wrong password. Reset it?" : "Väärä salasana. Haluatko palauttaa salasanan?", - "Use the following link to reset your password: {link}" : "Voit palauttaa salasanasi seuraavassa osoitteessa: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hei,

%s jakoi kanssasi kohteen %s.
Tutustu siihen!

", - "This Nextcloud instance is currently in single user mode." : "Tämä Nextcloud-asennus on parhaillaan single user -tilassa.", - "This means only administrators can use the instance." : "Se tarkoittaa, että vain ylläpitäjät voivat nyt käyttää tätä sivustoa.", - "You are accessing the server from an untrusted domain." : "Olet yhteydessä palvelimeen epäluotettavasta verkko-osoitteesta.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Ota yhteys ylläpitoon. Jos olet tämän asennuksen ylläpitäjä, määritä \"trusted_domains\"-asetus config/config.php-tiedostossa. Esimerkkimääritys on tarjolla tiedostossa config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Riippuen määrityksistä, ylläpitäjänä saatat pystyä alla olevalla painikkeella lisäämään tämän verkkotunnuksen luotetuksi.", - "Please use the command line updater because you have a big instance." : "Käytä komentorivipäivitintä, koska käyttämäsi Nextcloud on sen verran suuri.", - "For help, see the documentation." : "Apua saat dokumentaatiosta.", - "There was an error loading your contacts" : "Virhe yhteystietojasi ladatessa", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktio \"set_time_limit\" ei ole saatavilla. Tämä saattaa johtaa siihen, että skriptien suoritus jää puolitiehen, ja seurauksena on Nextcloud-asennuksen rikkoutuminen. Suosittelemme ottamaan kyseisen funktion käyttöön.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", - "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP:ssäsi ei ole freetype-tukea. Tämä johtaa rikkinäisiin profiilikuviin ja rikkinäiseen asetuskäyttöliittymään." + "Thank you for your patience." : "Kiitos kärsivällisyydestäsi." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/fi.json b/core/l10n/fi.json index 472efa6c03855..3c5f824532bb5 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -285,69 +285,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Tämä %s-instanssi on parhaillaan huoltotilassa, huollossa saattaa kestää hetki.", "This page will refresh itself when the %s instance is available again." : "Tämä sivu päivittää itsensä, kun %s on jälleen käytettävissä.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", - "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", - "%s (3rdparty)" : "%s (kolmannen osapuolen)", - "Problem loading page, reloading in 5 seconds" : "Ongelma sivun lataamisessa, päivitetään 5 sekunnin kuluttua", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Tiedostosi on salattu. Jos et ole ottanut käyttöön palautusavainta, tietojasi ei ole mahdollista palauttaa salasanan nollaamisen jälkeen.
Jos et ole varma mitä tehdä, ota yhteys ylläpitäjään.
Haluatko varmasti jatkaa?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "HTTP-palvelinta ei ole määritetty oikein tiedostojen synkronointia varten, koska WebDAV-liittymä vaikuttaa olevan rikki.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "HTTP-palvelinta ei ole määritelty oikein tunnistamaan osoitetta \"{url}\". Lisätietoja on ohjeissamme.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Tällä palvelimella ei ole toimivaa Internet-yhteyttä: useisiin palvelimiin ei saatu yhteyttä. Sen seurauksena jotkin ominaisuudet, kuten ulkoinen tallennustila, ilmoitukset päivityksistä tai kolmansien osapuolten sovellusten asennus, eivät tule toimimaan. Tiedostojen etäkäyttö tai ilmoitusten lähetys sähköpostitse eivät välttämättä myöskään toimi. Ehdotamme Internet-yhteyden lisäämistä tälle palvelimelle, jos haluat käyttää kaikkia ominaisuuksia.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Välimuistia ei ole määritelty. Suorituskykyä parantaaksesi, määrittele memcache, jos käytettävissä. Lisätietoja on ohjeissamme.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom ei ole PHP:n luettavissa, mitä ei voi suositella tietoturvasyistä. Lisätietoja on ohjeissamme.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Sinulla on käytössä PHP {version}. Suosittelemme päivittämään PHP-versiosi saadaksesi PHP Group:n suorituskyky ja tietoturvapäivityksiä niin pian kuin jakelusi sitä tukee.", - "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 memcached wiki about both modules." : "Memcached on määritelty hajautetuksi välimuistiksi, mutta väärä PHP-moduuli \"memcache\" on asennettu. \\OC\\Memcache\\Memcached tukee vain moduulia \"memcached\", mutta ei moduulia \"memcache\". Katso memcached wikiä molemmista moduleista.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Jotkin tiedostot eivät ole läpäisseet eheystarkistusta. Lisätietoa ongelman korjaamiseksi on ohjeissamme. (Listaa virheelliset tiedostot… / Uudelleen skannaa…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", - "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-otsaketta \"{header}\" ei ole määritetty vastaamaan arvoa \"{expected}\". Kyseessä on mahdollinen tietoturvaan tai -suojaan liittyvä riski, joten suosittelemme muuttamaan asetuksen arvoa.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP-otsaketta \"Strict-Transport-Security\" ei ole määritelty vähintään \"{seconds}\" sekuntiin. Paremman tietoturvan vuoksi suosittelemme määrittelemään HSTS:n, kuten tietoturvavinkeissämme neuvotaan.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Käytät sivustoa HTTP-yhteydellä. Suosittelemme asettamaan palvelimen vaatimaan HTTPS-yhteyden, kuten tietoturvavinkeissämme neuvotaan.", - "Shared with {recipients}" : "Jaettu henkilöiden {recipients} kanssa", - "Error while unsharing" : "Virhe jakoa peruttaessa", - "can reshare" : "voi uudelleenjakaa", - "can edit" : "voi muokata", - "can create" : "voi luoda", - "can change" : "voi vaihtaa", - "can delete" : "voi poistaa", - "access control" : "pääsynhallinta", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Jaa toisia Nextcloud-järjestelmiä käyttäville Federated Cloud ID -tunnuksella muodossa käyttäjätunnus@example.com/nextcloud", - "Share with users or by mail..." : "Jaa käyttäjille tai sähköpostilla...", - "Share with users or remote users..." : "Jaa käyttäjille tai etäkäyttäjille...", - "Share with users, remote users or by mail..." : "Jaa käyttäjille, etäkäyttäjille tai sähköpostilla...", - "Share with users or groups..." : "Jaa käyttäjille tai ryhmille...", - "Share with users, groups or by mail..." : "Jaa käyttäjille, ryhmille tai sähköpostilla...", - "Share with users, groups or remote users..." : "Jaa käyttäjille, ryhmille tai etäkäyttäjille...", - "Share with users, groups, remote users or by mail..." : "Jaa käyttäjille, ryhmille, etäkäyttäjille tai sähköpostilla...", - "Share with users..." : "Jaa käyttäjille...", - "The object type is not specified." : "Objektin tyyppiä ei ole määritelty.", - "Enter new" : "Kirjoita uusi", - "Add" : "Lisää", - "Edit tags" : "Muokkaa tunnisteita", - "Error loading dialog template: {error}" : "Virhe ladatessa lomakepohjaa: {error}", - "No tags selected for deletion." : "Tunnisteita ei valittu poistettavaksi.", - "The update was successful. Redirecting you to Nextcloud now." : "Päivitys onnistui. Sinut ohjataan nyt Nextcloudiin.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hei,\n\n%s jakoi kohteen %s kanssasi.\nTutustu siihen: %s\n\n", - "The share will expire on %s." : "Jakaminen päättyy %s.", - "Cheers!" : "Kiitos!", - "The server encountered an internal error and was unable to complete your request." : "Palvelin kohtasi sisäisen virheen, eikä pystynyt viimeistelmään pyyntöäsi.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Ota yhteys palvelimen ylläpitäjään, jos tämä virhe ilmenee useita kertoja. Lisää yhteydenottoosi alla olevat tekniset tiedot.", - "For information how to properly configure your server, please see the documentation." : "Lisätietoja palvelimen oikeaoppiseen määritykseen on saatavilla dokumentaatiossa.", - "Log out" : "Kirjaudu ulos", - "This action requires you to confirm your password:" : "Tämä toiminto vaati vahvistuksen salasanallasi:", - "Wrong password. Reset it?" : "Väärä salasana. Haluatko palauttaa salasanan?", - "Use the following link to reset your password: {link}" : "Voit palauttaa salasanasi seuraavassa osoitteessa: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hei,

%s jakoi kanssasi kohteen %s.
Tutustu siihen!

", - "This Nextcloud instance is currently in single user mode." : "Tämä Nextcloud-asennus on parhaillaan single user -tilassa.", - "This means only administrators can use the instance." : "Se tarkoittaa, että vain ylläpitäjät voivat nyt käyttää tätä sivustoa.", - "You are accessing the server from an untrusted domain." : "Olet yhteydessä palvelimeen epäluotettavasta verkko-osoitteesta.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Ota yhteys ylläpitoon. Jos olet tämän asennuksen ylläpitäjä, määritä \"trusted_domains\"-asetus config/config.php-tiedostossa. Esimerkkimääritys on tarjolla tiedostossa config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Riippuen määrityksistä, ylläpitäjänä saatat pystyä alla olevalla painikkeella lisäämään tämän verkkotunnuksen luotetuksi.", - "Please use the command line updater because you have a big instance." : "Käytä komentorivipäivitintä, koska käyttämäsi Nextcloud on sen verran suuri.", - "For help, see the documentation." : "Apua saat dokumentaatiosta.", - "There was an error loading your contacts" : "Virhe yhteystietojasi ladatessa", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funktio \"set_time_limit\" ei ole saatavilla. Tämä saattaa johtaa siihen, että skriptien suoritus jää puolitiehen, ja seurauksena on Nextcloud-asennuksen rikkoutuminen. Suosittelemme ottamaan kyseisen funktion käyttöön.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Data-hakemistosi ja tiedostosi ovat luultavasti käytettävissä suoraan Internetistä. .htaccess-tiedosto ei toimi oikein. Suosittelemme määrittämään HTTP-palvelimen asetukset siten, ettei data-hakemisto ole suoraan käytettävissä Internetistä tai siirtämään data-hakemiston HTTP-palvelimen juurihakemiston ulkopuolelle.", - "You are about to grant \"%s\" access to your %s account." : "Olet antamassa \"%s\" pääsyn %s tilillesi.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP:ssäsi ei ole freetype-tukea. Tämä johtaa rikkinäisiin profiilikuviin ja rikkinäiseen asetuskäyttöliittymään." + "Thank you for your patience." : "Kiitos kärsivällisyydestäsi." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/fr.js b/core/l10n/fr.js index 3d867e912ae12..6d67e58d5ad3b 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Cette instance de %s est en cours de maintenance, cela peut prendre du temps.", "This page will refresh itself when the %s instance is available again." : "Cette page se rafraîchira d'elle-même lorsque l'instance %s sera à nouveau disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Veuillez contacter votre administrateur système si ce message persiste ou apparaît de façon inattendue.", - "Thank you for your patience." : "Merci de votre patience.", - "%s (3rdparty)" : "%s (origine tierce)", - "Problem loading page, reloading in 5 seconds" : "Problème de chargement de la page, actualisation dans 5 secondes", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vos fichiers sont chiffrés. Si vous n'avez pas activé la clé de récupération, il n'y aura aucun moyen de récupérer vos données une fois le mot de passe réinitialisé.
Si vous n'êtes pas sûr de ce que vous faites, veuillez contacter votre administrateur avant de continuer.
Voulez-vous vraiment continuer ?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Votre serveur web n'est pas correctement configuré pour la synchronisation de fichiers : l'interface WebDAV semble ne pas fonctionner.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "La configuration du serveur web ne permet pas d'atteindre \"{url}\". Consultez la documentation pour avoir plus d'informations à ce sujet.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Ce serveur ne peut se connecter à Internet : plusieurs point finaux ne peuvent être atteints. Cela signifie que certaines fonctionnalités, telles que le montage de supports de stockage distants, les notifications de mises à jour ou l'installation d'applications tierces ne fonctionneront pas. L'accès aux fichiers à distance, ainsi que l'envoi de notifications par mail peuvent aussi être indisponibles. Il est recommandé d'activer la connexion internet pour ce serveur si vous souhaitez disposer de l'ensemble des fonctionnalités offertes.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Aucun cache mémoire n'est configuré. Si possible, configurez un \"memcache\" pour améliorer les performances. Pour plus d'informations consultez la documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom n'est pas lisible par PHP, ce qui est fortement déconseillé pour des raisons de sécurité. Consultez la documentation pour avoir plus d'informations à ce sujet.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Vous utilisez actuellement PHP {version}. Nous vous encourageons à mettre à jour votre version de PHP afin de tirer avantage des améliorations liées à la performance et la sécurité fournies par le PHP Group, dès que votre distribution le supportera.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuration des entêtes du proxy inverse est incorrecte, ou vous accédez à Nextcloud depuis un proxy de confiance. Si vous n'êtes pas en train d’accéder à Nextcloud depuis un proxy de confiance, ceci est un problème de sécurité qui peut permettre à un attaquant d'usurper l'adresse IP affichée à Nextcloud. Consultez la documentation pour avoir plus d'informations à ce sujet.", - "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 memcached wiki about both modules." : "\"memcached\" est configuré comme cache distribué, mais le mauvais module PHP est installé. \\OC\\Memcache\\Memcached ne prend en charge que \"memcached\" et non \"memcache\". Consulter le wiki de memcached à propos de ces deux modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Relancer…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", - "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." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\" créant potentiellement un risque relié à la sécurité et à la vie privée. Il est recommandé d'ajuster ce paramètre.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "L'en-tête HTTP \"Strict-Transport-Security\" n'est pas configurée à au moins \"{seconds}\" secondes. Pour renforcer la sécurité nous recommandons d'activer HSTS comme décrit dans nos conseils de sécurisation.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Vous accédez à ce site via HTTP. Nous vous recommandons fortement de configurer votre serveur pour forcer l'utilisation de HTTPS, comme expliqué dans nos conseils de sécurisation.", - "Shared with {recipients}" : "Partagé avec {recipients}", - "Error while unsharing" : "Erreur lors de l'annulation du partage", - "can reshare" : "peut repartager", - "can edit" : "peut modifier", - "can create" : "Peut créer", - "can change" : "Peut modifier", - "can delete" : "Peut effacer", - "access control" : "contrôle d'accès", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partager avec des personnes sur d'autres serveurs en utilisant leur identifiant du Cloud Fédéré (utilisateur@exemple.com/nextcloud)", - "Share with users or by mail..." : "Partager avec des utilisateurs ou par courriel…", - "Share with users or remote users..." : "Partager avec des utilisateurs ou des utilisateurs distants...", - "Share with users, remote users or by mail..." : "Partager avec des utilisateurs, des utilisateurs distants ou par courriel…", - "Share with users or groups..." : "Partager avec des utilisateurs ou des groupes...", - "Share with users, groups or by mail..." : "Partager avec des utilisateurs, des groupes ou par courriel…", - "Share with users, groups or remote users..." : "Partager avec des utilisateurs, groupes ou utilisateurs distants...", - "Share with users, groups, remote users or by mail..." : "Partager avec des utilisateurs, des groupes, des utilisateurs distants ou par courriel…", - "Share with users..." : "Partager avec des utilisateurs...", - "The object type is not specified." : "Le type d'objet n'est pas spécifié.", - "Enter new" : "Nouvelle étiquette", - "Add" : "Ajouter", - "Edit tags" : "Modifier les étiquettes", - "Error loading dialog template: {error}" : "Erreur lors du chargement du modèle de dialogue : {error}", - "No tags selected for deletion." : "Aucune étiquette sélectionnée pour la suppression.", - "The update was successful. Redirecting you to Nextcloud now." : "La mise à jour est terminée. Vous allez être redirigé vers Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Bonjour,\n\nNous vous informons que %s a partagé %s avec vous.\nVous pouvez y accéder à l'adresse suivante : %s\n", - "The share will expire on %s." : "Le partage expirera le %s.", - "Cheers!" : "À bientôt !", - "The server encountered an internal error and was unable to complete your request." : "Le serveur a rencontré une erreur interne et est incapable d'exécuter votre requête.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Veuillez contacter l'administrateur du serveur si cette erreur apparaît plusieurs fois. Veuillez joindre les détails techniques à votre rapport.", - "For information how to properly configure your server, please see the documentation." : "Pour les informations de configuration de votre serveur, veuillez lire la documentation.", - "Log out" : "Se déconnecter", - "This action requires you to confirm your password:" : "Cette action nécessite que vous confirmiez votre mot de passe :", - "Wrong password. Reset it?" : "Mot de passe incorrect. Réinitialiser ?", - "Use the following link to reset your password: {link}" : "Utilisez le lien suivant pour réinitialiser votre mot de passe : {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Bonjour,

Nous vous informons que %s a partagé %s avec vous.
Cliquez ici pour y accéder !

", - "This Nextcloud instance is currently in single user mode." : "Cette instance de Nextcloud est actuellement en mode utilisateur unique.", - "This means only administrators can use the instance." : "Cela signifie que seuls les administrateurs peuvent utiliser l'instance.", - "You are accessing the server from an untrusted domain." : "Vous accédez au serveur à partir d'un domaine non approuvé.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Veuillez contacter votre administrateur. Si vous être l'administrateur de cette instance, configurez la variable \"trusted_domains\" dans le fichier config/config.php. Un exemple de configuration est fournit dans le fichier config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En fonction de votre configuration, en tant qu'administrateur vous pouvez également utiliser le bouton ci-dessous pour approuver ce domaine.", - "Please use the command line updater because you have a big instance." : "Veuillez utiliser la mise à jour en ligne de commande car votre instance est volumineuse.", - "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation.", - "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", - "You are about to grant \"%s\" access to your %s account." : "Vous êtes sur le point d'accorder à \"%s\" l'accès à votre compte \"%s\".", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre PHP ne prend pas en charge freetype. Cela va casser les images de profil et l'interface des paramètres." + "Thank you for your patience." : "Merci de votre patience." }, "nplurals=2; plural=(n > 1);"); diff --git a/core/l10n/fr.json b/core/l10n/fr.json index cc46033816192..3aed99f30c680 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Cette instance de %s est en cours de maintenance, cela peut prendre du temps.", "This page will refresh itself when the %s instance is available again." : "Cette page se rafraîchira d'elle-même lorsque l'instance %s sera à nouveau disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Veuillez contacter votre administrateur système si ce message persiste ou apparaît de façon inattendue.", - "Thank you for your patience." : "Merci de votre patience.", - "%s (3rdparty)" : "%s (origine tierce)", - "Problem loading page, reloading in 5 seconds" : "Problème de chargement de la page, actualisation dans 5 secondes", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Vos fichiers sont chiffrés. Si vous n'avez pas activé la clé de récupération, il n'y aura aucun moyen de récupérer vos données une fois le mot de passe réinitialisé.
Si vous n'êtes pas sûr de ce que vous faites, veuillez contacter votre administrateur avant de continuer.
Voulez-vous vraiment continuer ?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Votre serveur web n'est pas correctement configuré pour la synchronisation de fichiers : l'interface WebDAV semble ne pas fonctionner.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "La configuration du serveur web ne permet pas d'atteindre \"{url}\". Consultez la documentation pour avoir plus d'informations à ce sujet.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Ce serveur ne peut se connecter à Internet : plusieurs point finaux ne peuvent être atteints. Cela signifie que certaines fonctionnalités, telles que le montage de supports de stockage distants, les notifications de mises à jour ou l'installation d'applications tierces ne fonctionneront pas. L'accès aux fichiers à distance, ainsi que l'envoi de notifications par mail peuvent aussi être indisponibles. Il est recommandé d'activer la connexion internet pour ce serveur si vous souhaitez disposer de l'ensemble des fonctionnalités offertes.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Aucun cache mémoire n'est configuré. Si possible, configurez un \"memcache\" pour améliorer les performances. Pour plus d'informations consultez la documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom n'est pas lisible par PHP, ce qui est fortement déconseillé pour des raisons de sécurité. Consultez la documentation pour avoir plus d'informations à ce sujet.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Vous utilisez actuellement PHP {version}. Nous vous encourageons à mettre à jour votre version de PHP afin de tirer avantage des améliorations liées à la performance et la sécurité fournies par le PHP Group, dès que votre distribution le supportera.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuration des entêtes du proxy inverse est incorrecte, ou vous accédez à Nextcloud depuis un proxy de confiance. Si vous n'êtes pas en train d’accéder à Nextcloud depuis un proxy de confiance, ceci est un problème de sécurité qui peut permettre à un attaquant d'usurper l'adresse IP affichée à Nextcloud. Consultez la documentation pour avoir plus d'informations à ce sujet.", - "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 memcached wiki about both modules." : "\"memcached\" est configuré comme cache distribué, mais le mauvais module PHP est installé. \\OC\\Memcache\\Memcached ne prend en charge que \"memcached\" et non \"memcache\". Consulter le wiki de memcached à propos de ces deux modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Relancer…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", - "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." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\" créant potentiellement un risque relié à la sécurité et à la vie privée. Il est recommandé d'ajuster ce paramètre.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "L'en-tête HTTP \"Strict-Transport-Security\" n'est pas configurée à au moins \"{seconds}\" secondes. Pour renforcer la sécurité nous recommandons d'activer HSTS comme décrit dans nos conseils de sécurisation.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Vous accédez à ce site via HTTP. Nous vous recommandons fortement de configurer votre serveur pour forcer l'utilisation de HTTPS, comme expliqué dans nos conseils de sécurisation.", - "Shared with {recipients}" : "Partagé avec {recipients}", - "Error while unsharing" : "Erreur lors de l'annulation du partage", - "can reshare" : "peut repartager", - "can edit" : "peut modifier", - "can create" : "Peut créer", - "can change" : "Peut modifier", - "can delete" : "Peut effacer", - "access control" : "contrôle d'accès", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partager avec des personnes sur d'autres serveurs en utilisant leur identifiant du Cloud Fédéré (utilisateur@exemple.com/nextcloud)", - "Share with users or by mail..." : "Partager avec des utilisateurs ou par courriel…", - "Share with users or remote users..." : "Partager avec des utilisateurs ou des utilisateurs distants...", - "Share with users, remote users or by mail..." : "Partager avec des utilisateurs, des utilisateurs distants ou par courriel…", - "Share with users or groups..." : "Partager avec des utilisateurs ou des groupes...", - "Share with users, groups or by mail..." : "Partager avec des utilisateurs, des groupes ou par courriel…", - "Share with users, groups or remote users..." : "Partager avec des utilisateurs, groupes ou utilisateurs distants...", - "Share with users, groups, remote users or by mail..." : "Partager avec des utilisateurs, des groupes, des utilisateurs distants ou par courriel…", - "Share with users..." : "Partager avec des utilisateurs...", - "The object type is not specified." : "Le type d'objet n'est pas spécifié.", - "Enter new" : "Nouvelle étiquette", - "Add" : "Ajouter", - "Edit tags" : "Modifier les étiquettes", - "Error loading dialog template: {error}" : "Erreur lors du chargement du modèle de dialogue : {error}", - "No tags selected for deletion." : "Aucune étiquette sélectionnée pour la suppression.", - "The update was successful. Redirecting you to Nextcloud now." : "La mise à jour est terminée. Vous allez être redirigé vers Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Bonjour,\n\nNous vous informons que %s a partagé %s avec vous.\nVous pouvez y accéder à l'adresse suivante : %s\n", - "The share will expire on %s." : "Le partage expirera le %s.", - "Cheers!" : "À bientôt !", - "The server encountered an internal error and was unable to complete your request." : "Le serveur a rencontré une erreur interne et est incapable d'exécuter votre requête.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Veuillez contacter l'administrateur du serveur si cette erreur apparaît plusieurs fois. Veuillez joindre les détails techniques à votre rapport.", - "For information how to properly configure your server, please see the documentation." : "Pour les informations de configuration de votre serveur, veuillez lire la documentation.", - "Log out" : "Se déconnecter", - "This action requires you to confirm your password:" : "Cette action nécessite que vous confirmiez votre mot de passe :", - "Wrong password. Reset it?" : "Mot de passe incorrect. Réinitialiser ?", - "Use the following link to reset your password: {link}" : "Utilisez le lien suivant pour réinitialiser votre mot de passe : {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Bonjour,

Nous vous informons que %s a partagé %s avec vous.
Cliquez ici pour y accéder !

", - "This Nextcloud instance is currently in single user mode." : "Cette instance de Nextcloud est actuellement en mode utilisateur unique.", - "This means only administrators can use the instance." : "Cela signifie que seuls les administrateurs peuvent utiliser l'instance.", - "You are accessing the server from an untrusted domain." : "Vous accédez au serveur à partir d'un domaine non approuvé.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Veuillez contacter votre administrateur. Si vous être l'administrateur de cette instance, configurez la variable \"trusted_domains\" dans le fichier config/config.php. Un exemple de configuration est fournit dans le fichier config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En fonction de votre configuration, en tant qu'administrateur vous pouvez également utiliser le bouton ci-dessous pour approuver ce domaine.", - "Please use the command line updater because you have a big instance." : "Veuillez utiliser la mise à jour en ligne de commande car votre instance est volumineuse.", - "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation.", - "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", - "You are about to grant \"%s\" access to your %s account." : "Vous êtes sur le point d'accorder à \"%s\" l'accès à votre compte \"%s\".", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre PHP ne prend pas en charge freetype. Cela va casser les images de profil et l'interface des paramètres." + "Thank you for your patience." : "Merci de votre patience." },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/core/l10n/hu.js b/core/l10n/hu.js index 8ae6d324844ba..89c9970a9ed4a 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Ez a %s folyamat éppen karbantartó üzemmódban van, ami eltarthat egy darabig.", "This page will refresh itself when the %s instance is available again." : "Ez az oldal frissíteni fogja magát amint a(z) %s példány ismét elérhető.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ha ez az üzenet ismételten vagy indokolatlanul megjelenik, akkor keresse fel a rendszergazdáját!", - "Thank you for your patience." : "Köszönjük a türelmét!", - "%s (3rdparty)" : "%s (harmadik fél által)", - "Problem loading page, reloading in 5 seconds" : "Probléma adódott az oldal betöltése közben, újratöltés 5 másodpercen belül", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Az Ön fájljai titkosítva vannak. Ha nem engedélyezte korábban az adatok visszanyeréséhez szükséges kulcs használatát, akkor a jelszó megváltoztatását követően nem fog hozzáférni az adataihoz. Ha nem biztos abban, hogy mit kellene tennie, akkor kérdezze meg a rendszergazdát, mielőtt továbbmenne.
Biztos, hogy folytatni kívánja?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "A webszerver nincs megfelelően beállítva a fájl szinkronizációhoz, mert a WebDAV interfész nem működik.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "A webszerver nincs jól beállítva, hogy kiszolgálja a(z) „{url}” hivatkozást. Bővebb információt a dokumentációban találhat.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Ennek a szervernek nincs működő internet kapcsolata: több végpont nem érhető el. Ez azt jelenti, hogy néhány funkció, mint pl. külső tárolók csatolása, frissítési értesítések, vagy a harmadik féltől származó alkalmazások telepítése nem fog működni. A fájlok távoli elérése és az e-mail értesítések is lehet, hogy nem működnek. Ajánlott az internet kapcsolat engedélyezése a szerveren, ha minden funkciót használni szeretnél.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nincs memória gyorsítótár beállítva. A teljesítmény növelése érdekében kérjük állítsa be a memcache-t, ha elérhető. Bővebb információt a dokumentációban találhat.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom nem olvasható a PHP számára, mely nagy biztonsági probléma. Bővebb információt a dokumentációban találhat.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Jelenleg {version} PHP verziót használ. Javasoljuk, hogy frissítse a PHP verziót, hogy kihasználhassa a teljesítménybeli és a biztonságbeli előnyöket, amiket a PHP csoport kínál, amilyen hamar a disztribúciója támogatja.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "A fordított proxy fejlécek konfigurációs beállításai helytelenek, vagy egy megbízható proxy-ból próbálod a Nextcloudot elérni. Ha nem megbízható proxy-ból próbálod elérni az Nextcloudot, akkor ez egy biztonsági probléma, a támadó az Nextcloud számára látható IP cím csalást tud végrehajtani. Bővebb információt a dokumentációban találhatsz.", - "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 memcached wiki about both modules." : "Memcached be van konfigurálva gyorsítótárnak, de rossz \"memcache\" PHP modul van telepítve. \\OC\\Memcache\\Memcached csak a \"memcached\"-t támogatja, és nem a \"memcache\"-t. Kérjük, nézze meg a memcached wiki oldalt a modulokkal kapcsolatban.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Néhány fájl nem felelt meg az integritás ellenőrzésen. Bővebb információt a dokumentációban találhat. (Érvénytelen fájlok listája… / Újra ellenőrzés…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adat könyvtár és a fájlok valószínűleg elérhetőek az internetről, mert a .htaccess fájl nem működik. Erősen ajánlott, hogy úgy állítsd be a webszervert, hogy az adatkönyvtár ne legyen elérhető az internetről, vagy helyezd át az adatokat a webszerver gyökérkönyvtárából.", - "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." : "A \"{header}\" HTTP fejléc nincs beállítva, hogy megegyezzen az elvárttal \"{expected}\". Ez egy potenciális biztonsági kockázat és kérjük, hogy változtassa meg a beállításokat.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "A \"Strict-Transport-Security\" HTTP fejléc nincs beállítva hogy \"{seconds}\" másodpercig tartson. Biztonsági okokból ajánljuk, hogy engedélyezze a HSTS, ahogyan ezt részletezzük a biztonsági tippek dokumentációban.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Jelenleg HTTP-vel éri el a weboldalt. Erősen ajánlott a HTTPS konfiguráció használata ehelyett, ahogyan ezt részleteztük a biztonsági tippek dokumentációban", - "Shared with {recipients}" : "Megosztva ővelük: {recipients}", - "Error while unsharing" : "Nem sikerült visszavonni a megosztást", - "can reshare" : "újra megoszthatja", - "can edit" : "szerkesztheti", - "can create" : "létrehozhat", - "can change" : "módosíthat", - "can delete" : "törölhet", - "access control" : "jogosultság", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Megosztás más szervert használó emberekkel, az Egyesített Felhő Azonosítóval: username@example.com/nextcloud", - "Share with users or by mail..." : "Megosztás felhasználókkal e-mailben...", - "Share with users or remote users..." : "Megosztás helyi vagy távoli felhasználókkal...", - "Share with users, remote users or by mail..." : "Megosztás helyi vagy távoli felhasználókkal e-mailben...", - "Share with users or groups..." : "Megosztás felhasználókkal vagy csoportokkal...", - "Share with users, groups or by mail..." : "Megosztás felhasználókkal vagy csoportokkal e-mailben...", - "Share with users, groups or remote users..." : "Megosztás felhasználókkal, csoportokkal távoli felhasználókkal...", - "Share with users, groups, remote users or by mail..." : "Megosztás felhasználókkal, csoportokkal távoli felhasználókkal e-mailben...", - "Share with users..." : "Megosztás felhasználókkal...", - "The object type is not specified." : "Az objektum típusa nincs megadva.", - "Enter new" : "Új beírása", - "Add" : "Hozzáadás", - "Edit tags" : "Címkék szerkesztése", - "Error loading dialog template: {error}" : "Hiba a párbeszédpanel-sablon betöltésekor: {error}", - "No tags selected for deletion." : "Nincs törlésre kijelölt címke.", - "The update was successful. Redirecting you to Nextcloud now." : "A frissítés sikeres volt. Most átirányítunk a Nextcloudhoz.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Üdv!\n\nÉrtesítünk, hogy %s megosztotta veled a következőt: %s.\nItt nézheted meg: %s\n\n", - "The share will expire on %s." : "A megosztás lejár ekkor: %s.", - "Cheers!" : "Üdv.", - "The server encountered an internal error and was unable to complete your request." : "A szerver belső hibával találkozott és nem tudja teljesíteni a kérést.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kérjük keresse fel a szerver rendszergazdáját, ha ez a hiba ismételten, többször előfordulna. Kérjük, mellékelje a technikai részleteket a lenti jelentésbe.", - "For information how to properly configure your server, please see the documentation." : "A szerver megfelelő beállításához kérjük olvassa el a dokumentációt.", - "Log out" : "Kijelentkezés", - "This action requires you to confirm your password:" : "A művelethez szükség van a jelszavad megerősítésére:", - "Wrong password. Reset it?" : "Hibás jelszó. Visszaállítja?", - "Use the following link to reset your password: {link}" : "Használja ezt a hivatkozást a jelszó ismételt beállításához: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Üdv!

\n\nÉrtesítünk, hogy %s megosztotta veled a következőt: %s
\nItt nézheted meg.

", - "This Nextcloud instance is currently in single user mode." : "Ez az Nextcloud szolgáltatás jelenleg egyfelhasználós üzemmódban működik.", - "This means only administrators can use the instance." : "Ez azt jelenti, hogy csak az adminisztrátor használhatja ezt a példányt", - "You are accessing the server from an untrusted domain." : "A szervert nem megbízható domain névvel éri el.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kérjük keresse fel a rendszergazdát! Ha ennek a telepítésnek Ön a rendszergazdája, akkor állítsa be a config/config.php fájlban a \"trusted_domain\" paramétert! A config/config.sample.php fájlban talál példát a beállításra.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "A beállításoktól függően, rendszergazdaként lehetséges, hogy az alábbi gombot is használhatja a domain név megbízhatóvá tételéhez.", - "Please use the command line updater because you have a big instance." : "Kérjük, a frissítéshez a parancssort használja, mert nagyobb frissítést készül telepíteni.", - "For help, see the documentation." : "Segítségért keresse fel a dokumentációt.", - "There was an error loading your contacts" : "Probléma lépett fel a névjegyek betöltése közben", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítmény érdekében használd az alábbi beállításokat a php.ini-ben:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\" hozzáférést készülsz adni a(z) %s fiókodnak.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "A PHP-ból hiányzik a freetype támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja." + "Thank you for your patience." : "Köszönjük a türelmét!" }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/hu.json b/core/l10n/hu.json index 96892931c7ae4..5bf2ce443d0f7 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Ez a %s folyamat éppen karbantartó üzemmódban van, ami eltarthat egy darabig.", "This page will refresh itself when the %s instance is available again." : "Ez az oldal frissíteni fogja magát amint a(z) %s példány ismét elérhető.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ha ez az üzenet ismételten vagy indokolatlanul megjelenik, akkor keresse fel a rendszergazdáját!", - "Thank you for your patience." : "Köszönjük a türelmét!", - "%s (3rdparty)" : "%s (harmadik fél által)", - "Problem loading page, reloading in 5 seconds" : "Probléma adódott az oldal betöltése közben, újratöltés 5 másodpercen belül", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Az Ön fájljai titkosítva vannak. Ha nem engedélyezte korábban az adatok visszanyeréséhez szükséges kulcs használatát, akkor a jelszó megváltoztatását követően nem fog hozzáférni az adataihoz. Ha nem biztos abban, hogy mit kellene tennie, akkor kérdezze meg a rendszergazdát, mielőtt továbbmenne.
Biztos, hogy folytatni kívánja?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "A webszerver nincs megfelelően beállítva a fájl szinkronizációhoz, mert a WebDAV interfész nem működik.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "A webszerver nincs jól beállítva, hogy kiszolgálja a(z) „{url}” hivatkozást. Bővebb információt a dokumentációban találhat.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Ennek a szervernek nincs működő internet kapcsolata: több végpont nem érhető el. Ez azt jelenti, hogy néhány funkció, mint pl. külső tárolók csatolása, frissítési értesítések, vagy a harmadik féltől származó alkalmazások telepítése nem fog működni. A fájlok távoli elérése és az e-mail értesítések is lehet, hogy nem működnek. Ajánlott az internet kapcsolat engedélyezése a szerveren, ha minden funkciót használni szeretnél.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nincs memória gyorsítótár beállítva. A teljesítmény növelése érdekében kérjük állítsa be a memcache-t, ha elérhető. Bővebb információt a dokumentációban találhat.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom nem olvasható a PHP számára, mely nagy biztonsági probléma. Bővebb információt a dokumentációban találhat.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Jelenleg {version} PHP verziót használ. Javasoljuk, hogy frissítse a PHP verziót, hogy kihasználhassa a teljesítménybeli és a biztonságbeli előnyöket, amiket a PHP csoport kínál, amilyen hamar a disztribúciója támogatja.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "A fordított proxy fejlécek konfigurációs beállításai helytelenek, vagy egy megbízható proxy-ból próbálod a Nextcloudot elérni. Ha nem megbízható proxy-ból próbálod elérni az Nextcloudot, akkor ez egy biztonsági probléma, a támadó az Nextcloud számára látható IP cím csalást tud végrehajtani. Bővebb információt a dokumentációban találhatsz.", - "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 memcached wiki about both modules." : "Memcached be van konfigurálva gyorsítótárnak, de rossz \"memcache\" PHP modul van telepítve. \\OC\\Memcache\\Memcached csak a \"memcached\"-t támogatja, és nem a \"memcache\"-t. Kérjük, nézze meg a memcached wiki oldalt a modulokkal kapcsolatban.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Néhány fájl nem felelt meg az integritás ellenőrzésen. Bővebb információt a dokumentációban találhat. (Érvénytelen fájlok listája… / Újra ellenőrzés…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adat könyvtár és a fájlok valószínűleg elérhetőek az internetről, mert a .htaccess fájl nem működik. Erősen ajánlott, hogy úgy állítsd be a webszervert, hogy az adatkönyvtár ne legyen elérhető az internetről, vagy helyezd át az adatokat a webszerver gyökérkönyvtárából.", - "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." : "A \"{header}\" HTTP fejléc nincs beállítva, hogy megegyezzen az elvárttal \"{expected}\". Ez egy potenciális biztonsági kockázat és kérjük, hogy változtassa meg a beállításokat.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "A \"Strict-Transport-Security\" HTTP fejléc nincs beállítva hogy \"{seconds}\" másodpercig tartson. Biztonsági okokból ajánljuk, hogy engedélyezze a HSTS, ahogyan ezt részletezzük a biztonsági tippek dokumentációban.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Jelenleg HTTP-vel éri el a weboldalt. Erősen ajánlott a HTTPS konfiguráció használata ehelyett, ahogyan ezt részleteztük a biztonsági tippek dokumentációban", - "Shared with {recipients}" : "Megosztva ővelük: {recipients}", - "Error while unsharing" : "Nem sikerült visszavonni a megosztást", - "can reshare" : "újra megoszthatja", - "can edit" : "szerkesztheti", - "can create" : "létrehozhat", - "can change" : "módosíthat", - "can delete" : "törölhet", - "access control" : "jogosultság", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Megosztás más szervert használó emberekkel, az Egyesített Felhő Azonosítóval: username@example.com/nextcloud", - "Share with users or by mail..." : "Megosztás felhasználókkal e-mailben...", - "Share with users or remote users..." : "Megosztás helyi vagy távoli felhasználókkal...", - "Share with users, remote users or by mail..." : "Megosztás helyi vagy távoli felhasználókkal e-mailben...", - "Share with users or groups..." : "Megosztás felhasználókkal vagy csoportokkal...", - "Share with users, groups or by mail..." : "Megosztás felhasználókkal vagy csoportokkal e-mailben...", - "Share with users, groups or remote users..." : "Megosztás felhasználókkal, csoportokkal távoli felhasználókkal...", - "Share with users, groups, remote users or by mail..." : "Megosztás felhasználókkal, csoportokkal távoli felhasználókkal e-mailben...", - "Share with users..." : "Megosztás felhasználókkal...", - "The object type is not specified." : "Az objektum típusa nincs megadva.", - "Enter new" : "Új beírása", - "Add" : "Hozzáadás", - "Edit tags" : "Címkék szerkesztése", - "Error loading dialog template: {error}" : "Hiba a párbeszédpanel-sablon betöltésekor: {error}", - "No tags selected for deletion." : "Nincs törlésre kijelölt címke.", - "The update was successful. Redirecting you to Nextcloud now." : "A frissítés sikeres volt. Most átirányítunk a Nextcloudhoz.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Üdv!\n\nÉrtesítünk, hogy %s megosztotta veled a következőt: %s.\nItt nézheted meg: %s\n\n", - "The share will expire on %s." : "A megosztás lejár ekkor: %s.", - "Cheers!" : "Üdv.", - "The server encountered an internal error and was unable to complete your request." : "A szerver belső hibával találkozott és nem tudja teljesíteni a kérést.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kérjük keresse fel a szerver rendszergazdáját, ha ez a hiba ismételten, többször előfordulna. Kérjük, mellékelje a technikai részleteket a lenti jelentésbe.", - "For information how to properly configure your server, please see the documentation." : "A szerver megfelelő beállításához kérjük olvassa el a dokumentációt.", - "Log out" : "Kijelentkezés", - "This action requires you to confirm your password:" : "A művelethez szükség van a jelszavad megerősítésére:", - "Wrong password. Reset it?" : "Hibás jelszó. Visszaállítja?", - "Use the following link to reset your password: {link}" : "Használja ezt a hivatkozást a jelszó ismételt beállításához: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Üdv!

\n\nÉrtesítünk, hogy %s megosztotta veled a következőt: %s
\nItt nézheted meg.

", - "This Nextcloud instance is currently in single user mode." : "Ez az Nextcloud szolgáltatás jelenleg egyfelhasználós üzemmódban működik.", - "This means only administrators can use the instance." : "Ez azt jelenti, hogy csak az adminisztrátor használhatja ezt a példányt", - "You are accessing the server from an untrusted domain." : "A szervert nem megbízható domain névvel éri el.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kérjük keresse fel a rendszergazdát! Ha ennek a telepítésnek Ön a rendszergazdája, akkor állítsa be a config/config.php fájlban a \"trusted_domain\" paramétert! A config/config.sample.php fájlban talál példát a beállításra.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "A beállításoktól függően, rendszergazdaként lehetséges, hogy az alábbi gombot is használhatja a domain név megbízhatóvá tételéhez.", - "Please use the command line updater because you have a big instance." : "Kérjük, a frissítéshez a parancssort használja, mert nagyobb frissítést készül telepíteni.", - "For help, see the documentation." : "Segítségért keresse fel a dokumentációt.", - "There was an error loading your contacts" : "Probléma lépett fel a névjegyek betöltése közben", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A PHP OPcache nincs megfelelően beállítva. A jobb teljesítmény érdekében használd az alábbi beállításokat a php.ini-ben:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A \"set_time_limit\" beállítás nem elérhető. Így egy script megszakadhat, a telepítésed megbénítását okozhatva. Erősen javasoljuk a beállítás engedélyezését.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Az adatmappád és fájljaid elérhetők az interneten. A .htaccess fájlod nem működik. Erősen javasolt, hogy a webszerveredet úgy állítsd be, hogy a mappa tartalma ne legyen közvetlenül elérhető, vagy mozgasd át a mappát a kiszolgálási területen kívülre.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\" hozzáférést készülsz adni a(z) %s fiókodnak.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "A PHP-ból hiányzik a freetype támogatás. Ez a beállítási felület és a profilképek hibás megjelenítését okozhatja." + "Thank you for your patience." : "Köszönjük a türelmét!" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/id.js b/core/l10n/id.js deleted file mode 100644 index 07029e7397daf..0000000000000 --- a/core/l10n/id.js +++ /dev/null @@ -1,294 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Pilih berkas", - "File is too big" : "Berkas terlalu besar", - "The selected file is not an image." : "Berkas yang dipilih bukanlah sebuah gambar.", - "The selected file cannot be read." : "Berkas yang dipilih tidak bisa dibaca.", - "Invalid file provided" : "Berkas yang diberikan tidak sah", - "No image or file provided" : "Tidak ada gambar atau berkas yang disediakan", - "Unknown filetype" : "Tipe berkas tidak dikenal", - "Invalid image" : "Gambar tidak sah", - "An error occurred. Please contact your admin." : "Terjadi kesalahan. Silakan hubungi admin Anda.", - "No temporary profile picture available, try again" : "Tidak ada gambar profil sementara yang tersedia, coba lagi", - "No crop data provided" : "Tidak ada data krop tersedia", - "No valid crop data provided" : "Tidak ada data valid untuk dipangkas", - "Crop is not square" : "Pangkas ini tidak persegi", - "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang kata sandi karena token tidak sah", - "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang kata sandi karena token telah kadaluarsa", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Tidak dapat mengirim email karena tidak ada alamat email untuk nama pengguna ini. Silahkan hubungi administrator Anda.", - "%s password reset" : "%s kata sandi disetel ulang", - "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim email setel ulang. Silakan hubungi administrator Anda.", - "Couldn't send reset email. Please make sure your username is correct." : "Tidak dapat menyetel ulang email. Mohon pastikan nama pengguna Anda benar.", - "Preparing update" : "Mempersiapkan pembaruan", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Peringatan perbaikan:", - "Repair error: " : "Kesalahan perbaikan:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Gunakan pembaruan di command line karena pembaruan otomatis di nonaktifkan di config.php. ", - "[%d / %d]: Checking table %s" : "[%d / %d]: Mengecek tabel %s", - "Turned on maintenance mode" : "Hidupkan mode perawatan", - "Turned off maintenance mode" : "Matikan mode perawatan", - "Maintenance mode is kept active" : "Mode Pemeliharaan masih aktif", - "Updating database schema" : "Memperbarui skema basis data", - "Updated database" : "Basis data terbaru", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema basis data dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", - "Checked database schema update" : "Pembaruan skema basis data terperiksa", - "Checking updates of apps" : "Memeriksa pembaruan aplikasi", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema untuk %s dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", - "Checked database schema update for apps" : "Pembaruan skema basis data terperiksa untuk aplikasi", - "Updated \"%s\" to %s" : "Terbaru \"%s\" sampai %s", - "Set log level to debug" : "Atur log level ke debug", - "Reset log level" : "Atur ulang log level", - "Starting code integrity check" : "Memulai pengecekan integritas kode", - "Finished code integrity check" : "Pengecekan integritas kode selesai", - "%s (incompatible)" : "%s (tidak kompatibel)", - "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", - "Already up to date" : "Sudah yang terbaru", - "There were problems with the code integrity check. More information…" : "Ada permasalahan dengan pengecekan integrasi kode. Informasi selanjutnya…", - "Settings" : "Pengaturan", - "Connection to server lost" : "Koneksi ke server gagal", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Tidak dapat memuat laman, muat ulang dalam %n detik"], - "Saving..." : "Menyimpan...", - "Dismiss" : "Buang", - "This action requires you to confirm your password" : "Aksi ini membutuhkan konfirmasi kata sandi Anda", - "Authentication required" : "Diperlukan otentikasi", - "Password" : "Kata Sandi", - "Cancel" : "Batal", - "Confirm" : "Konfirmasi", - "Failed to authenticate, try again" : "Gagal mengotentikasi, coba lagi", - "seconds ago" : "beberapa detik yang lalu", - "Logging in …" : "Log masuk...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang kata sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah kata sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", - "I know what I'm doing" : "Saya tahu apa yang saya lakukan", - "Password can not be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda", - "Reset password" : "Setel ulang kata sandi", - "No" : "Tidak", - "Yes" : "Ya", - "No files in here" : "Tidak ada berkas disini", - "Choose" : "Pilih", - "Copy" : "Salin", - "Error loading file picker template: {error}" : "Kesalahan saat memuat templat berkas pemilih: {error}", - "Error loading message template: {error}" : "Kesalahan memuat templat pesan: {error}", - "read-only" : "hanya-baca", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} berkas konflik"], - "One file conflict" : "Satu berkas konflik", - "New Files" : "Berkas Baru", - "Already existing files" : "Berkas sudah ada", - "Which files do you want to keep?" : "Berkas mana yang ingin anda pertahankan?", - "If you select both versions, the copied file will have a number added to its name." : "Jika anda memilih kedua versi, berkas yang disalin akan memiliki nomor yang ditambahkan sesuai namanya.", - "Continue" : "Lanjutkan", - "(all selected)" : "(semua terpilih)", - "({count} selected)" : "({count} terpilih)", - "Error loading file exists template" : "Kesalahan memuat templat berkas yang sudah ada", - "Pending" : "Terutnda", - "Very weak password" : "Kata sandi sangat lemah", - "Weak password" : "Kata sandi lemah", - "So-so password" : "Kata sandi lumayan", - "Good password" : "Kata sandi baik", - "Strong password" : "Kata sandi kuat", - "Error occurred while checking server setup" : "Kesalahan tidak terduga saat memeriksa setelan server", - "Shared" : "Dibagikan", - "Error setting expiration date" : "Kesalahan saat mengatur tanggal kedaluwarsa", - "The public link will expire no later than {days} days after it is created" : "Tautan publik akan kadaluarsa tidak lebih dari {days} hari setelah ini dibuat", - "Set expiration date" : "Atur tanggal kedaluwarsa", - "Expiration" : "Kedaluwarsa", - "Expiration date" : "Tanggal kedaluwarsa", - "Choose a password for the public link" : "Tetapkan kata sandi untuk tautan publik", - "Copied!" : "Tersalin!", - "Not supported!" : "Tidak didukung!", - "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", - "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", - "Resharing is not allowed" : "Berbagi ulang tidak diizinkan", - "Share link" : "Bagikan tautan", - "Link" : "Tautan", - "Password protect" : "Lindungi dengan kata sandi", - "Allow editing" : "Izinkan penyuntingan", - "Email link to person" : "Emailkan tautan ini ke orang", - "Send" : "Kirim", - "Allow upload and editing" : "Izinkan pengunggahan dan penyuntingan", - "File drop (upload only)" : "Berkas jatuh (hanya unggah)", - "Shared with you and the group {group} by {owner}" : "Dibagikan dengan anda dan grup {group} oleh {owner}", - "Shared with you by {owner}" : "Dibagikan dengan anda oleh {owner}", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} dibagikan lewat tautan", - "group" : "grup", - "remote" : "remote", - "email" : "surel", - "Unshare" : "Batalkan berbagi", - "Could not unshare" : "Tidak dapat membatalkan pembagian", - "Error while sharing" : "Kesalahan saat membagikan", - "Share details could not be loaded for this item." : "Rincian berbagi tidak dapat dimuat untuk item ini.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Sekurangnya {count} karakter dibutuhkan untuk autocompletion"], - "This list is maybe truncated - please refine your search term to see more results." : "Daftar ini mungkin terpotong - harap sari kata pencarian anda untuk melihat hasil yang lebih.", - "No users or groups found for {search}" : "Tidak ada pengguna atau grup ditemukan untuk {search}", - "No users found for {search}" : "Tidak ada pengguna ditemukan untuk {search}", - "An error occurred. Please try again" : "Terjadi kesalahan. Silakan coba lagi", - "{sharee} (group)" : "{sharee} (grup)", - "{sharee} (remote)" : "{sharee} (remote)", - "{sharee} (email)" : "{sharee} (surel)", - "Share" : "Bagikan", - "Error" : "Kesalahan", - "Error removing share" : "Terjadi kesalahan saat menghapus pembagian", - "Non-existing tag #{tag}" : "Tag tidak ada #{tag}", - "restricted" : "terbatas", - "invisible" : "tersembunyi", - "({scope})" : "({scope})", - "Delete" : "Hapus", - "Rename" : "Ubah nama", - "Collaborative tags" : "Tag kolaboratif", - "No tags found" : "Tag tidak ditemukan", - "unknown text" : "teks tidak diketahui", - "Hello world!" : "Halo dunia!", - "sunny" : "cerah", - "Hello {name}, the weather is {weather}" : "Halo {name}, saat ini {weather}", - "Hello {name}" : "Halo {name}", - "new" : "baru", - "_download %n file_::_download %n files_" : ["unduh %n berkas"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Pembaruan sedang dalam proses, meninggalkan halaman ini mungkin dapat mengganggu proses di beberapa lingkungan.", - "Update to {version}" : "Perbarui ke {version}", - "An error occurred." : "Terjadi kesalahan.", - "Please reload the page." : "Silakan muat ulang halaman.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Pembaruan gagal. Untuk informasi berikutnya cek posting di forum yang mencakup masalah kami.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Pembaruan gagal. Laporkan masalah ini ke komunitas Nextcloud.", - "Continue to Nextcloud" : "Lanjutkan ke Nextcloud", - "Searching other places" : "Mencari tempat lainnya", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} hasil pencarian di folder lain"], - "Personal" : "Pribadi", - "Users" : "Pengguna", - "Apps" : "Aplikasi", - "Admin" : "Admin", - "Help" : "Bantuan", - "Access forbidden" : "Akses ditolak", - "File not found" : "Berkas tidak ditemukan", - "The specified document has not been found on the server." : "Dokumen yang diminta tidak tersedia pada server.", - "You can click here to return to %s." : "Anda dapat klik disini unutk kembali ke %s.", - "Internal Server Error" : "Kesalahan Server Internal", - "More details can be found in the server log." : "Rincian lebih lengkap dapat ditemukan di log server.", - "Technical details" : "Rincian teknis", - "Remote Address: %s" : "Alamat remote: %s", - "Request ID: %s" : "ID Permintaan: %s", - "Type: %s" : "Tipe: %s", - "Code: %s" : "Kode: %s", - "Message: %s" : "Pesan: %s", - "File: %s" : "Berkas: %s", - "Line: %s" : "Baris: %s", - "Trace" : "Jejak", - "Security warning" : "Peringatan keamanan", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Kemungkinan direktori data dan berkas anda dapat diakses dari internet karena berkas .htaccess tidak berfungsi.", - "Create an admin account" : "Buat sebuah akun admin", - "Username" : "Nama pengguna", - "Storage & database" : "Penyimpanan & Basis data", - "Data folder" : "Folder data", - "Configure the database" : "Konfigurasikan basis data", - "Only %s is available." : "Hanya %s yang tersedia", - "Install and activate additional PHP modules to choose other database types." : "Pasang dan aktifkan modul PHP tambahan untuk memilih tipe basis data lainnya.", - "For more details check out the documentation." : "Untuk lebih rinci, periksa pada dokumentasi.", - "Database user" : "Pengguna basis data", - "Database password" : "Kata sandi basis data", - "Database name" : "Nama basis data", - "Database tablespace" : "Tablespace basis data", - "Database host" : "Host basis data", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Harap tentukan nomor port beserta nama host (contoh., localhost:5432).", - "Performance warning" : "Peringatan kinerja", - "SQLite will be used as database." : "SQLite akan digunakan sebagai basis data.", - "For larger installations we recommend to choose a different database backend." : "Untuk instalasi yang lebih besar, kami menyarankan untuk memilih backend basis data yang berbeda.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Terutama saat menggunakan klien desktop untuk sinkronisasi berkas, penggunaan SQLite tidak disarankan.", - "Finish setup" : "Selesaikan instalasi", - "Finishing …" : "Menyelesaikan ...", - "Need help?" : "Butuh bantuan?", - "See the documentation" : "Lihat dokumentasi", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Aplikasi ini memerlukan JavaScript untuk dapat beroperasi dengan benar. Mohon {linkstart}aktifkan JavaScript{linkend} dan muat ulang halaman ini.", - "Search" : "Cari", - "Confirm your password" : "Konfirmasi kata sandi Anda", - "Server side authentication failed!" : "Otentikasi dari sisi server gagal!", - "Please contact your administrator." : "Silahkan hubungi administrator anda.", - "An internal error occurred." : "Terjadi kesalahan internal.", - "Please try again or contact your administrator." : "Mohon coba lagi atau hubungi administrator Anda.", - "Username or email" : "Nama pengguna atau email", - "Log in" : "Masuk", - "Wrong password." : "Sandi salah.", - "Stay logged in" : "Tetap masuk", - "Alternative Logins" : "Cara Alternatif untuk Masuk", - "New password" : "Kata sandi baru", - "New Password" : "Kata sandi Baru", - "Two-factor authentication" : "Otentikasi Two-factor", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Keamanan tambahan diaktifkan untuk akun anda. Harap otentikasi menggunakan faktor kedua.", - "Cancel log in" : "Batalkan masuk log", - "Use backup code" : "Gunakan kode cadangan", - "Error while validating your second factor" : "Galat ketika memvalidasi faktor kedua anda", - "Add \"%s\" as trusted domain" : "tambahkan \"%s\" sebagai domain terpercaya", - "App update required" : "Diperlukan perbarui aplikasi", - "%s will be updated to version %s" : "%s akan diperbaarui ke versi %s", - "These apps will be updated:" : "Aplikasi berikut akan diperbarui:", - "These incompatible apps will be disabled:" : "Aplikasi yang tidak kompatibel berikut akan dinonaktifkan:", - "The theme %s has been disabled." : "Tema %s telah dinonaktfkan.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pastikan bahwa basis data, folder konfig, dan folder data telah dicadangkan sebelum melanjutkan.", - "Start update" : "Jalankan pembaruan", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Untuk menghindari waktu habis dengan instalasi yang lebih besar, Anda bisa menjalankan perintah berikut dari direktori instalasi Anda:", - "Detailed logs" : "Log detail", - "Update needed" : "Pembaruan dibutuhkan", - "This %s instance is currently in maintenance mode, which may take a while." : "Instansi %s ini sedang dalam modus pemeliharaan, mungkin memerlukan beberapa saat.", - "This page will refresh itself when the %s instance is available again." : "Halaman ini akan disegarkan dengan sendiri saat instansi %s tersebut tersedia kembali.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Hubungi administrator sistem anda jika pesan ini terus muncul atau muncul tiba-tiba.", - "Thank you for your patience." : "Terima kasih atas kesabaran anda.", - "%s (3rdparty)" : "%s (pihak ke-3)", - "Problem loading page, reloading in 5 seconds" : "Terjadi masalah dalam memuat laman, mencoba lagi dalam 5 detik", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah kata sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", - "Ok" : "Oke", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Server web Anda belum diatur dengan benar untuk mengizinkan sinkronisasi berkas karena antarmuka WebDAV nampaknya rusak.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Server web Anda tidak diatur secara baik untuk menyelesaikan \"{url}\". Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Server ini tidak tersambung ke internet: Banyak endpoint tidak bisa dicapai. Ini berarti beberapa fitur seperti me-mount penyimpanan eksternal, notifikasi pembaruan atau instalasi aplikasi pihak ketiga tidak akan bekerja. Mengakses berkas secara remote dan mengirim notifikasi email juga tidak bekerja. Kami menyarankan untuk mengaktifkan koneksi internet untuk server ini jika Anda ingin memiliki fitur ini.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Tidak ada memory cache telah dikonfigurasi. Untuk meningkatkan kinerja, mohon mengkonfigurasi memcache jika tersedia. Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom tidak bisa dibaca oleh PHP dan sangat tidak disarankan untuk alasan keamanan. Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Anda sekarang menjalankan PHP {version}. Kami menyarankan Anda untuk perbarui versi PHP Anda untuk memanfaatkan performa dan pembaruan keamanan yang disediakan oleh PHP Group saat distribusi Anda mendukungnya.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurasi proxy header terbalik salah, atau Anda mengakses Nextcloud dari proxy terpercaya. Apabila Anda tidak mengakses Nextcloud dari proxy terpercaya, ini adalah masalah keamanan dan penyerang dapat memalsukan alamat IP mereka ke Nextcloud. Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "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 memcached wiki about both modules." : "Memcached terkonfigurasi sebagai cache terdistribusi, tetapi modul PHP \"memcache\" yang salah terpasang. \\OC\\Memcache\\Memcached hanya mendukung \"memcached\" dan bukan \"memcache\". Lihat wiki memcached tentang kedua modul.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Beberapa berkas tidak lulus cek integritas. Informasi lebih lanjut tentang cara mengatasi masalah ini dapat ditemukan di dokumentasi kami. (Daftar berkas yang tidak valid… / Pindai ulang…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Direktori data dan berkas Anda kemungkinan dapat diakses dari Internet. Berkas .htaccess tidak bekerja. Kami sangat menyarankan Anda untuk mengkonfigurasi server web agar direktori data tidak lagi dapat diakses atau pindahkan direktori data Anda di luar root dokumen server web.", - "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." : "Header HTTP \"{header}\" tidak dikonfigurasi sama dengan \"{expected}\". Hal ini berpotensi pada resiko keamanan dan privasi. Kami sarankan untuk menyesuaikan pengaturan ini.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Header \"Strict-Transport-Security\" HTTP tidak terkonfigurasi ke setidaknya \"{seconds}\" detik. Untuk meningkatkan kemanan kami merekomendasikan mengaktifkan HSTS seperti yang dijelaskan di saran keamanan kami.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Anda mengakses situs ini via HTTP. Kami sangat menyarankan Anda untuk mengatur server Anda menggunakan HTTPS yang dibahas di tips keamanan kami.", - "Shared with {recipients}" : "Dibagikan dengan {recipients}", - "Error while unsharing" : "Kesalahan saat membatalkan pembagian", - "can reshare" : "dapat dibagi ulang", - "can edit" : "dapat sunting", - "can create" : "dapat membuat", - "can change" : "dapat mengubah", - "can delete" : "dapat menghapus", - "access control" : "kontrol akses", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Berbagi dengan orang dipeladen lainnya menggunakan Federated Cloud ID mereka username@example.com/nextcloud", - "Share with users or by mail..." : "Bagikan dengan pengguna atau lewat surel...", - "Share with users or remote users..." : "Bagikan dengan pengguna atau pengguna jarak jauh...", - "Share with users, remote users or by mail..." : "Bagikan dengan pengguna, pengguna jarak jauh atau lewat surel...", - "Share with users or groups..." : "Bagikan dengan pengguna atau grup...", - "Share with users, groups or by mail..." : "Bagikan dengan pengguna, grup atau lewat surel...", - "Share with users, groups or remote users..." : "Bagikan dengan pengguna, grup atau pengguna jarak jauh...", - "Share with users, groups, remote users or by mail..." : "Bagikan dengan pengguna, grup, pengguna jarak jauh atau lewat surel...", - "Share with users..." : "Bagikan dengan pengguna...", - "The object type is not specified." : "Tipe objek tidak ditentukan.", - "Enter new" : "Masukkan baru", - "Add" : "Tambah", - "Edit tags" : "Sunting label", - "Error loading dialog template: {error}" : "Kesalahan saat memuat templat dialog: {error}", - "No tags selected for deletion." : "Tidak ada label yang dipilih untuk dihapus.", - "The update was successful. Redirecting you to Nextcloud now." : "Pembaruan berhasil. Mengarahkan Anda ke Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hai,\n\nhanya supaya anda tahu bahwa %s membagikan %s dengan anda.\nLihat: %s\n\n", - "The share will expire on %s." : "Pembagian akan berakhir pada %s.", - "Cheers!" : "Horee!", - "The server encountered an internal error and was unable to complete your request." : "Server mengalami kesalahan internal dan tidak dapat menyelesaikan permintaan Anda.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Silahkan hubungi administrator server jika kesalahan ini muncul kembali berulang kali, harap sertakan rincian teknis di bawah ini dalam laporan Anda.", - "For information how to properly configure your server, please see the documentation." : "Untuk informasi bagaimana menkonfigurasi server Anda dengan benar, silakan lihat dokumentasi.", - "Log out" : "Keluar", - "This action requires you to confirm your password:" : "Aksi ini mengharuskan anda mengkonfirmasi kata sandi anda:", - "Wrong password. Reset it?" : "Kata sandi salah. Atur ulang?", - "Use the following link to reset your password: {link}" : "Gunakan tautan berikut untuk menyetel ulang kata sandi Anda: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hai,

hanya memberi tahu jika %s membagikan %s dengan Anda.
Lihat!

", - "This Nextcloud instance is currently in single user mode." : "Nextcloud ini sedang dalam mode pengguna tunggal.", - "This means only administrators can use the instance." : "Ini berarti hanya administrator yang dapat menggunakan ownCloud.", - "You are accessing the server from an untrusted domain." : "Anda mengakses server dari domain yang tidak terpercaya.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Silakan hubungi administrator Anda. Apabila Anda adalah administrator dari instansi ini, konfigurasikan aturan \"trusted_domains\" di config/config.php. Contoh konfigurasi disediakan di config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Tergantung pada konfigurasi Anda, sebagai seorang administrator Anda kemungkinan dapat menggunakan tombol bawah untuk mempercayai domain ini.", - "Please use the command line updater because you have a big instance." : "Gunakan pembaruan command-line karena Anda mempunyai instansi yang besar.", - "For help, see the documentation." : "Untuk bantuan, lihat dokumentasi." -}, -"nplurals=1; plural=0;"); diff --git a/core/l10n/id.json b/core/l10n/id.json deleted file mode 100644 index fe0243bf3ef9e..0000000000000 --- a/core/l10n/id.json +++ /dev/null @@ -1,292 +0,0 @@ -{ "translations": { - "Please select a file." : "Pilih berkas", - "File is too big" : "Berkas terlalu besar", - "The selected file is not an image." : "Berkas yang dipilih bukanlah sebuah gambar.", - "The selected file cannot be read." : "Berkas yang dipilih tidak bisa dibaca.", - "Invalid file provided" : "Berkas yang diberikan tidak sah", - "No image or file provided" : "Tidak ada gambar atau berkas yang disediakan", - "Unknown filetype" : "Tipe berkas tidak dikenal", - "Invalid image" : "Gambar tidak sah", - "An error occurred. Please contact your admin." : "Terjadi kesalahan. Silakan hubungi admin Anda.", - "No temporary profile picture available, try again" : "Tidak ada gambar profil sementara yang tersedia, coba lagi", - "No crop data provided" : "Tidak ada data krop tersedia", - "No valid crop data provided" : "Tidak ada data valid untuk dipangkas", - "Crop is not square" : "Pangkas ini tidak persegi", - "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang kata sandi karena token tidak sah", - "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang kata sandi karena token telah kadaluarsa", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Tidak dapat mengirim email karena tidak ada alamat email untuk nama pengguna ini. Silahkan hubungi administrator Anda.", - "%s password reset" : "%s kata sandi disetel ulang", - "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim email setel ulang. Silakan hubungi administrator Anda.", - "Couldn't send reset email. Please make sure your username is correct." : "Tidak dapat menyetel ulang email. Mohon pastikan nama pengguna Anda benar.", - "Preparing update" : "Mempersiapkan pembaruan", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Peringatan perbaikan:", - "Repair error: " : "Kesalahan perbaikan:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Gunakan pembaruan di command line karena pembaruan otomatis di nonaktifkan di config.php. ", - "[%d / %d]: Checking table %s" : "[%d / %d]: Mengecek tabel %s", - "Turned on maintenance mode" : "Hidupkan mode perawatan", - "Turned off maintenance mode" : "Matikan mode perawatan", - "Maintenance mode is kept active" : "Mode Pemeliharaan masih aktif", - "Updating database schema" : "Memperbarui skema basis data", - "Updated database" : "Basis data terbaru", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema basis data dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", - "Checked database schema update" : "Pembaruan skema basis data terperiksa", - "Checking updates of apps" : "Memeriksa pembaruan aplikasi", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema untuk %s dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", - "Checked database schema update for apps" : "Pembaruan skema basis data terperiksa untuk aplikasi", - "Updated \"%s\" to %s" : "Terbaru \"%s\" sampai %s", - "Set log level to debug" : "Atur log level ke debug", - "Reset log level" : "Atur ulang log level", - "Starting code integrity check" : "Memulai pengecekan integritas kode", - "Finished code integrity check" : "Pengecekan integritas kode selesai", - "%s (incompatible)" : "%s (tidak kompatibel)", - "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", - "Already up to date" : "Sudah yang terbaru", - "There were problems with the code integrity check. More information…" : "Ada permasalahan dengan pengecekan integrasi kode. Informasi selanjutnya…", - "Settings" : "Pengaturan", - "Connection to server lost" : "Koneksi ke server gagal", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Tidak dapat memuat laman, muat ulang dalam %n detik"], - "Saving..." : "Menyimpan...", - "Dismiss" : "Buang", - "This action requires you to confirm your password" : "Aksi ini membutuhkan konfirmasi kata sandi Anda", - "Authentication required" : "Diperlukan otentikasi", - "Password" : "Kata Sandi", - "Cancel" : "Batal", - "Confirm" : "Konfirmasi", - "Failed to authenticate, try again" : "Gagal mengotentikasi, coba lagi", - "seconds ago" : "beberapa detik yang lalu", - "Logging in …" : "Log masuk...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang kata sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah kata sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", - "I know what I'm doing" : "Saya tahu apa yang saya lakukan", - "Password can not be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda", - "Reset password" : "Setel ulang kata sandi", - "No" : "Tidak", - "Yes" : "Ya", - "No files in here" : "Tidak ada berkas disini", - "Choose" : "Pilih", - "Copy" : "Salin", - "Error loading file picker template: {error}" : "Kesalahan saat memuat templat berkas pemilih: {error}", - "Error loading message template: {error}" : "Kesalahan memuat templat pesan: {error}", - "read-only" : "hanya-baca", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} berkas konflik"], - "One file conflict" : "Satu berkas konflik", - "New Files" : "Berkas Baru", - "Already existing files" : "Berkas sudah ada", - "Which files do you want to keep?" : "Berkas mana yang ingin anda pertahankan?", - "If you select both versions, the copied file will have a number added to its name." : "Jika anda memilih kedua versi, berkas yang disalin akan memiliki nomor yang ditambahkan sesuai namanya.", - "Continue" : "Lanjutkan", - "(all selected)" : "(semua terpilih)", - "({count} selected)" : "({count} terpilih)", - "Error loading file exists template" : "Kesalahan memuat templat berkas yang sudah ada", - "Pending" : "Terutnda", - "Very weak password" : "Kata sandi sangat lemah", - "Weak password" : "Kata sandi lemah", - "So-so password" : "Kata sandi lumayan", - "Good password" : "Kata sandi baik", - "Strong password" : "Kata sandi kuat", - "Error occurred while checking server setup" : "Kesalahan tidak terduga saat memeriksa setelan server", - "Shared" : "Dibagikan", - "Error setting expiration date" : "Kesalahan saat mengatur tanggal kedaluwarsa", - "The public link will expire no later than {days} days after it is created" : "Tautan publik akan kadaluarsa tidak lebih dari {days} hari setelah ini dibuat", - "Set expiration date" : "Atur tanggal kedaluwarsa", - "Expiration" : "Kedaluwarsa", - "Expiration date" : "Tanggal kedaluwarsa", - "Choose a password for the public link" : "Tetapkan kata sandi untuk tautan publik", - "Copied!" : "Tersalin!", - "Not supported!" : "Tidak didukung!", - "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", - "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", - "Resharing is not allowed" : "Berbagi ulang tidak diizinkan", - "Share link" : "Bagikan tautan", - "Link" : "Tautan", - "Password protect" : "Lindungi dengan kata sandi", - "Allow editing" : "Izinkan penyuntingan", - "Email link to person" : "Emailkan tautan ini ke orang", - "Send" : "Kirim", - "Allow upload and editing" : "Izinkan pengunggahan dan penyuntingan", - "File drop (upload only)" : "Berkas jatuh (hanya unggah)", - "Shared with you and the group {group} by {owner}" : "Dibagikan dengan anda dan grup {group} oleh {owner}", - "Shared with you by {owner}" : "Dibagikan dengan anda oleh {owner}", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} dibagikan lewat tautan", - "group" : "grup", - "remote" : "remote", - "email" : "surel", - "Unshare" : "Batalkan berbagi", - "Could not unshare" : "Tidak dapat membatalkan pembagian", - "Error while sharing" : "Kesalahan saat membagikan", - "Share details could not be loaded for this item." : "Rincian berbagi tidak dapat dimuat untuk item ini.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Sekurangnya {count} karakter dibutuhkan untuk autocompletion"], - "This list is maybe truncated - please refine your search term to see more results." : "Daftar ini mungkin terpotong - harap sari kata pencarian anda untuk melihat hasil yang lebih.", - "No users or groups found for {search}" : "Tidak ada pengguna atau grup ditemukan untuk {search}", - "No users found for {search}" : "Tidak ada pengguna ditemukan untuk {search}", - "An error occurred. Please try again" : "Terjadi kesalahan. Silakan coba lagi", - "{sharee} (group)" : "{sharee} (grup)", - "{sharee} (remote)" : "{sharee} (remote)", - "{sharee} (email)" : "{sharee} (surel)", - "Share" : "Bagikan", - "Error" : "Kesalahan", - "Error removing share" : "Terjadi kesalahan saat menghapus pembagian", - "Non-existing tag #{tag}" : "Tag tidak ada #{tag}", - "restricted" : "terbatas", - "invisible" : "tersembunyi", - "({scope})" : "({scope})", - "Delete" : "Hapus", - "Rename" : "Ubah nama", - "Collaborative tags" : "Tag kolaboratif", - "No tags found" : "Tag tidak ditemukan", - "unknown text" : "teks tidak diketahui", - "Hello world!" : "Halo dunia!", - "sunny" : "cerah", - "Hello {name}, the weather is {weather}" : "Halo {name}, saat ini {weather}", - "Hello {name}" : "Halo {name}", - "new" : "baru", - "_download %n file_::_download %n files_" : ["unduh %n berkas"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Pembaruan sedang dalam proses, meninggalkan halaman ini mungkin dapat mengganggu proses di beberapa lingkungan.", - "Update to {version}" : "Perbarui ke {version}", - "An error occurred." : "Terjadi kesalahan.", - "Please reload the page." : "Silakan muat ulang halaman.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Pembaruan gagal. Untuk informasi berikutnya cek posting di forum yang mencakup masalah kami.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Pembaruan gagal. Laporkan masalah ini ke komunitas Nextcloud.", - "Continue to Nextcloud" : "Lanjutkan ke Nextcloud", - "Searching other places" : "Mencari tempat lainnya", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} hasil pencarian di folder lain"], - "Personal" : "Pribadi", - "Users" : "Pengguna", - "Apps" : "Aplikasi", - "Admin" : "Admin", - "Help" : "Bantuan", - "Access forbidden" : "Akses ditolak", - "File not found" : "Berkas tidak ditemukan", - "The specified document has not been found on the server." : "Dokumen yang diminta tidak tersedia pada server.", - "You can click here to return to %s." : "Anda dapat klik disini unutk kembali ke %s.", - "Internal Server Error" : "Kesalahan Server Internal", - "More details can be found in the server log." : "Rincian lebih lengkap dapat ditemukan di log server.", - "Technical details" : "Rincian teknis", - "Remote Address: %s" : "Alamat remote: %s", - "Request ID: %s" : "ID Permintaan: %s", - "Type: %s" : "Tipe: %s", - "Code: %s" : "Kode: %s", - "Message: %s" : "Pesan: %s", - "File: %s" : "Berkas: %s", - "Line: %s" : "Baris: %s", - "Trace" : "Jejak", - "Security warning" : "Peringatan keamanan", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Kemungkinan direktori data dan berkas anda dapat diakses dari internet karena berkas .htaccess tidak berfungsi.", - "Create an admin account" : "Buat sebuah akun admin", - "Username" : "Nama pengguna", - "Storage & database" : "Penyimpanan & Basis data", - "Data folder" : "Folder data", - "Configure the database" : "Konfigurasikan basis data", - "Only %s is available." : "Hanya %s yang tersedia", - "Install and activate additional PHP modules to choose other database types." : "Pasang dan aktifkan modul PHP tambahan untuk memilih tipe basis data lainnya.", - "For more details check out the documentation." : "Untuk lebih rinci, periksa pada dokumentasi.", - "Database user" : "Pengguna basis data", - "Database password" : "Kata sandi basis data", - "Database name" : "Nama basis data", - "Database tablespace" : "Tablespace basis data", - "Database host" : "Host basis data", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Harap tentukan nomor port beserta nama host (contoh., localhost:5432).", - "Performance warning" : "Peringatan kinerja", - "SQLite will be used as database." : "SQLite akan digunakan sebagai basis data.", - "For larger installations we recommend to choose a different database backend." : "Untuk instalasi yang lebih besar, kami menyarankan untuk memilih backend basis data yang berbeda.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Terutama saat menggunakan klien desktop untuk sinkronisasi berkas, penggunaan SQLite tidak disarankan.", - "Finish setup" : "Selesaikan instalasi", - "Finishing …" : "Menyelesaikan ...", - "Need help?" : "Butuh bantuan?", - "See the documentation" : "Lihat dokumentasi", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Aplikasi ini memerlukan JavaScript untuk dapat beroperasi dengan benar. Mohon {linkstart}aktifkan JavaScript{linkend} dan muat ulang halaman ini.", - "Search" : "Cari", - "Confirm your password" : "Konfirmasi kata sandi Anda", - "Server side authentication failed!" : "Otentikasi dari sisi server gagal!", - "Please contact your administrator." : "Silahkan hubungi administrator anda.", - "An internal error occurred." : "Terjadi kesalahan internal.", - "Please try again or contact your administrator." : "Mohon coba lagi atau hubungi administrator Anda.", - "Username or email" : "Nama pengguna atau email", - "Log in" : "Masuk", - "Wrong password." : "Sandi salah.", - "Stay logged in" : "Tetap masuk", - "Alternative Logins" : "Cara Alternatif untuk Masuk", - "New password" : "Kata sandi baru", - "New Password" : "Kata sandi Baru", - "Two-factor authentication" : "Otentikasi Two-factor", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Keamanan tambahan diaktifkan untuk akun anda. Harap otentikasi menggunakan faktor kedua.", - "Cancel log in" : "Batalkan masuk log", - "Use backup code" : "Gunakan kode cadangan", - "Error while validating your second factor" : "Galat ketika memvalidasi faktor kedua anda", - "Add \"%s\" as trusted domain" : "tambahkan \"%s\" sebagai domain terpercaya", - "App update required" : "Diperlukan perbarui aplikasi", - "%s will be updated to version %s" : "%s akan diperbaarui ke versi %s", - "These apps will be updated:" : "Aplikasi berikut akan diperbarui:", - "These incompatible apps will be disabled:" : "Aplikasi yang tidak kompatibel berikut akan dinonaktifkan:", - "The theme %s has been disabled." : "Tema %s telah dinonaktfkan.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pastikan bahwa basis data, folder konfig, dan folder data telah dicadangkan sebelum melanjutkan.", - "Start update" : "Jalankan pembaruan", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Untuk menghindari waktu habis dengan instalasi yang lebih besar, Anda bisa menjalankan perintah berikut dari direktori instalasi Anda:", - "Detailed logs" : "Log detail", - "Update needed" : "Pembaruan dibutuhkan", - "This %s instance is currently in maintenance mode, which may take a while." : "Instansi %s ini sedang dalam modus pemeliharaan, mungkin memerlukan beberapa saat.", - "This page will refresh itself when the %s instance is available again." : "Halaman ini akan disegarkan dengan sendiri saat instansi %s tersebut tersedia kembali.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Hubungi administrator sistem anda jika pesan ini terus muncul atau muncul tiba-tiba.", - "Thank you for your patience." : "Terima kasih atas kesabaran anda.", - "%s (3rdparty)" : "%s (pihak ke-3)", - "Problem loading page, reloading in 5 seconds" : "Terjadi masalah dalam memuat laman, mencoba lagi dalam 5 detik", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas-berkas Anda terenkripsi. Jika Anda tidak mengaktifkan kunci pemulihan, tidak ada cara lain untuk mendapatkan data Anda kembali setelah kata sandi di setel ulang.
Jika Anda tidak yakin dengan apa yang akan Anda dilakukan, mohon hubungi administrator Anda sebelum melanjutkan.
Apakah Anda yakin ingin melanjutkan?", - "Ok" : "Oke", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Server web Anda belum diatur dengan benar untuk mengizinkan sinkronisasi berkas karena antarmuka WebDAV nampaknya rusak.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Server web Anda tidak diatur secara baik untuk menyelesaikan \"{url}\". Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Server ini tidak tersambung ke internet: Banyak endpoint tidak bisa dicapai. Ini berarti beberapa fitur seperti me-mount penyimpanan eksternal, notifikasi pembaruan atau instalasi aplikasi pihak ketiga tidak akan bekerja. Mengakses berkas secara remote dan mengirim notifikasi email juga tidak bekerja. Kami menyarankan untuk mengaktifkan koneksi internet untuk server ini jika Anda ingin memiliki fitur ini.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Tidak ada memory cache telah dikonfigurasi. Untuk meningkatkan kinerja, mohon mengkonfigurasi memcache jika tersedia. Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom tidak bisa dibaca oleh PHP dan sangat tidak disarankan untuk alasan keamanan. Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Anda sekarang menjalankan PHP {version}. Kami menyarankan Anda untuk perbarui versi PHP Anda untuk memanfaatkan performa dan pembaruan keamanan yang disediakan oleh PHP Group saat distribusi Anda mendukungnya.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurasi proxy header terbalik salah, atau Anda mengakses Nextcloud dari proxy terpercaya. Apabila Anda tidak mengakses Nextcloud dari proxy terpercaya, ini adalah masalah keamanan dan penyerang dapat memalsukan alamat IP mereka ke Nextcloud. Informasi selanjutnya bisa ditemukan di dokumentasi kami.", - "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 memcached wiki about both modules." : "Memcached terkonfigurasi sebagai cache terdistribusi, tetapi modul PHP \"memcache\" yang salah terpasang. \\OC\\Memcache\\Memcached hanya mendukung \"memcached\" dan bukan \"memcache\". Lihat wiki memcached tentang kedua modul.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Beberapa berkas tidak lulus cek integritas. Informasi lebih lanjut tentang cara mengatasi masalah ini dapat ditemukan di dokumentasi kami. (Daftar berkas yang tidak valid… / Pindai ulang…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Direktori data dan berkas Anda kemungkinan dapat diakses dari Internet. Berkas .htaccess tidak bekerja. Kami sangat menyarankan Anda untuk mengkonfigurasi server web agar direktori data tidak lagi dapat diakses atau pindahkan direktori data Anda di luar root dokumen server web.", - "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." : "Header HTTP \"{header}\" tidak dikonfigurasi sama dengan \"{expected}\". Hal ini berpotensi pada resiko keamanan dan privasi. Kami sarankan untuk menyesuaikan pengaturan ini.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Header \"Strict-Transport-Security\" HTTP tidak terkonfigurasi ke setidaknya \"{seconds}\" detik. Untuk meningkatkan kemanan kami merekomendasikan mengaktifkan HSTS seperti yang dijelaskan di saran keamanan kami.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Anda mengakses situs ini via HTTP. Kami sangat menyarankan Anda untuk mengatur server Anda menggunakan HTTPS yang dibahas di tips keamanan kami.", - "Shared with {recipients}" : "Dibagikan dengan {recipients}", - "Error while unsharing" : "Kesalahan saat membatalkan pembagian", - "can reshare" : "dapat dibagi ulang", - "can edit" : "dapat sunting", - "can create" : "dapat membuat", - "can change" : "dapat mengubah", - "can delete" : "dapat menghapus", - "access control" : "kontrol akses", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Berbagi dengan orang dipeladen lainnya menggunakan Federated Cloud ID mereka username@example.com/nextcloud", - "Share with users or by mail..." : "Bagikan dengan pengguna atau lewat surel...", - "Share with users or remote users..." : "Bagikan dengan pengguna atau pengguna jarak jauh...", - "Share with users, remote users or by mail..." : "Bagikan dengan pengguna, pengguna jarak jauh atau lewat surel...", - "Share with users or groups..." : "Bagikan dengan pengguna atau grup...", - "Share with users, groups or by mail..." : "Bagikan dengan pengguna, grup atau lewat surel...", - "Share with users, groups or remote users..." : "Bagikan dengan pengguna, grup atau pengguna jarak jauh...", - "Share with users, groups, remote users or by mail..." : "Bagikan dengan pengguna, grup, pengguna jarak jauh atau lewat surel...", - "Share with users..." : "Bagikan dengan pengguna...", - "The object type is not specified." : "Tipe objek tidak ditentukan.", - "Enter new" : "Masukkan baru", - "Add" : "Tambah", - "Edit tags" : "Sunting label", - "Error loading dialog template: {error}" : "Kesalahan saat memuat templat dialog: {error}", - "No tags selected for deletion." : "Tidak ada label yang dipilih untuk dihapus.", - "The update was successful. Redirecting you to Nextcloud now." : "Pembaruan berhasil. Mengarahkan Anda ke Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hai,\n\nhanya supaya anda tahu bahwa %s membagikan %s dengan anda.\nLihat: %s\n\n", - "The share will expire on %s." : "Pembagian akan berakhir pada %s.", - "Cheers!" : "Horee!", - "The server encountered an internal error and was unable to complete your request." : "Server mengalami kesalahan internal dan tidak dapat menyelesaikan permintaan Anda.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Silahkan hubungi administrator server jika kesalahan ini muncul kembali berulang kali, harap sertakan rincian teknis di bawah ini dalam laporan Anda.", - "For information how to properly configure your server, please see the documentation." : "Untuk informasi bagaimana menkonfigurasi server Anda dengan benar, silakan lihat dokumentasi.", - "Log out" : "Keluar", - "This action requires you to confirm your password:" : "Aksi ini mengharuskan anda mengkonfirmasi kata sandi anda:", - "Wrong password. Reset it?" : "Kata sandi salah. Atur ulang?", - "Use the following link to reset your password: {link}" : "Gunakan tautan berikut untuk menyetel ulang kata sandi Anda: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hai,

hanya memberi tahu jika %s membagikan %s dengan Anda.
Lihat!

", - "This Nextcloud instance is currently in single user mode." : "Nextcloud ini sedang dalam mode pengguna tunggal.", - "This means only administrators can use the instance." : "Ini berarti hanya administrator yang dapat menggunakan ownCloud.", - "You are accessing the server from an untrusted domain." : "Anda mengakses server dari domain yang tidak terpercaya.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Silakan hubungi administrator Anda. Apabila Anda adalah administrator dari instansi ini, konfigurasikan aturan \"trusted_domains\" di config/config.php. Contoh konfigurasi disediakan di config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Tergantung pada konfigurasi Anda, sebagai seorang administrator Anda kemungkinan dapat menggunakan tombol bawah untuk mempercayai domain ini.", - "Please use the command line updater because you have a big instance." : "Gunakan pembaruan command-line karena Anda mempunyai instansi yang besar.", - "For help, see the documentation." : "Untuk bantuan, lihat dokumentasi." -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/core/l10n/is.js b/core/l10n/is.js index 0c15c24c56e7f..441a8128f3ddc 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -294,70 +294,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Þessi %s er nú í viðhaldsham, sem getur tekið smá stund.", "This page will refresh itself when the %s instance is available again." : "Þessi síða mun uppfæra sig þegar %s er í boði á ný.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hafðu samband við kerfisstjóra ef þessi skilaboð eru viðvarandi eða birtust óvænt.", - "Thank you for your patience." : "Þakka þér fyrir biðlundina.", - "%s (3rdparty)" : "%s (frá 3. aðila)", - "Problem loading page, reloading in 5 seconds" : "Vandamál við að hlaða inn síðu, endurhleð eftir 5 sekúndur", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Skrárnar þínar eru dulritaðar. Ef þú hefur ekki virkjað endurheimtingarlykilinn, þá verður engin leið til að fá gögnin þín til baka eftir lykilorðið þitt er endurstillt.
Ef þú ert ekki viss hvað eigi að gera, skaltu hafa samband við kerfisstjórann áður en þú heldur áfram.
Viltu halda áfram?", - "Ok" : "Í lagi", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vefþjónninn er ekki enn sett upp á réttan hátt til að leyfa skráasamstillingu því WebDAV viðmótið virðist vera skemmt.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Vefþjónninn þinn er ekki uppsettur þannig að hann geti leyst \"{url}\". Frekari upplýsingar er að finna í hjálparskjölum okkar.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Þessi þjónn er ekki með virka nettengingu: ekki náðis tenging við fjölmarga endapunkta. Þetta þýðir að sumir eiginleikar eins og að virkja ytri gagnageymslu, tilkynningar um uppfærslur eða uppsetningu á forritum þriðja aðila, mun ekki virka. Fjartengdur aðgangur að skrám og sending tilkynninga í tölvupósti virka líklega ekki heldur. Við leggjum til að internettenging sé virkjuð fyrir þennan vefþjón ef þú vilt hafa alla eiginleika tiltæka.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ekkert skyndiminni (cache) hefur verið stillt. Til að auka afköst ættirðu að setja upp skyndiminni (með memcache) ef það er tiltækt. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ekki lesanlegt af PHP sem er mjög óráðlegt af öryggisástæðum. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Þú ert að keyra PHP {version}. Við hvetjum þig til að uppfæra PHP útgáfuna til að njóta afkastaaukningar og öryggisuppfærslna frá PHP Group um leið og dreifingin þín styður það.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Uppsetning gagnstæðs milliþjónshauss (reverse proxy header) er röng, eða að þú ert að tengjast Nextcloud frá treystum milliþjóni Ef þú ert ekki að tengjast Nextcloud frá treystum milliþjóni, þá er þetta er öryggisvandamál og getur leyft árásaraðilum að dulbúa IP-vistfang þeirra sem sýnilegt Nextcloud. Nánari upplýsingar má finna í hjálparskjölum okkar.", - "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 memcached wiki about both modules." : "Memcached er sett upp sem dreift skyndiminni, en hinsvegar er ranga PHP-einingin \"memcache\" uppsett. \\OC\\Memcache\\Memcached styður einungis \"memcached\" en ekki \"memcache\". Skoðaðu memcached wiki-síðurnar um báðar einingarnar.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sumar skrár hafa ekki staðist áreiðanleikaprófun. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar. (Listi yfir ógildar skrár… / Endurskanna…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", - "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." : "\"{header}\" HTTP-haus er ekki stilltur til jafns við \"{expected}\". Þetta er möguleg áhætta varðandi öryggi og gagnaleynd, við mælum með því að laga þessa stillingu.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP-hausinn er ekki stilltur á að minnsa kosti \"{seconds}\" sekúndur. Fyrir aukið öryggi mælum við með því að virkja HSTS eins og lýst er í öryggisleiðbeiningum.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : " Þú ert að tengjast þessu vefsvæði með HTTP. Við mælum eindregið með að þú stillir þjóninn á að krefjast HTTPS í staðinn eins og lýst er í öryggisleiðbeiningunum okkar.", - "Shared with {recipients}" : "Deilt með {recipients}", - "Error while unsharing" : "Villa við að hætta deilingu", - "can reshare" : "getur endurdeilt", - "can edit" : "getur breytt", - "can create" : "getur búið til", - "can change" : "getur breytt", - "can delete" : "getur eytt", - "access control" : "aðgangsstýring", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Deila með fólki í öðrum gagnaskýjum með auðkenninu notandanafn@dæmi.is/nextcloud", - "Share with users or by mail..." : "Deila með notendum eða með tölvupósti...", - "Share with users or remote users..." : "Deila með notendum eða fjartengdum notendum...", - "Share with users, remote users or by mail..." : "Deila með notendum, fjartengdum notendum eða með tölvupósti...", - "Share with users or groups..." : "Deila með notendum eða hópum...", - "Share with users, groups or by mail..." : "Deila með notendum, hópum eða með tölvupósti...", - "Share with users, groups or remote users..." : "Deila með notendum, hópum eða fjartengdum notendum...", - "Share with users, groups, remote users or by mail..." : "Deila með notendum, hópum, fjartengdum notendum eða með tölvupósti...", - "Share with users..." : "Deila með notendum...", - "The object type is not specified." : "Tegund hlutar ekki tilgreind", - "Enter new" : "Sláðu inn nýtt", - "Add" : "Bæta við", - "Edit tags" : "Breyta merkjum", - "Error loading dialog template: {error}" : "Villa við að hlaða valmynd sniðmátið: {error}", - "No tags selected for deletion." : "Engin merki valin til að eyða.", - "The update was successful. Redirecting you to Nextcloud now." : "Uppfærslan heppnaðist. Beini þér til Nextcloud nú.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Sælir,\n\nbara láta þig vita að %s deildi %s með þér.\n\nSkoðaðu það: %s\n\n", - "The share will expire on %s." : "Gildistími sameignar rennur út %s.", - "Cheers!" : "Skál!", - "The server encountered an internal error and was unable to complete your request." : "Innri villa kom upp á þjóninum og ekki náðist að afgreiða beiðnina.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Hafðu samband við kerfisstjóra ef þessi villa birtist oft aftur, láttu þá tæknilegu upplýsingarnar hér að neðan fylgja með.", - "For information how to properly configure your server, please see the documentation." : "Til að fá upplýsingar hvernig á að stilla miðlara almennilega, skaltu skoða hjálparskjölin.", - "Log out" : "Skrá út", - "This action requires you to confirm your password:" : "Þessi aðgerð krefst þess að þú staðfestir lykilorðið þitt:", - "Wrong password. Reset it?" : "Rangt lykilorð. Endursetja?", - "Use the following link to reset your password: {link}" : "Notað eftirfarandi veftengil til að endursetja lykilorðið þitt: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hæ þú,

bara að láta þig vita að %s deildi %s með þér.
Skoðaðu það!

", - "This Nextcloud instance is currently in single user mode." : "Þetta Nextcloud eintak er nú í eins-notanda ham.", - "This means only administrators can use the instance." : "Þetta þýðir aðeins stjórnendur geta notað eintakið.", - "You are accessing the server from an untrusted domain." : "Þú ert að tengjast þjóninum frá ótreystu léni.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Hafðu samband við kerfisstjóra. Ef þú ert stjórnandi á þessu tilviki, stilltu \"trusted_domains\" setninguna í config/config.php. Dæmi um stillingar má sjá í config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Það fer eftir stillingum þínum, sem stjórnandi þá gætir þú einnig notað hnappinn hér fyrir neðan til að treysta þessu léni.", - "Please use the command line updater because you have a big instance." : "Endilega notaðu uppfærslutólið af skipanalínu, því þú ert með mjög stóra uppsetningu.", - "For help, see the documentation." : "Til að fá hjálp er best að skoða fyrst hjálparskjölin.", - "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", - "You are about to grant \"%s\" access to your %s account." : "Þú ert að fara að leyfa \"%s\" aðgang að %s notandaaðgangnum þínum." + "Thank you for your patience." : "Þakka þér fyrir biðlundina." }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/core/l10n/is.json b/core/l10n/is.json index e18cade69765c..9ecdbf0291185 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -292,70 +292,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Þessi %s er nú í viðhaldsham, sem getur tekið smá stund.", "This page will refresh itself when the %s instance is available again." : "Þessi síða mun uppfæra sig þegar %s er í boði á ný.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hafðu samband við kerfisstjóra ef þessi skilaboð eru viðvarandi eða birtust óvænt.", - "Thank you for your patience." : "Þakka þér fyrir biðlundina.", - "%s (3rdparty)" : "%s (frá 3. aðila)", - "Problem loading page, reloading in 5 seconds" : "Vandamál við að hlaða inn síðu, endurhleð eftir 5 sekúndur", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Skrárnar þínar eru dulritaðar. Ef þú hefur ekki virkjað endurheimtingarlykilinn, þá verður engin leið til að fá gögnin þín til baka eftir lykilorðið þitt er endurstillt.
Ef þú ert ekki viss hvað eigi að gera, skaltu hafa samband við kerfisstjórann áður en þú heldur áfram.
Viltu halda áfram?", - "Ok" : "Í lagi", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vefþjónninn er ekki enn sett upp á réttan hátt til að leyfa skráasamstillingu því WebDAV viðmótið virðist vera skemmt.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Vefþjónninn þinn er ekki uppsettur þannig að hann geti leyst \"{url}\". Frekari upplýsingar er að finna í hjálparskjölum okkar.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Þessi þjónn er ekki með virka nettengingu: ekki náðis tenging við fjölmarga endapunkta. Þetta þýðir að sumir eiginleikar eins og að virkja ytri gagnageymslu, tilkynningar um uppfærslur eða uppsetningu á forritum þriðja aðila, mun ekki virka. Fjartengdur aðgangur að skrám og sending tilkynninga í tölvupósti virka líklega ekki heldur. Við leggjum til að internettenging sé virkjuð fyrir þennan vefþjón ef þú vilt hafa alla eiginleika tiltæka.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ekkert skyndiminni (cache) hefur verið stillt. Til að auka afköst ættirðu að setja upp skyndiminni (með memcache) ef það er tiltækt. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ekki lesanlegt af PHP sem er mjög óráðlegt af öryggisástæðum. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Þú ert að keyra PHP {version}. Við hvetjum þig til að uppfæra PHP útgáfuna til að njóta afkastaaukningar og öryggisuppfærslna frá PHP Group um leið og dreifingin þín styður það.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Uppsetning gagnstæðs milliþjónshauss (reverse proxy header) er röng, eða að þú ert að tengjast Nextcloud frá treystum milliþjóni Ef þú ert ekki að tengjast Nextcloud frá treystum milliþjóni, þá er þetta er öryggisvandamál og getur leyft árásaraðilum að dulbúa IP-vistfang þeirra sem sýnilegt Nextcloud. Nánari upplýsingar má finna í hjálparskjölum okkar.", - "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 memcached wiki about both modules." : "Memcached er sett upp sem dreift skyndiminni, en hinsvegar er ranga PHP-einingin \"memcache\" uppsett. \\OC\\Memcache\\Memcached styður einungis \"memcached\" en ekki \"memcache\". Skoðaðu memcached wiki-síðurnar um báðar einingarnar.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sumar skrár hafa ekki staðist áreiðanleikaprófun. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar. (Listi yfir ógildar skrár… / Endurskanna…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", - "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." : "\"{header}\" HTTP-haus er ekki stilltur til jafns við \"{expected}\". Þetta er möguleg áhætta varðandi öryggi og gagnaleynd, við mælum með því að laga þessa stillingu.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP-hausinn er ekki stilltur á að minnsa kosti \"{seconds}\" sekúndur. Fyrir aukið öryggi mælum við með því að virkja HSTS eins og lýst er í öryggisleiðbeiningum.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : " Þú ert að tengjast þessu vefsvæði með HTTP. Við mælum eindregið með að þú stillir þjóninn á að krefjast HTTPS í staðinn eins og lýst er í öryggisleiðbeiningunum okkar.", - "Shared with {recipients}" : "Deilt með {recipients}", - "Error while unsharing" : "Villa við að hætta deilingu", - "can reshare" : "getur endurdeilt", - "can edit" : "getur breytt", - "can create" : "getur búið til", - "can change" : "getur breytt", - "can delete" : "getur eytt", - "access control" : "aðgangsstýring", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Deila með fólki í öðrum gagnaskýjum með auðkenninu notandanafn@dæmi.is/nextcloud", - "Share with users or by mail..." : "Deila með notendum eða með tölvupósti...", - "Share with users or remote users..." : "Deila með notendum eða fjartengdum notendum...", - "Share with users, remote users or by mail..." : "Deila með notendum, fjartengdum notendum eða með tölvupósti...", - "Share with users or groups..." : "Deila með notendum eða hópum...", - "Share with users, groups or by mail..." : "Deila með notendum, hópum eða með tölvupósti...", - "Share with users, groups or remote users..." : "Deila með notendum, hópum eða fjartengdum notendum...", - "Share with users, groups, remote users or by mail..." : "Deila með notendum, hópum, fjartengdum notendum eða með tölvupósti...", - "Share with users..." : "Deila með notendum...", - "The object type is not specified." : "Tegund hlutar ekki tilgreind", - "Enter new" : "Sláðu inn nýtt", - "Add" : "Bæta við", - "Edit tags" : "Breyta merkjum", - "Error loading dialog template: {error}" : "Villa við að hlaða valmynd sniðmátið: {error}", - "No tags selected for deletion." : "Engin merki valin til að eyða.", - "The update was successful. Redirecting you to Nextcloud now." : "Uppfærslan heppnaðist. Beini þér til Nextcloud nú.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Sælir,\n\nbara láta þig vita að %s deildi %s með þér.\n\nSkoðaðu það: %s\n\n", - "The share will expire on %s." : "Gildistími sameignar rennur út %s.", - "Cheers!" : "Skál!", - "The server encountered an internal error and was unable to complete your request." : "Innri villa kom upp á þjóninum og ekki náðist að afgreiða beiðnina.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Hafðu samband við kerfisstjóra ef þessi villa birtist oft aftur, láttu þá tæknilegu upplýsingarnar hér að neðan fylgja með.", - "For information how to properly configure your server, please see the documentation." : "Til að fá upplýsingar hvernig á að stilla miðlara almennilega, skaltu skoða hjálparskjölin.", - "Log out" : "Skrá út", - "This action requires you to confirm your password:" : "Þessi aðgerð krefst þess að þú staðfestir lykilorðið þitt:", - "Wrong password. Reset it?" : "Rangt lykilorð. Endursetja?", - "Use the following link to reset your password: {link}" : "Notað eftirfarandi veftengil til að endursetja lykilorðið þitt: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hæ þú,

bara að láta þig vita að %s deildi %s með þér.
Skoðaðu það!

", - "This Nextcloud instance is currently in single user mode." : "Þetta Nextcloud eintak er nú í eins-notanda ham.", - "This means only administrators can use the instance." : "Þetta þýðir aðeins stjórnendur geta notað eintakið.", - "You are accessing the server from an untrusted domain." : "Þú ert að tengjast þjóninum frá ótreystu léni.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Hafðu samband við kerfisstjóra. Ef þú ert stjórnandi á þessu tilviki, stilltu \"trusted_domains\" setninguna í config/config.php. Dæmi um stillingar má sjá í config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Það fer eftir stillingum þínum, sem stjórnandi þá gætir þú einnig notað hnappinn hér fyrir neðan til að treysta þessu léni.", - "Please use the command line updater because you have a big instance." : "Endilega notaðu uppfærslutólið af skipanalínu, því þú ert með mjög stóra uppsetningu.", - "For help, see the documentation." : "Til að fá hjálp er best að skoða fyrst hjálparskjölin.", - "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", - "You are about to grant \"%s\" access to your %s account." : "Þú ert að fara að leyfa \"%s\" aðgang að %s notandaaðgangnum þínum." + "Thank you for your patience." : "Þakka þér fyrir biðlundina." },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/core/l10n/it.js b/core/l10n/it.js index 74a47ccbb1c95..7bfc7671e1911 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Questa istanza di %s è attualmente in manutenzione, potrebbe richiedere del tempo.", "This page will refresh itself when the %s instance is available again." : "Questa pagina si aggiornerà quando l'istanza di %s sarà nuovamente disponibile.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contatta il tuo amministratore di sistema se questo messaggio persiste o appare inaspettatamente.", - "Thank you for your patience." : "Grazie per la pazienza.", - "%s (3rdparty)" : "%s (terze parti)", - "Problem loading page, reloading in 5 seconds" : "Problema durante il caricamento della pagina, aggiornamento tra 5 secondi", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "I tuoi file sono cifrati. Se non hai precedentemente abilitato la chiave di ripristino, non sarà più possibile ritrovare i tuoi dati una volta che la password sarà reimpostata.
Se non sei sicuro, contatta l'amministratore prima di proseguire.
Vuoi davvero continuare?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Il tuo server web non è configurato correttamente per consentire la sincronizzazione dei file poiché l'interfaccia WebDAV sembra essere danneggiata.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Il tuo server web non è configurato correttamente per risolvere \"{url}\". Ulteriori informazioni sono disponibili nella nostra documentazione.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Questo server non ha una connessione a Internet funzionante: diversi dispositivi finali non sono raggiungibili. Ciò significa che alcune delle funzionalità come il montaggio di archivi esterni, le notifiche degli aggiornamenti o l'installazione di applicazioni di terze parti non funzioneranno. L'accesso remoto ai file e l'invio di email di notifica potrebbero non funzionare. Ti suggeriamo di abilitare la connessione a Internet del server se desideri disporre di tutte le funzionalità.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Non è stata configurata alcuna cache di memoria. Per migliorare le prestazioni configura memcache, se disponibile. Ulteriori informazioni sono disponibili nella nostra documentazione.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom non è leggibile da PHP e ciò è vivamente sconsigliato per motivi di sicurezza. Ulteriori informazioni sono disponibili nella nostra documentazione.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Stai eseguendo attualmente PHP {version}. Ti esortiamo ad aggiornare la tua versione di PHP per trarre vantaggio dagli aggiornamenti in termini di prestazioni e sicurezza forniti dal PHP Group non appena la tua distribuzione la supporta.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configurazione delle intestazioni del proxy inverso non è corretta, o stai effettuando l'accesso a Nextcloud da un proxy affidabile. Se non stai effettuando l'accesso da un proxy affidabile, questo è un problema di sicurezza e può consentire a un attaccante di falsificare il suo indirizzo IP, rendendolo visibile a Nextcloud. Ulteriori informazioni sono disponibili nella nostra documentazione.", - "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 memcached wiki about both modules." : "Memcached è configurato come cache distribuita, ma è installato il modulo \"memcache\" errato. \\OC\\Memcache\\Memcached supporta solo \"memcached\" e non \"memcache\". Vedi il wiki di memcached per informazioni su entrambi i moduli.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alcuni file non hanno superato il controllo di integrità. Ulteriori informazioni su come risolvere questo problema sono disponibili nella nostra documentazione. (Elenco dei file non validi… / Nuova scansione…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", - "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." : "L'intestazione HTTP \"{header}\" non è configurata come \"{expected}\". \nQuesto è un potenziale rischio di sicurezza o di riservatezza dei dati e noi consigliamo di modificare questa impostazione.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "L'intestazione HTTP \"Strict-Transport-Security\" non è configurata con un valore di almeno \"{seconds}\" secondi. Per migliorare la sicurezza, consigliamo di abilitare HSTS come descritto nei nostri consigli sulla sicurezza.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Sei connesso a questo sito tramite HTTP. Ti suggeriamo vivamente di configurare il tuo server per richiedere invece l'utilizzo del protocollo HTTPS, come descritto nei nostri consigli sulla sicurezza.", - "Shared with {recipients}" : "Condiviso con {recipients}", - "Error while unsharing" : "Errore durante la rimozione della condivisione", - "can reshare" : "può ri-condividere", - "can edit" : "può modificare", - "can create" : "può creare", - "can change" : "può cambiare", - "can delete" : "può eliminare", - "access control" : "controllo d'accesso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Condividi con persone su altri server utilizzando il loro ID di cloud federata nomeutente@esempio.com/nextcloud", - "Share with users or by mail..." : "Condividi con utenti o tramite posta...", - "Share with users or remote users..." : "Condividi con utenti o utenti remoti...", - "Share with users, remote users or by mail..." : "Condividi con utenti, utenti remoti o tramite posta...", - "Share with users or groups..." : "Condividi con utenti o gruppi...", - "Share with users, groups or by mail..." : "Condividi con utenti, gruppi o tramite posta...", - "Share with users, groups or remote users..." : "Condividi con utenti, gruppi o utenti remoti...", - "Share with users, groups, remote users or by mail..." : "Condividi con utenti, gruppi, utenti remoti o tramite posta...", - "Share with users..." : "Condividi con utenti...", - "The object type is not specified." : "Il tipo di oggetto non è specificato.", - "Enter new" : "Inserisci nuovo", - "Add" : "Aggiungi", - "Edit tags" : "Modifica etichette", - "Error loading dialog template: {error}" : "Errore durante il caricamento del modello di finestra: {error}", - "No tags selected for deletion." : "Nessuna etichetta selezionata per l'eliminazione.", - "The update was successful. Redirecting you to Nextcloud now." : "L'aggiornamento è stato effettuato correttamente. Reindirizzamento immediato a Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Ciao,\n\nvolevo informarti che %s ha condiviso %s con te.\nVedi: %s\n\n", - "The share will expire on %s." : "La condivisione scadrà il %s.", - "Cheers!" : "Saluti!", - "The server encountered an internal error and was unable to complete your request." : "Il server ha riscontrato un errore interno e non è stato in grado di completare la tua richiesta.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Contatta l'amministratore del server se questo errore riappare più volte, includendo i dettagli tecnici sotto riportati nella tua segnalazione.", - "For information how to properly configure your server, please see the documentation." : "Per informazioni su come configurare correttamente il tuo server, vedi la documentazione.", - "Log out" : "Esci", - "This action requires you to confirm your password:" : "Questa azione richiede la conferma della tua password:", - "Wrong password. Reset it?" : "Password errata. Vuoi reimpostarla?", - "Use the following link to reset your password: {link}" : "Usa il collegamento seguente per ripristinare la password: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Ciao,

volevo informarti che %s ha condiviso %s con te.
Guarda!

", - "This Nextcloud instance is currently in single user mode." : "Questa istanza di Nextcloud è in modalità utente singolo.", - "This means only administrators can use the instance." : "Ciò significa che solo gli amministratori possono utilizzare l'istanza.", - "You are accessing the server from an untrusted domain." : "Stai accedendo al server da un dominio non attendibile.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Contatta il tuo amministratore di sistema. Se sei un amministratore di questa istanza, configura l'impostazione \"trusted_domains\" in config/config.php. Una configurazione di esempio è disponibile in config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "In base alla tua configurazione, come amministratore potrai utilizzare anche il pulsante in basso per rendere attendibile questo dominio.", - "Please use the command line updater because you have a big instance." : "Utilizza lo strumento da riga di comando per la grandezza della tua istanza.", - "For help, see the documentation." : "Per la guida, vedi la documentazione.", - "There was an error loading your contacts" : "Si è verificato un errore durante il caricamento dei tuoi contatti", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni in php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", - "You are about to grant \"%s\" access to your %s account." : "Stai per accordare a \"%s\" l'accesso al tuo account %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "La tua versione di PHP non ha il supporto freetype. Ciò causera problemi con le immagini dei profili e con l'interfaccia delle impostazioni." + "Thank you for your patience." : "Grazie per la pazienza." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/it.json b/core/l10n/it.json index 97d58e8ecacf3..77be34db2d5fa 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Questa istanza di %s è attualmente in manutenzione, potrebbe richiedere del tempo.", "This page will refresh itself when the %s instance is available again." : "Questa pagina si aggiornerà quando l'istanza di %s sarà nuovamente disponibile.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contatta il tuo amministratore di sistema se questo messaggio persiste o appare inaspettatamente.", - "Thank you for your patience." : "Grazie per la pazienza.", - "%s (3rdparty)" : "%s (terze parti)", - "Problem loading page, reloading in 5 seconds" : "Problema durante il caricamento della pagina, aggiornamento tra 5 secondi", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "I tuoi file sono cifrati. Se non hai precedentemente abilitato la chiave di ripristino, non sarà più possibile ritrovare i tuoi dati una volta che la password sarà reimpostata.
Se non sei sicuro, contatta l'amministratore prima di proseguire.
Vuoi davvero continuare?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Il tuo server web non è configurato correttamente per consentire la sincronizzazione dei file poiché l'interfaccia WebDAV sembra essere danneggiata.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Il tuo server web non è configurato correttamente per risolvere \"{url}\". Ulteriori informazioni sono disponibili nella nostra documentazione.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Questo server non ha una connessione a Internet funzionante: diversi dispositivi finali non sono raggiungibili. Ciò significa che alcune delle funzionalità come il montaggio di archivi esterni, le notifiche degli aggiornamenti o l'installazione di applicazioni di terze parti non funzioneranno. L'accesso remoto ai file e l'invio di email di notifica potrebbero non funzionare. Ti suggeriamo di abilitare la connessione a Internet del server se desideri disporre di tutte le funzionalità.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Non è stata configurata alcuna cache di memoria. Per migliorare le prestazioni configura memcache, se disponibile. Ulteriori informazioni sono disponibili nella nostra documentazione.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom non è leggibile da PHP e ciò è vivamente sconsigliato per motivi di sicurezza. Ulteriori informazioni sono disponibili nella nostra documentazione.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Stai eseguendo attualmente PHP {version}. Ti esortiamo ad aggiornare la tua versione di PHP per trarre vantaggio dagli aggiornamenti in termini di prestazioni e sicurezza forniti dal PHP Group non appena la tua distribuzione la supporta.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configurazione delle intestazioni del proxy inverso non è corretta, o stai effettuando l'accesso a Nextcloud da un proxy affidabile. Se non stai effettuando l'accesso da un proxy affidabile, questo è un problema di sicurezza e può consentire a un attaccante di falsificare il suo indirizzo IP, rendendolo visibile a Nextcloud. Ulteriori informazioni sono disponibili nella nostra documentazione.", - "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 memcached wiki about both modules." : "Memcached è configurato come cache distribuita, ma è installato il modulo \"memcache\" errato. \\OC\\Memcache\\Memcached supporta solo \"memcached\" e non \"memcache\". Vedi il wiki di memcached per informazioni su entrambi i moduli.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alcuni file non hanno superato il controllo di integrità. Ulteriori informazioni su come risolvere questo problema sono disponibili nella nostra documentazione. (Elenco dei file non validi… / Nuova scansione…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", - "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." : "L'intestazione HTTP \"{header}\" non è configurata come \"{expected}\". \nQuesto è un potenziale rischio di sicurezza o di riservatezza dei dati e noi consigliamo di modificare questa impostazione.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "L'intestazione HTTP \"Strict-Transport-Security\" non è configurata con un valore di almeno \"{seconds}\" secondi. Per migliorare la sicurezza, consigliamo di abilitare HSTS come descritto nei nostri consigli sulla sicurezza.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Sei connesso a questo sito tramite HTTP. Ti suggeriamo vivamente di configurare il tuo server per richiedere invece l'utilizzo del protocollo HTTPS, come descritto nei nostri consigli sulla sicurezza.", - "Shared with {recipients}" : "Condiviso con {recipients}", - "Error while unsharing" : "Errore durante la rimozione della condivisione", - "can reshare" : "può ri-condividere", - "can edit" : "può modificare", - "can create" : "può creare", - "can change" : "può cambiare", - "can delete" : "può eliminare", - "access control" : "controllo d'accesso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Condividi con persone su altri server utilizzando il loro ID di cloud federata nomeutente@esempio.com/nextcloud", - "Share with users or by mail..." : "Condividi con utenti o tramite posta...", - "Share with users or remote users..." : "Condividi con utenti o utenti remoti...", - "Share with users, remote users or by mail..." : "Condividi con utenti, utenti remoti o tramite posta...", - "Share with users or groups..." : "Condividi con utenti o gruppi...", - "Share with users, groups or by mail..." : "Condividi con utenti, gruppi o tramite posta...", - "Share with users, groups or remote users..." : "Condividi con utenti, gruppi o utenti remoti...", - "Share with users, groups, remote users or by mail..." : "Condividi con utenti, gruppi, utenti remoti o tramite posta...", - "Share with users..." : "Condividi con utenti...", - "The object type is not specified." : "Il tipo di oggetto non è specificato.", - "Enter new" : "Inserisci nuovo", - "Add" : "Aggiungi", - "Edit tags" : "Modifica etichette", - "Error loading dialog template: {error}" : "Errore durante il caricamento del modello di finestra: {error}", - "No tags selected for deletion." : "Nessuna etichetta selezionata per l'eliminazione.", - "The update was successful. Redirecting you to Nextcloud now." : "L'aggiornamento è stato effettuato correttamente. Reindirizzamento immediato a Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Ciao,\n\nvolevo informarti che %s ha condiviso %s con te.\nVedi: %s\n\n", - "The share will expire on %s." : "La condivisione scadrà il %s.", - "Cheers!" : "Saluti!", - "The server encountered an internal error and was unable to complete your request." : "Il server ha riscontrato un errore interno e non è stato in grado di completare la tua richiesta.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Contatta l'amministratore del server se questo errore riappare più volte, includendo i dettagli tecnici sotto riportati nella tua segnalazione.", - "For information how to properly configure your server, please see the documentation." : "Per informazioni su come configurare correttamente il tuo server, vedi la documentazione.", - "Log out" : "Esci", - "This action requires you to confirm your password:" : "Questa azione richiede la conferma della tua password:", - "Wrong password. Reset it?" : "Password errata. Vuoi reimpostarla?", - "Use the following link to reset your password: {link}" : "Usa il collegamento seguente per ripristinare la password: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Ciao,

volevo informarti che %s ha condiviso %s con te.
Guarda!

", - "This Nextcloud instance is currently in single user mode." : "Questa istanza di Nextcloud è in modalità utente singolo.", - "This means only administrators can use the instance." : "Ciò significa che solo gli amministratori possono utilizzare l'istanza.", - "You are accessing the server from an untrusted domain." : "Stai accedendo al server da un dominio non attendibile.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Contatta il tuo amministratore di sistema. Se sei un amministratore di questa istanza, configura l'impostazione \"trusted_domains\" in config/config.php. Una configurazione di esempio è disponibile in config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "In base alla tua configurazione, come amministratore potrai utilizzare anche il pulsante in basso per rendere attendibile questo dominio.", - "Please use the command line updater because you have a big instance." : "Utilizza lo strumento da riga di comando per la grandezza della tua istanza.", - "For help, see the documentation." : "Per la guida, vedi la documentazione.", - "There was an error loading your contacts" : "Si è verificato un errore durante il caricamento dei tuoi contatti", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OpCache non è configurata correttamente. Per prestazioni migliori consigliamo di utilizzare le impostazioni in php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La funzione PHP \"set_time_limit\" non è disponibile. Ciò potrebbe comportare l'interruzione di script durante l'esecuzione, compromettendo la tua installazione. Ti consigliamo vivamente di abilitare questa funzione.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "La cartella dei dati e i tuoi file sono probabilmente accessibili da Internet.\nIl file .htaccess non funziona. Ti consigliamo vivamente di configurare il server web in modo che la cartella dei dati non sia più accessibile o di spostare la cartella fuori dalla radice del server web.", - "You are about to grant \"%s\" access to your %s account." : "Stai per accordare a \"%s\" l'accesso al tuo account %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "La tua versione di PHP non ha il supporto freetype. Ciò causera problemi con le immagini dei profili e con l'interfaccia delle impostazioni." + "Thank you for your patience." : "Grazie per la pazienza." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/ja.js b/core/l10n/ja.js deleted file mode 100644 index cb7359e940269..0000000000000 --- a/core/l10n/ja.js +++ /dev/null @@ -1,352 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "ファイルを選択してください。", - "File is too big" : "ファイルが大きすぎます", - "The selected file is not an image." : "選択されたファイルは画像ではありません", - "The selected file cannot be read." : "選択されたファイルを読込みできませんでした", - "Invalid file provided" : "無効なファイルが提供されました", - "No image or file provided" : "画像もしくはファイルが提供されていません", - "Unknown filetype" : "不明なファイルタイプ", - "Invalid image" : "無効な画像", - "An error occurred. Please contact your admin." : "エラーが発生しました。管理者に連絡してください。", - "No temporary profile picture available, try again" : "一時的なプロファイル用画像が利用できません。もう一度試してください", - "No crop data provided" : "クロップデータは提供されません", - "No valid crop data provided" : "有効なクロップデータは提供されません", - "Crop is not square" : "クロップが正方形ではありません", - "State token does not match" : "トークンが適合しません", - "Password reset is disabled" : "パスワードリセットは無効化されています", - "Couldn't reset password because the token is invalid" : "トークンが無効なため、パスワードをリセットできませんでした", - "Couldn't reset password because the token is expired" : "トークンが期限切れのため、パスワードをリセットできませんでした", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "このユーザー名に紐付けられたメールアドレスがないため、リセットメールを送信できませんでした。管理者に問い合わせてください。", - "%s password reset" : "%s パスワードリセット", - "Password reset" : "パスワードのリセット", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "次のボタンをクリックしてパスワードをリセットしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "パスワードをリセットするには、次のリンクをクリックしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", - "Reset your password" : "パスワードをリセット", - "Couldn't send reset email. Please contact your administrator." : "リセットメールを送信できませんでした。管理者に問い合わせてください。", - "Couldn't send reset email. Please make sure your username is correct." : "リセットメールを送信できませんでした。ユーザー名が正しいことを確認してください。", - "Preparing update" : "アップデートの準備中", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "修復警告:", - "Repair error: " : "修復エラー:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "config.php で自動更新が無効になっているので、コマンドラインでの更新を利用してください。", - "[%d / %d]: Checking table %s" : "[%d / %d]: テーブル %s をチェック中", - "Turned on maintenance mode" : "メンテナンスモードがオンになりました", - "Turned off maintenance mode" : "メンテナンスモードがオフになりました", - "Maintenance mode is kept active" : "メンテナンスモードが継続中です", - "Updating database schema" : "データベースのスキーマを更新", - "Updated database" : "データベース更新済み", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "データベーススキーマーがアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", - "Checked database schema update" : "指定データベースのスキーマを更新", - "Checking updates of apps" : "アプリの更新をチェックしています。", - "Checking for update of app \"%s\" in appstore" : "アップストアで \"%s\" アプリの更新を確認しています", - "Update app \"%s\" from appstore" : "アップストアで \"%s\" アプリを更新", - "Checked for update of app \"%s\" in appstore" : "アップストアの \"%s\" アプリ更新確認済", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "データベーススキーマー %s がアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", - "Checked database schema update for apps" : "アプリの指定データベースのスキーマを更新", - "Updated \"%s\" to %s" : "\"%s\" を %s にアップデートしました。", - "Set log level to debug" : "ログをデバッグレベルに設定", - "Reset log level" : "ログレベルをリセット", - "Starting code integrity check" : "コード整合性の確認を開始", - "Finished code integrity check" : "コード整合性の確認が終了", - "%s (incompatible)" : "%s (非互換)", - "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", - "Already up to date" : "すべて更新済", - "Search contacts …" : "連絡先を検索...", - "No contacts found" : "連絡先が見つかりません", - "Show all contacts …" : "全ての連絡先を表示...", - "Loading your contacts …" : "連絡先を読み込み中...", - "Looking for {term} …" : "{term} を確認中 ...", - "There were problems with the code integrity check. More information…" : "コード整合性の確認で問題が発生しました。詳しくはこちら…", - "No action available" : "操作できません", - "Error fetching contact actions" : "連絡先操作取得エラー", - "Settings" : "設定", - "Connection to server lost" : "サーバとの接続が切断されました", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["ページ読込に問題がありました。%n秒後に再読込します"], - "Saving..." : "保存中...", - "Dismiss" : "閉じる", - "This action requires you to confirm your password" : "この操作では、パスワードを確認する必要があります", - "Authentication required" : "認証が必要です", - "Password" : "パスワード", - "Cancel" : "キャンセル", - "Confirm" : "確認", - "Failed to authenticate, try again" : "認証に失敗しました。もう一度お試しください", - "seconds ago" : "数秒前", - "Logging in …" : "ログイン中...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "パスワードをリセットするリンクをクリックしたので、メールを送信しました。しばらくたってもメールが届かなかった場合は、スパム/ジャンクフォルダーを確認してください。
それでも見つからなかった場合は、管理者に問合わせてください。", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。パスワードをリセットした場合、データを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", - "I know what I'm doing" : "どういう操作をしているか理解しています", - "Password can not be changed. Please contact your administrator." : "パスワードは変更できません。管理者に問い合わせてください。", - "Reset password" : "パスワードをリセット", - "Sending email …" : "メールを送信中 ...", - "No" : "いいえ", - "Yes" : "はい", - "No files in here" : "ここにはファイルがありません", - "Choose" : "選択", - "Copy" : "コピー", - "Move" : "移動", - "Error loading file picker template: {error}" : "ファイル選択テンプレートの読み込みエラー: {error}", - "OK" : "OK", - "Error loading message template: {error}" : "メッセージテンプレートの読み込みエラー: {error}", - "read-only" : "読み取り専用", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} ファイルが競合"], - "One file conflict" : "1ファイルが競合", - "New Files" : "新しいファイル", - "Already existing files" : "既存のファイル", - "Which files do you want to keep?" : "どちらのファイルを保持しますか?", - "If you select both versions, the copied file will have a number added to its name." : "両方のバージョンを選択した場合は、ファイル名の後ろに数字を追加したファイルのコピーを作成します。", - "Continue" : "続ける", - "(all selected)" : "(すべて選択)", - "({count} selected)" : "({count} 選択)", - "Error loading file exists template" : "既存ファイルのテンプレートの読み込みエラー", - "Pending" : "保留中", - "Copy to {folder}" : "{folder}へコピー", - "Move to {folder}" : "{folder}へ移動", - "Very weak password" : "非常に弱いパスワード", - "Weak password" : "弱いパスワード", - "So-so password" : "まずまずのパスワード", - "Good password" : "良好なパスワード", - "Strong password" : "強いパスワード", - "Error occurred while checking server setup" : "サーバー設定のチェック中にエラーが発生しました", - "Shared" : "共有中", - "Error setting expiration date" : "有効期限の設定でエラー発生", - "The public link will expire no later than {days} days after it is created" : "URLによる共有は、作成してから {days} 日以内に有効期限切れになります", - "Set expiration date" : "有効期限を設定", - "Expiration" : "期限切れ", - "Expiration date" : "有効期限", - "Choose a password for the public link" : "URLによる共有のパスワードを入力", - "Choose a password for the public link or press the \"Enter\" key" : "公開リンクのパスワードを入力、または、\"エンター\"のみを叩く", - "Copied!" : "コピーされました!", - "Not supported!" : "サポートされていません!", - "Press ⌘-C to copy." : "⌘+Cを押してコピーします。", - "Press Ctrl-C to copy." : "Ctrl+Cを押してコピーします。", - "Resharing is not allowed" : "再共有は許可されていません", - "Share to {name}" : "{name} に共有する", - "Share link" : "URLで共有", - "Link" : "リンク", - "Password protect" : "パスワード保護を有効化", - "Allow editing" : "編集を許可", - "Email link to person" : "メールリンク", - "Send" : "送信", - "Allow upload and editing" : "アップロードと編集を許可する", - "Read only" : "読み取り専用", - "File drop (upload only)" : "ファイルドロップ(アップロードのみ)", - "Shared with you and the group {group} by {owner}" : "あなたと {owner} のグループ {group} で共有中", - "Shared with you by {owner}" : "{owner} より共有中", - "Choose a password for the mail share" : "メール共有のパスワードを選択", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} がリンク経由で共有", - "group" : "グループ", - "remote" : "リモート", - "email" : "メール", - "shared by {sharer}" : "共有した人 {sharer}", - "Unshare" : "共有解除", - "Can reshare" : "再共有可能", - "Can edit" : "編集可能", - "Can create" : "作成可能", - "Can change" : "変更可能", - "Can delete" : "削除可能", - "Access control" : "アクセス制御", - "Could not unshare" : "共有の解除ができませんでした", - "Error while sharing" : "共有でエラー発生", - "Share details could not be loaded for this item." : "共有の詳細はこのアイテムによりロードできませんでした。", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["オートコンプリートには{count}文字以上必要です"], - "This list is maybe truncated - please refine your search term to see more results." : "このリストは切り捨てられている可能性があります - 検索語句を絞り込んで検索結果を表示してください。", - "No users or groups found for {search}" : "{search} の検索でユーザー、グループが見つかりません", - "No users found for {search}" : "{search} のユーザーはいませんでした", - "An error occurred. Please try again" : "エラーが発生しました。もう一度実行してください。", - "{sharee} (group)" : "{sharee} (グループ)", - "{sharee} (remote)" : "{sharee} (リモート)", - "{sharee} (email)" : "{sharee} (メール)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "共有", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "ユーザー名、グループ、クラウド統合ID、メールアドレスで共有", - "Share with other people by entering a user or group or a federated cloud ID." : "ユーザー名、グループ、クラウド統合IDで共有", - "Share with other people by entering a user or group or an email address." : "ユーザー名やグループ名、メールアドレスで共有", - "Name or email address..." : "名前またはメールアドレス", - "Name or federated cloud ID..." : "ユーザー名または、クラウド統合ID...", - "Name, federated cloud ID or email address..." : "ユーザー名、クラウド統合ID、またはメールアドレス", - "Name..." : "ユーザー名...", - "Error" : "エラー", - "Error removing share" : "共有の削除エラー", - "Non-existing tag #{tag}" : "存在しないタグ#{tag}", - "restricted" : "制限済", - "invisible" : "不可視", - "({scope})" : "({scope})", - "Delete" : "削除", - "Rename" : "名前の変更", - "Collaborative tags" : "コラボタグ", - "No tags found" : "タグが見つかりません", - "unknown text" : "不明なテキスト", - "Hello world!" : "Hello world!", - "sunny" : "快晴", - "Hello {name}, the weather is {weather}" : "こんにちは、 {name}、 天気は{weather}です", - "Hello {name}" : " {name}さん、こんにちは", - "These are your search results" : "これが検索結果です", - "new" : "新規", - "_download %n file_::_download %n files_" : ["%n個のファイルをダウンロード"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "更新が進行中です。このページを離れると一部の環境では処理が中断されてしまう可能性があります。", - "Update to {version}" : "{version} にアップデート", - "An error occurred." : "エラーが発生しました。", - "Please reload the page." : "ページをリロードしてください。", - "The update was unsuccessful. For more information check our forum post covering this issue." : "アップデートできませんでした。この問題に対する詳細な情報については、フォーラムの投稿を確認してください ", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "アップデートできませんでした。Nextcloud コミュニティ に問題を報告してください。", - "Continue to Nextcloud" : "Nextcloud に進む", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["更新が成功しました。 %n 秒後に Nextcloud にリダイレクトします。"], - "Searching other places" : "他の場所の検索", - "No search results in other folders for {tag}{filter}{endtag}" : "他のフォルダーに {tag}{filter}{endtag} の検索結果はありません", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["他のフォルダーの検索件数 {count}"], - "Personal" : "個人", - "Users" : "ユーザー", - "Apps" : "アプリ", - "Admin" : "管理", - "Help" : "ヘルプ", - "Access forbidden" : "アクセスが禁止されています", - "File not found" : "ファイルが見つかりません", - "The specified document has not been found on the server." : "サーバーに指定されたファイルが見つかりませんでした。", - "You can click here to return to %s." : "ここをクリックすると、 %s に戻れます。", - "Internal Server Error" : "内部サーバーエラー", - "More details can be found in the server log." : "詳細は、サーバーのログを確認してください。", - "Technical details" : "技術詳細", - "Remote Address: %s" : "リモートアドレス: %s", - "Request ID: %s" : "リクエスト ID: %s", - "Type: %s" : "種類: %s", - "Code: %s" : "コード: %s", - "Message: %s" : "メッセージ: %s", - "File: %s" : "ファイル: %s", - "Line: %s" : "行: %s", - "Trace" : "トレース", - "Security warning" : "セキュリティ警告", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : ".htaccessファイルが動作していないため、おそらくあなたのデータディレクトリまたはファイルはインターネットからアクセス可能になっています。", - "Create an admin account" : "管理者アカウントを作成してください", - "Username" : "ユーザー名", - "Storage & database" : "ストレージとデータベース", - "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" : "データベースの表領域", - "Database host" : "データベースのホスト名", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "ポート番号をホスト名とともに指定してください(例:localhost:5432)。", - "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" : "ドキュメントを確認してください", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "このアプリケーションの動作にはJavaScriptが必要です。\n {linkstart}JavaScriptを有効にし{linkend} 、ページを更新してください。 ", - "More apps" : "さらにアプリ", - "Search" : "検索", - "Confirm your password" : "パスワードを確認", - "Server side authentication failed!" : "サーバーサイドの認証に失敗しました!", - "Please contact your administrator." : "管理者に問い合わせてください。", - "An internal error occurred." : "内部エラーが発生しました。", - "Please try again or contact your administrator." : "もう一度試してみるか、管理者に問い合わせてください。", - "Username or email" : "ユーザ名かメールアドレス", - "Log in" : "ログイン", - "Wrong password." : "パスワードが間違っています。", - "Stay logged in" : "ログインしたままにする", - "Forgot password?" : "パスワードをお忘れですか?", - "Alternative Logins" : "代替ログイン", - "Account access" : "アカウントによるアクセス許可", - "You are about to grant %s access to your %s account." : "%s アカウントに あなたのアカウント %s へのアクセスを許可", - "App token" : "アプリのトークン", - "Alternative login using app token" : "アプリトークンを使って代替ログイン", - "Redirecting …" : "転送中...", - "New password" : "新しいパスワードを入力", - "New Password" : "新しいパスワード", - "Two-factor authentication" : "2要素認証", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "このアカウントは強化セキュリティが適用されています。第二経路から認証してください。", - "Cancel log in" : "ログインをキャンセルする", - "Use backup code" : "バックアップコードを使用する", - "Error while validating your second factor" : "第二要素の検証でエラーが発生しました", - "Add \"%s\" as trusted domain" : "\"%s\" を信頼するドメイン名に追加", - "App update required" : "アプリの更新が必要", - "%s will be updated to version %s" : "%s は バーション %s にアップデートされます", - "These apps will be updated:" : "次のアプリはアップデートされます:", - "These incompatible apps will be disabled:" : "次の非互換のないアプリは無効になる:", - "The theme %s has been disabled." : "テーマ %s が無効になっています。", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "データベースを確認してください。実行前にconfigフォルダーとdataフォルダーをバックアップします。", - "Start update" : "アップデートを開始", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "大規模なサイトの場合、ブラウザーがタイムアウトする可能性があるため、インストールディレクトリで以下のコマンドを実行することもできます。", - "Detailed logs" : "詳細ログ", - "Update needed" : "更新が必要です", - "Please use the command line updater because you have a big instance with more than 50 users." : "50人以上が使う大規模システムの場合は、コマンドラインでアップグレードを行ってください。", - "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Web 画面から続行すると危険性があることを理解しています。この操作がタイムアウトすると、データが失われる危険性があることを理解しています。もし失敗した場合には取得済みのバックアップから修復する方法を理解しています。", - "Upgrade via web on my own risk" : "危険性を理解した上でWeb画面からアップグレード", - "This %s instance is currently in maintenance mode, which may take a while." : "このサーバー %s は現在メンテナンスモードです。しばらくお待ちください。", - "This page will refresh itself when the %s instance is available again." : "この画面は、サーバー %s の再起動後に自動的に更新されます。", - "Contact your system administrator if this message persists or appeared unexpectedly." : "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に問い合わせてください。", - "Thank you for your patience." : "しばらくお待ちください。", - "%s (3rdparty)" : "%s (サードパーティー)", - "Problem loading page, reloading in 5 seconds" : "ページ読込に問題がありました。5秒後に再読込します", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。リカバリーキーが有効でない場合は、パスワードをリセットした後にあなたのデータを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "WebDAVインターフェースが動作していないようです。Webサーバーは、ファイルの同期を許可するよう適切に設定されていません。", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Webサーバーは適切にホスト名 \"{url}\" が引けるように設定されていません。より詳しい情報については、ドキュメント を参照ください。", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "このサーバーはインターネットに接続していません: 複数のエンドポイントに到達できませんでした。つまり、外部ストレージをマウントする、サードパーティのアプリケーションのアップデートやインストール、通知などの機能の一部が動作しません。リモートでファイルにアクセスしたり、通知メールを送信したりすることもできません。すべての機能を使用する場合は、このサーバーをインターネットに接続することをお勧めします。", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "メモリキャッシュが設定されていません。パフォーマンスを向上するために、可能であれば memcache を設定してください。 より詳しい情報については、を参照してください。", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom を PHP から読み取ることができません。この状態はセキュリティの観点からおすすめできません。より詳しい情報については、ドキュメント を参照ください。", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "このサーバーでは、{version} のPHPを利用しています。パフォーマンスとセキュリティ上のメリットがあるため利用中のディストリビューションでPHP グループの提供する最新のPHPのバージョンになるべく早くアップデートすることを強くお勧めします。", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "リバースプロキシヘッダーの設定が正しくないか、信頼できるプロキシからNextcloudにアクセスしています。信頼できるプロキシからNextcloudにアクセスしていない場合、これはセキュリティ上の問題であり、攻撃者が自分のIPアドレスを偽装してNextcloudに見えるようにしている可能性があります。詳細については、ドキュメントをご覧ください。", - "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 memcached wiki about both modules." : "Memcached は分散キャッシュとして設定されています。しかし、PHPモジュール \"memcache\"が間違ってインストールされています。 \\OC\\Memcache\\Memcached は、\"memcached\" のみをサポートしています。\"memcache\" ではありません。memcached wiki で両方のモジュールの情報 について確認してください。", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "いくつかのファイルでチェックサムが適合しませんでした。この問題を解決するためは、ドキュメントの詳細を見てください。(不適合ファイルのリスト… / 再チェック…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "データディレクトリとファイルがインターネットからアクセス可能になっている可能性があります。.htaccessファイルが機能していません。データディレクトリがアクセスされないようにWebサーバーを設定するか、Webサーバーのドキュメントルートからデータディレクトリを移動するように強くお勧めします。", - "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." : "\"{header}\" HTTP ヘッダは \"{expected}\" に設定されていません。これは潜在的なセキュリティリスクもしくはプライバシーリスクとなる可能性があるため、この設定を見直すことをおすすめします。", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP ヘッダ の \"Strict-Transport-Security\" が少なくとも \"{seconds}\" 秒に設定されていません。 セキュリティを強化するため、セキュリティTipsを参照して、HSTS を有効にすることをおすすめします。", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "HTTP経由でアクセスしています。security tipsを参照して、代わりにHTTPSを使用するようサーバーを設定することを強くおすすめします。 instead as described in our .", - "Shared with {recipients}" : "{recipients} と共有", - "Error while unsharing" : "共有解除でエラー発生", - "can reshare" : "再共有可能", - "can edit" : "編集を許可", - "can create" : "作成できます", - "can change" : "変更できます", - "can delete" : "削除できます", - "access control" : "アクセス権限", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Federated Cloud ID( username@example.com/nextcloud )を使用して他のサーバーのユーザーと共有する", - "Share with users or by mail..." : "ユーザーまたはメールで共有する...", - "Share with users or remote users..." : "ユーザーまたはリモートユーザーと共有する...", - "Share with users, remote users or by mail..." : "ユーザー、リモートユーザーまたはメールで共有する...", - "Share with users or groups..." : "ユーザーやグループと共有する...", - "Share with users, groups or by mail..." : "ユーザー、グループ、またはメールで共有...", - "Share with users, groups or remote users..." : "ユーザー、グループ、またはリモートユーザーと共有する...", - "Share with users, groups, remote users or by mail..." : "ユーザー、グループ、リモートユーザーまたはメールで共有...", - "Share with users..." : "ユーザーと共有する...", - "The object type is not specified." : "オブジェクトタイプが指定されていません。", - "Enter new" : "新規に入力", - "Add" : "追加", - "Edit tags" : "タグを編集", - "Error loading dialog template: {error}" : "メッセージテンプレートの読み込みエラー: {error}", - "No tags selected for deletion." : "削除するタグが選択されていません。", - "The update was successful. Redirecting you to Nextcloud now." : "アップデート成功。Nextcloud にリダイレクトします。", - "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!" : "それでは!", - "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." : "このエラーが繰り返し表示されるようであれば、以下の技術情報を添付してサーバー管理者に問い合わせてください。", - "For information how to properly configure your server, please see the documentation." : "サーバーを適正に設定する情報は、こちらのドキュメントを参照してください。", - "Log out" : "ログアウト", - "This action requires you to confirm your password:" : "この操作では、パスワードを確認する必要があります:", - "Wrong password. Reset it?" : "パスワードが間違っています。リセットしますか?", - "Use the following link to reset your password: {link}" : "パスワードをリセットするには次のリンクをクリックしてください: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "こんにちは、

%sがあなたと »%s« を共有したことをお知らせします。
それを表示

", - "This Nextcloud instance is currently in single user mode." : "このNextcloudインスタンスは、現在シングルユーザーモードです。", - "This means only administrators can use the instance." : "これは、管理者のみがインスタンスを利用できることを意味しています。", - "You are accessing the server from an untrusted domain." : "信頼されていないドメインからサーバーにアクセスしています。", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "管理者に問い合わせてください。このサーバーの管理者の場合は、\"trusted_domain\" の設定を config/config.php に設定してください。config/config.sample.php にサンプルの設定方法が記載してあります。", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "環境により、下のボタンで信頼するドメインに追加する必要があるかもしれません。", - "Please use the command line updater because you have a big instance." : "データ量が大きいため、コマンドラインでの更新を利用してください。", - "For help, see the documentation." : "不明な場合、ドキュメントを参照してください。", - "There was an error loading your contacts" : "連絡先の読み込みに失敗しました。", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache が正しく設定されていません。 パフォーマンスを向上させるため ↗ php.ini で次の設定を使用することをお勧めします:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 関数 \"set_time_limit\" は使用できません。これにより実行スクリプトが途中で停止されて、インストールを破壊する可能性があります。この機能を有効にすることを強くお勧めします。", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : ".htaccess ファイルが機能していないため、インターネットからあなたのデータディレクトリとファイルにアクセスできる可能性があります。Webサーバの設定を変更してデータディレクトリにアクセス出来ないようにするか、データディレクトリをドキュメントルートの外側に移動することを強く推奨します。", - "You are about to grant \"%s\" access to your %s account." : "%s アカウントで \"%s\" での接続を許可" -}, -"nplurals=1; plural=0;"); diff --git a/core/l10n/ja.json b/core/l10n/ja.json deleted file mode 100644 index 40a36d4180e59..0000000000000 --- a/core/l10n/ja.json +++ /dev/null @@ -1,350 +0,0 @@ -{ "translations": { - "Please select a file." : "ファイルを選択してください。", - "File is too big" : "ファイルが大きすぎます", - "The selected file is not an image." : "選択されたファイルは画像ではありません", - "The selected file cannot be read." : "選択されたファイルを読込みできませんでした", - "Invalid file provided" : "無効なファイルが提供されました", - "No image or file provided" : "画像もしくはファイルが提供されていません", - "Unknown filetype" : "不明なファイルタイプ", - "Invalid image" : "無効な画像", - "An error occurred. Please contact your admin." : "エラーが発生しました。管理者に連絡してください。", - "No temporary profile picture available, try again" : "一時的なプロファイル用画像が利用できません。もう一度試してください", - "No crop data provided" : "クロップデータは提供されません", - "No valid crop data provided" : "有効なクロップデータは提供されません", - "Crop is not square" : "クロップが正方形ではありません", - "State token does not match" : "トークンが適合しません", - "Password reset is disabled" : "パスワードリセットは無効化されています", - "Couldn't reset password because the token is invalid" : "トークンが無効なため、パスワードをリセットできませんでした", - "Couldn't reset password because the token is expired" : "トークンが期限切れのため、パスワードをリセットできませんでした", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "このユーザー名に紐付けられたメールアドレスがないため、リセットメールを送信できませんでした。管理者に問い合わせてください。", - "%s password reset" : "%s パスワードリセット", - "Password reset" : "パスワードのリセット", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "次のボタンをクリックしてパスワードをリセットしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "パスワードをリセットするには、次のリンクをクリックしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", - "Reset your password" : "パスワードをリセット", - "Couldn't send reset email. Please contact your administrator." : "リセットメールを送信できませんでした。管理者に問い合わせてください。", - "Couldn't send reset email. Please make sure your username is correct." : "リセットメールを送信できませんでした。ユーザー名が正しいことを確認してください。", - "Preparing update" : "アップデートの準備中", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "修復警告:", - "Repair error: " : "修復エラー:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "config.php で自動更新が無効になっているので、コマンドラインでの更新を利用してください。", - "[%d / %d]: Checking table %s" : "[%d / %d]: テーブル %s をチェック中", - "Turned on maintenance mode" : "メンテナンスモードがオンになりました", - "Turned off maintenance mode" : "メンテナンスモードがオフになりました", - "Maintenance mode is kept active" : "メンテナンスモードが継続中です", - "Updating database schema" : "データベースのスキーマを更新", - "Updated database" : "データベース更新済み", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "データベーススキーマーがアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", - "Checked database schema update" : "指定データベースのスキーマを更新", - "Checking updates of apps" : "アプリの更新をチェックしています。", - "Checking for update of app \"%s\" in appstore" : "アップストアで \"%s\" アプリの更新を確認しています", - "Update app \"%s\" from appstore" : "アップストアで \"%s\" アプリを更新", - "Checked for update of app \"%s\" in appstore" : "アップストアの \"%s\" アプリ更新確認済", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "データベーススキーマー %s がアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", - "Checked database schema update for apps" : "アプリの指定データベースのスキーマを更新", - "Updated \"%s\" to %s" : "\"%s\" を %s にアップデートしました。", - "Set log level to debug" : "ログをデバッグレベルに設定", - "Reset log level" : "ログレベルをリセット", - "Starting code integrity check" : "コード整合性の確認を開始", - "Finished code integrity check" : "コード整合性の確認が終了", - "%s (incompatible)" : "%s (非互換)", - "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", - "Already up to date" : "すべて更新済", - "Search contacts …" : "連絡先を検索...", - "No contacts found" : "連絡先が見つかりません", - "Show all contacts …" : "全ての連絡先を表示...", - "Loading your contacts …" : "連絡先を読み込み中...", - "Looking for {term} …" : "{term} を確認中 ...", - "There were problems with the code integrity check. More information…" : "コード整合性の確認で問題が発生しました。詳しくはこちら…", - "No action available" : "操作できません", - "Error fetching contact actions" : "連絡先操作取得エラー", - "Settings" : "設定", - "Connection to server lost" : "サーバとの接続が切断されました", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["ページ読込に問題がありました。%n秒後に再読込します"], - "Saving..." : "保存中...", - "Dismiss" : "閉じる", - "This action requires you to confirm your password" : "この操作では、パスワードを確認する必要があります", - "Authentication required" : "認証が必要です", - "Password" : "パスワード", - "Cancel" : "キャンセル", - "Confirm" : "確認", - "Failed to authenticate, try again" : "認証に失敗しました。もう一度お試しください", - "seconds ago" : "数秒前", - "Logging in …" : "ログイン中...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "パスワードをリセットするリンクをクリックしたので、メールを送信しました。しばらくたってもメールが届かなかった場合は、スパム/ジャンクフォルダーを確認してください。
それでも見つからなかった場合は、管理者に問合わせてください。", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。パスワードをリセットした場合、データを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", - "I know what I'm doing" : "どういう操作をしているか理解しています", - "Password can not be changed. Please contact your administrator." : "パスワードは変更できません。管理者に問い合わせてください。", - "Reset password" : "パスワードをリセット", - "Sending email …" : "メールを送信中 ...", - "No" : "いいえ", - "Yes" : "はい", - "No files in here" : "ここにはファイルがありません", - "Choose" : "選択", - "Copy" : "コピー", - "Move" : "移動", - "Error loading file picker template: {error}" : "ファイル選択テンプレートの読み込みエラー: {error}", - "OK" : "OK", - "Error loading message template: {error}" : "メッセージテンプレートの読み込みエラー: {error}", - "read-only" : "読み取り専用", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} ファイルが競合"], - "One file conflict" : "1ファイルが競合", - "New Files" : "新しいファイル", - "Already existing files" : "既存のファイル", - "Which files do you want to keep?" : "どちらのファイルを保持しますか?", - "If you select both versions, the copied file will have a number added to its name." : "両方のバージョンを選択した場合は、ファイル名の後ろに数字を追加したファイルのコピーを作成します。", - "Continue" : "続ける", - "(all selected)" : "(すべて選択)", - "({count} selected)" : "({count} 選択)", - "Error loading file exists template" : "既存ファイルのテンプレートの読み込みエラー", - "Pending" : "保留中", - "Copy to {folder}" : "{folder}へコピー", - "Move to {folder}" : "{folder}へ移動", - "Very weak password" : "非常に弱いパスワード", - "Weak password" : "弱いパスワード", - "So-so password" : "まずまずのパスワード", - "Good password" : "良好なパスワード", - "Strong password" : "強いパスワード", - "Error occurred while checking server setup" : "サーバー設定のチェック中にエラーが発生しました", - "Shared" : "共有中", - "Error setting expiration date" : "有効期限の設定でエラー発生", - "The public link will expire no later than {days} days after it is created" : "URLによる共有は、作成してから {days} 日以内に有効期限切れになります", - "Set expiration date" : "有効期限を設定", - "Expiration" : "期限切れ", - "Expiration date" : "有効期限", - "Choose a password for the public link" : "URLによる共有のパスワードを入力", - "Choose a password for the public link or press the \"Enter\" key" : "公開リンクのパスワードを入力、または、\"エンター\"のみを叩く", - "Copied!" : "コピーされました!", - "Not supported!" : "サポートされていません!", - "Press ⌘-C to copy." : "⌘+Cを押してコピーします。", - "Press Ctrl-C to copy." : "Ctrl+Cを押してコピーします。", - "Resharing is not allowed" : "再共有は許可されていません", - "Share to {name}" : "{name} に共有する", - "Share link" : "URLで共有", - "Link" : "リンク", - "Password protect" : "パスワード保護を有効化", - "Allow editing" : "編集を許可", - "Email link to person" : "メールリンク", - "Send" : "送信", - "Allow upload and editing" : "アップロードと編集を許可する", - "Read only" : "読み取り専用", - "File drop (upload only)" : "ファイルドロップ(アップロードのみ)", - "Shared with you and the group {group} by {owner}" : "あなたと {owner} のグループ {group} で共有中", - "Shared with you by {owner}" : "{owner} より共有中", - "Choose a password for the mail share" : "メール共有のパスワードを選択", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} がリンク経由で共有", - "group" : "グループ", - "remote" : "リモート", - "email" : "メール", - "shared by {sharer}" : "共有した人 {sharer}", - "Unshare" : "共有解除", - "Can reshare" : "再共有可能", - "Can edit" : "編集可能", - "Can create" : "作成可能", - "Can change" : "変更可能", - "Can delete" : "削除可能", - "Access control" : "アクセス制御", - "Could not unshare" : "共有の解除ができませんでした", - "Error while sharing" : "共有でエラー発生", - "Share details could not be loaded for this item." : "共有の詳細はこのアイテムによりロードできませんでした。", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["オートコンプリートには{count}文字以上必要です"], - "This list is maybe truncated - please refine your search term to see more results." : "このリストは切り捨てられている可能性があります - 検索語句を絞り込んで検索結果を表示してください。", - "No users or groups found for {search}" : "{search} の検索でユーザー、グループが見つかりません", - "No users found for {search}" : "{search} のユーザーはいませんでした", - "An error occurred. Please try again" : "エラーが発生しました。もう一度実行してください。", - "{sharee} (group)" : "{sharee} (グループ)", - "{sharee} (remote)" : "{sharee} (リモート)", - "{sharee} (email)" : "{sharee} (メール)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "共有", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "ユーザー名、グループ、クラウド統合ID、メールアドレスで共有", - "Share with other people by entering a user or group or a federated cloud ID." : "ユーザー名、グループ、クラウド統合IDで共有", - "Share with other people by entering a user or group or an email address." : "ユーザー名やグループ名、メールアドレスで共有", - "Name or email address..." : "名前またはメールアドレス", - "Name or federated cloud ID..." : "ユーザー名または、クラウド統合ID...", - "Name, federated cloud ID or email address..." : "ユーザー名、クラウド統合ID、またはメールアドレス", - "Name..." : "ユーザー名...", - "Error" : "エラー", - "Error removing share" : "共有の削除エラー", - "Non-existing tag #{tag}" : "存在しないタグ#{tag}", - "restricted" : "制限済", - "invisible" : "不可視", - "({scope})" : "({scope})", - "Delete" : "削除", - "Rename" : "名前の変更", - "Collaborative tags" : "コラボタグ", - "No tags found" : "タグが見つかりません", - "unknown text" : "不明なテキスト", - "Hello world!" : "Hello world!", - "sunny" : "快晴", - "Hello {name}, the weather is {weather}" : "こんにちは、 {name}、 天気は{weather}です", - "Hello {name}" : " {name}さん、こんにちは", - "These are your search results" : "これが検索結果です", - "new" : "新規", - "_download %n file_::_download %n files_" : ["%n個のファイルをダウンロード"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "更新が進行中です。このページを離れると一部の環境では処理が中断されてしまう可能性があります。", - "Update to {version}" : "{version} にアップデート", - "An error occurred." : "エラーが発生しました。", - "Please reload the page." : "ページをリロードしてください。", - "The update was unsuccessful. For more information check our forum post covering this issue." : "アップデートできませんでした。この問題に対する詳細な情報については、フォーラムの投稿を確認してください ", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "アップデートできませんでした。Nextcloud コミュニティ に問題を報告してください。", - "Continue to Nextcloud" : "Nextcloud に進む", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["更新が成功しました。 %n 秒後に Nextcloud にリダイレクトします。"], - "Searching other places" : "他の場所の検索", - "No search results in other folders for {tag}{filter}{endtag}" : "他のフォルダーに {tag}{filter}{endtag} の検索結果はありません", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["他のフォルダーの検索件数 {count}"], - "Personal" : "個人", - "Users" : "ユーザー", - "Apps" : "アプリ", - "Admin" : "管理", - "Help" : "ヘルプ", - "Access forbidden" : "アクセスが禁止されています", - "File not found" : "ファイルが見つかりません", - "The specified document has not been found on the server." : "サーバーに指定されたファイルが見つかりませんでした。", - "You can click here to return to %s." : "ここをクリックすると、 %s に戻れます。", - "Internal Server Error" : "内部サーバーエラー", - "More details can be found in the server log." : "詳細は、サーバーのログを確認してください。", - "Technical details" : "技術詳細", - "Remote Address: %s" : "リモートアドレス: %s", - "Request ID: %s" : "リクエスト ID: %s", - "Type: %s" : "種類: %s", - "Code: %s" : "コード: %s", - "Message: %s" : "メッセージ: %s", - "File: %s" : "ファイル: %s", - "Line: %s" : "行: %s", - "Trace" : "トレース", - "Security warning" : "セキュリティ警告", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : ".htaccessファイルが動作していないため、おそらくあなたのデータディレクトリまたはファイルはインターネットからアクセス可能になっています。", - "Create an admin account" : "管理者アカウントを作成してください", - "Username" : "ユーザー名", - "Storage & database" : "ストレージとデータベース", - "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" : "データベースの表領域", - "Database host" : "データベースのホスト名", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "ポート番号をホスト名とともに指定してください(例:localhost:5432)。", - "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" : "ドキュメントを確認してください", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "このアプリケーションの動作にはJavaScriptが必要です。\n {linkstart}JavaScriptを有効にし{linkend} 、ページを更新してください。 ", - "More apps" : "さらにアプリ", - "Search" : "検索", - "Confirm your password" : "パスワードを確認", - "Server side authentication failed!" : "サーバーサイドの認証に失敗しました!", - "Please contact your administrator." : "管理者に問い合わせてください。", - "An internal error occurred." : "内部エラーが発生しました。", - "Please try again or contact your administrator." : "もう一度試してみるか、管理者に問い合わせてください。", - "Username or email" : "ユーザ名かメールアドレス", - "Log in" : "ログイン", - "Wrong password." : "パスワードが間違っています。", - "Stay logged in" : "ログインしたままにする", - "Forgot password?" : "パスワードをお忘れですか?", - "Alternative Logins" : "代替ログイン", - "Account access" : "アカウントによるアクセス許可", - "You are about to grant %s access to your %s account." : "%s アカウントに あなたのアカウント %s へのアクセスを許可", - "App token" : "アプリのトークン", - "Alternative login using app token" : "アプリトークンを使って代替ログイン", - "Redirecting …" : "転送中...", - "New password" : "新しいパスワードを入力", - "New Password" : "新しいパスワード", - "Two-factor authentication" : "2要素認証", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "このアカウントは強化セキュリティが適用されています。第二経路から認証してください。", - "Cancel log in" : "ログインをキャンセルする", - "Use backup code" : "バックアップコードを使用する", - "Error while validating your second factor" : "第二要素の検証でエラーが発生しました", - "Add \"%s\" as trusted domain" : "\"%s\" を信頼するドメイン名に追加", - "App update required" : "アプリの更新が必要", - "%s will be updated to version %s" : "%s は バーション %s にアップデートされます", - "These apps will be updated:" : "次のアプリはアップデートされます:", - "These incompatible apps will be disabled:" : "次の非互換のないアプリは無効になる:", - "The theme %s has been disabled." : "テーマ %s が無効になっています。", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "データベースを確認してください。実行前にconfigフォルダーとdataフォルダーをバックアップします。", - "Start update" : "アップデートを開始", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "大規模なサイトの場合、ブラウザーがタイムアウトする可能性があるため、インストールディレクトリで以下のコマンドを実行することもできます。", - "Detailed logs" : "詳細ログ", - "Update needed" : "更新が必要です", - "Please use the command line updater because you have a big instance with more than 50 users." : "50人以上が使う大規模システムの場合は、コマンドラインでアップグレードを行ってください。", - "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Web 画面から続行すると危険性があることを理解しています。この操作がタイムアウトすると、データが失われる危険性があることを理解しています。もし失敗した場合には取得済みのバックアップから修復する方法を理解しています。", - "Upgrade via web on my own risk" : "危険性を理解した上でWeb画面からアップグレード", - "This %s instance is currently in maintenance mode, which may take a while." : "このサーバー %s は現在メンテナンスモードです。しばらくお待ちください。", - "This page will refresh itself when the %s instance is available again." : "この画面は、サーバー %s の再起動後に自動的に更新されます。", - "Contact your system administrator if this message persists or appeared unexpectedly." : "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に問い合わせてください。", - "Thank you for your patience." : "しばらくお待ちください。", - "%s (3rdparty)" : "%s (サードパーティー)", - "Problem loading page, reloading in 5 seconds" : "ページ読込に問題がありました。5秒後に再読込します", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。リカバリーキーが有効でない場合は、パスワードをリセットした後にあなたのデータを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "WebDAVインターフェースが動作していないようです。Webサーバーは、ファイルの同期を許可するよう適切に設定されていません。", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Webサーバーは適切にホスト名 \"{url}\" が引けるように設定されていません。より詳しい情報については、ドキュメント を参照ください。", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "このサーバーはインターネットに接続していません: 複数のエンドポイントに到達できませんでした。つまり、外部ストレージをマウントする、サードパーティのアプリケーションのアップデートやインストール、通知などの機能の一部が動作しません。リモートでファイルにアクセスしたり、通知メールを送信したりすることもできません。すべての機能を使用する場合は、このサーバーをインターネットに接続することをお勧めします。", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "メモリキャッシュが設定されていません。パフォーマンスを向上するために、可能であれば memcache を設定してください。 より詳しい情報については、を参照してください。", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom を PHP から読み取ることができません。この状態はセキュリティの観点からおすすめできません。より詳しい情報については、ドキュメント を参照ください。", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "このサーバーでは、{version} のPHPを利用しています。パフォーマンスとセキュリティ上のメリットがあるため利用中のディストリビューションでPHP グループの提供する最新のPHPのバージョンになるべく早くアップデートすることを強くお勧めします。", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "リバースプロキシヘッダーの設定が正しくないか、信頼できるプロキシからNextcloudにアクセスしています。信頼できるプロキシからNextcloudにアクセスしていない場合、これはセキュリティ上の問題であり、攻撃者が自分のIPアドレスを偽装してNextcloudに見えるようにしている可能性があります。詳細については、ドキュメントをご覧ください。", - "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 memcached wiki about both modules." : "Memcached は分散キャッシュとして設定されています。しかし、PHPモジュール \"memcache\"が間違ってインストールされています。 \\OC\\Memcache\\Memcached は、\"memcached\" のみをサポートしています。\"memcache\" ではありません。memcached wiki で両方のモジュールの情報 について確認してください。", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "いくつかのファイルでチェックサムが適合しませんでした。この問題を解決するためは、ドキュメントの詳細を見てください。(不適合ファイルのリスト… / 再チェック…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "データディレクトリとファイルがインターネットからアクセス可能になっている可能性があります。.htaccessファイルが機能していません。データディレクトリがアクセスされないようにWebサーバーを設定するか、Webサーバーのドキュメントルートからデータディレクトリを移動するように強くお勧めします。", - "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." : "\"{header}\" HTTP ヘッダは \"{expected}\" に設定されていません。これは潜在的なセキュリティリスクもしくはプライバシーリスクとなる可能性があるため、この設定を見直すことをおすすめします。", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "HTTP ヘッダ の \"Strict-Transport-Security\" が少なくとも \"{seconds}\" 秒に設定されていません。 セキュリティを強化するため、セキュリティTipsを参照して、HSTS を有効にすることをおすすめします。", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "HTTP経由でアクセスしています。security tipsを参照して、代わりにHTTPSを使用するようサーバーを設定することを強くおすすめします。 instead as described in our .", - "Shared with {recipients}" : "{recipients} と共有", - "Error while unsharing" : "共有解除でエラー発生", - "can reshare" : "再共有可能", - "can edit" : "編集を許可", - "can create" : "作成できます", - "can change" : "変更できます", - "can delete" : "削除できます", - "access control" : "アクセス権限", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Federated Cloud ID( username@example.com/nextcloud )を使用して他のサーバーのユーザーと共有する", - "Share with users or by mail..." : "ユーザーまたはメールで共有する...", - "Share with users or remote users..." : "ユーザーまたはリモートユーザーと共有する...", - "Share with users, remote users or by mail..." : "ユーザー、リモートユーザーまたはメールで共有する...", - "Share with users or groups..." : "ユーザーやグループと共有する...", - "Share with users, groups or by mail..." : "ユーザー、グループ、またはメールで共有...", - "Share with users, groups or remote users..." : "ユーザー、グループ、またはリモートユーザーと共有する...", - "Share with users, groups, remote users or by mail..." : "ユーザー、グループ、リモートユーザーまたはメールで共有...", - "Share with users..." : "ユーザーと共有する...", - "The object type is not specified." : "オブジェクトタイプが指定されていません。", - "Enter new" : "新規に入力", - "Add" : "追加", - "Edit tags" : "タグを編集", - "Error loading dialog template: {error}" : "メッセージテンプレートの読み込みエラー: {error}", - "No tags selected for deletion." : "削除するタグが選択されていません。", - "The update was successful. Redirecting you to Nextcloud now." : "アップデート成功。Nextcloud にリダイレクトします。", - "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!" : "それでは!", - "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." : "このエラーが繰り返し表示されるようであれば、以下の技術情報を添付してサーバー管理者に問い合わせてください。", - "For information how to properly configure your server, please see the documentation." : "サーバーを適正に設定する情報は、こちらのドキュメントを参照してください。", - "Log out" : "ログアウト", - "This action requires you to confirm your password:" : "この操作では、パスワードを確認する必要があります:", - "Wrong password. Reset it?" : "パスワードが間違っています。リセットしますか?", - "Use the following link to reset your password: {link}" : "パスワードをリセットするには次のリンクをクリックしてください: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "こんにちは、

%sがあなたと »%s« を共有したことをお知らせします。
それを表示

", - "This Nextcloud instance is currently in single user mode." : "このNextcloudインスタンスは、現在シングルユーザーモードです。", - "This means only administrators can use the instance." : "これは、管理者のみがインスタンスを利用できることを意味しています。", - "You are accessing the server from an untrusted domain." : "信頼されていないドメインからサーバーにアクセスしています。", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "管理者に問い合わせてください。このサーバーの管理者の場合は、\"trusted_domain\" の設定を config/config.php に設定してください。config/config.sample.php にサンプルの設定方法が記載してあります。", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "環境により、下のボタンで信頼するドメインに追加する必要があるかもしれません。", - "Please use the command line updater because you have a big instance." : "データ量が大きいため、コマンドラインでの更新を利用してください。", - "For help, see the documentation." : "不明な場合、ドキュメントを参照してください。", - "There was an error loading your contacts" : "連絡先の読み込みに失敗しました。", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache が正しく設定されていません。 パフォーマンスを向上させるため ↗ php.ini で次の設定を使用することをお勧めします:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 関数 \"set_time_limit\" は使用できません。これにより実行スクリプトが途中で停止されて、インストールを破壊する可能性があります。この機能を有効にすることを強くお勧めします。", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : ".htaccess ファイルが機能していないため、インターネットからあなたのデータディレクトリとファイルにアクセスできる可能性があります。Webサーバの設定を変更してデータディレクトリにアクセス出来ないようにするか、データディレクトリをドキュメントルートの外側に移動することを強く推奨します。", - "You are about to grant \"%s\" access to your %s account." : "%s アカウントで \"%s\" での接続を許可" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/core/l10n/ka_GE.js b/core/l10n/ka_GE.js index 8514a7e996608..9fdf960c9a01a 100644 --- a/core/l10n/ka_GE.js +++ b/core/l10n/ka_GE.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "ეს %s ინსტანცია ამჟამად სარემონტო რეჟიმშია, ამან შეიძლება გასტანოს გარკვეული დრო.", "This page will refresh itself when the %s instance is available again." : "გვერდი ავტომატურად განახლდება, როდესაც %s ინსტანცია იქნება ხელმისაწვდომელი.", "Contact your system administrator if this message persists or appeared unexpectedly." : "თუ ეს წერილი გამოჩნდა მოულოდნელად ან მისი გამოჩენა გრძელდება, დაუკავშირდით სისტემის ადმინისტრატორს.", - "Thank you for your patience." : "მადლობთ მოთმინებისთვის.", - "%s (3rdparty)" : "%s (მესამე მხარე)", - "Problem loading page, reloading in 5 seconds" : "პრობლემა გვერდის ჩატვირთვისას, ახლიდან ჩაიტვირთება 5 წამში", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ფაილები კოდირებულია. თუ არ ჩაგირთავთ აღდგენის გასაღები, არ იქნება არანაირი გზა აღადგინოთ თვენი მონაცემები პაროლის ცვლილების შემდეგ.
თუ არ იცით რა გააკეთოთ, გაგრძელებამდე მიმართეთ თქვენს ადმინისტრატორს.
დარწმუნებული ხართ რომ გსურთ გაგრძელება?", - "Ok" : "დიახ", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "ფაილის სინქრონიზაციის დასაშვებად თქვენი ვებ-სერვერი ჯერ არაა სწორად კოფინგირურებული, როგორც ჩანს WebDAV ინტერფეისი გაფუჭებულია.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "\"{url}\"-ის გასახსნელად თქვენი ვებ-სერვერი არაა სწორად კონფიგურირებული. შეგიძლიათ იხილოთ მეტი ინფორმაცია ჩვენს დოკუმენტაციაში.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "ამ სერვერს არ გააჩნია მოქმედი ინტერნეტ კავშირი: მიუწვდომელია მრავალი წერტილი. ეს ნიშნავს, რომ ფუნქციები როგორებიცაა ექსტერნალური საცავის დაყენება, შეტყობინებები განახლებებზე ან მესამე მხარის აპლიკაციების ინსტალაცია არ იმუშავებს. შესაძლოა ფაილებთან დისტანციური წვდომა და საფოსტო შეტყობინებების გაგზავნაც არ მუშაობდეს. ყველა ფიუნქციის მუშაობისთვის, გირჩევდით ამ სერვერზე ჩართოთ ინტერნეტ კავშირი.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "მეხსიერების კეში არაა კონფიგურირებული. მოქმედების მახასიათებლების გაუმჯობესებისთვის გთოხვთ გაუწიოთ კონფიგურაცია memcache-ს. შეგიძლიათ იხილოთ მეტი ინფორმაცია ჩვენს დოკუმენტაციაში.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom PHP-ს მიერ ვერ იკითხება, რაც უსაფრთოხების მიზნებიდან გამომდინარე უკიდურესად არა-რეკომენდირებულია. შეგიძლიათ მეტი ინფორმაცია მიიღოთ ჩვენი დოკუემენტაციით.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "ამჟამად თქვენთან მოქმედია PHP {version}. ჩვენ მოგიწოდებთ რაც შეიძლება მალე განაახლოთ თქვენი PHP ვერსია, რათა ისარგებლოთ PHP Group-ის მიერ უზრუნველყოფილი გაუმჯობესებული ქმედებითა და უსაფრთხოებებისის განახლებებით.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Nextcloud-ს უკავშირდებით სანდო პქოქსით ან საწინააღმეგო პროქსის დასათაურებებების კონფიგურაცია არასწორია. იმ შემთხვევაში თუ არ უკავშირდებით Nextcloud-ს სანდო პროქსით, ეს უსაფრთხოების პრობლემაა და თავდამსხმელმა შეიძლება მოიტყუოს IP მისამართით. იხილეთ მეტი ინფორმაცია ჩვენს დოკუმენტაციაში.", - "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 memcached wiki about both modules." : "Memcached კონფიგურირებულია როგორც განაწილებული ქეში, თუმცა დაყენებულია არასწორი PHP მოდული \"memcache\" . \\OC\\Memcache\\Memcached მხარს უჭერს მხოლოდ \"memcached\"-ს და არა \"memcache\"-s. მეტი ინფორმაციისთვის იხილეთ memcached ვიკი ორივე მოდულზე.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "გარკვეულმა ფაილება ვერ გაიარეს ერთიანობის შემოწმება. ინფორმაცია თუ როგორ აღმოფხრათ ეს პრობლემა შეგიძლიათ მოიძიოთ ჩვენს დოკუმენტაციაში. (არასწორი ფაილების სია... / ხელახალი სკანირება...)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", - "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 at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP დასათაურება არაა კონფიგურირებული \"{seconds}\" წამამდე მაინც. გაუმჯობესებული თავდაცვის მიზნებისთვის რეკომენდაციას გიწევთ ჩართოთ HSTS როგორც აღწერილია ჩვენს თავდაცვის რეკომენდაციებში.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "ამ საიტს უკავშირდებით HTTP-თი. მტკიცედ გირჩევთ გაუწიოთ სერვერს კონფიგურაცია, ისე რომ გამოიყენოთ HTTPS, როგორც აღწერილია ჩვენს თავდაცვის რეკომენდაციებში.", - "Shared with {recipients}" : "გაზიარებულია მიმღებებთან {recipients}", - "Error while unsharing" : "შეცდომა გაზიარების შეწყვეტის დროს", - "can reshare" : "შეუძლია ხელახალი გაზიარება", - "can edit" : "შეუძლია შეცვლა", - "can create" : "შეუძლია შექმნა", - "can change" : "შეუძლია ცვლილება", - "can delete" : "შეუძლია გაუქმება", - "access control" : "დაშვების კონტროლი", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "გააზიარეთ სხვა ადამიანებთან, სხვა სერვერებზე მათი ფედერალური ქლაუდ ID-ების მეშვეობით username@example.com/nextcloud", - "Share with users or by mail..." : "გაუზიარეთ მომხმარებლებს ფოსტით...", - "Share with users or remote users..." : "გაუზიარეთ დისტანციურ მომხმარებლებს...", - "Share with users, remote users or by mail..." : "გაუზიარეთ მოხმარებლებს, დისნტანციურ მოხმარებლებს, ან გააზიარეთ ფოსტით...", - "Share with users or groups..." : "გაუზიარეთ მომხმარებლებს ან ჯგუფებს...", - "Share with users, groups or by mail..." : "გაუზიარეთ მომხმარებლებს, ჯგუფებს ან გააზიარეთ ფოსტით...", - "Share with users, groups or remote users..." : "გაუზიარეთ მომხმარებლებს, ჯგუფებს ან დისტანციურ მომხმარებლებს...", - "Share with users, groups, remote users or by mail..." : "გაუზიარეთ მომხმარებლებს, ჯგუფებს, დისტანციურ მომხმარებლებს ან გააზიარეთ ფოსტით...", - "Share with users..." : "გაუზიარეთ მომხმარებლებს...", - "The object type is not specified." : "ობიექტის სახეობა არ არის მითითებული.", - "Enter new" : "შეიყვანეთ ახალი", - "Add" : "დამატება", - "Edit tags" : "შეცვალეთ ტეგები", - "Error loading dialog template: {error}" : "დიალოგის შაბლონის ჩატვირთვისას წარმოიშვა შეცდომა: {error}", - "No tags selected for deletion." : "ტეგები გაუქმებისთვის არაა არჩეული", - "The update was successful. Redirecting you to Nextcloud now." : "წარმატებით განახლდა. ახლავე გადაგამისამართებთ Nextcloud-ზე.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "გამარჯობა,\n\nგვსურს გამცნობოთ, %s მომხმარებელმა თქვენთან გააზიარა %s.\nიხილეთ: %s\n\n", - "The share will expire on %s." : "გაზიარება გაუქმდება %s-ში.", - "Cheers!" : "წარმატებები!", - "The server encountered an internal error and was unable to complete your request." : "სერვერს შეექმნა შიდა შეცდომა და ვერ დაასრულა თქვენი მოთხოვნა.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "გთხოვთ დაუკავშირდეთ სერვერის ადმინისტრატორს, თუ ეს შეცდომა განმეორდება, გთხოვთ რეპორტში შეიტანოთ ქვემოთ მოცემული ტექნიკური დეტალებიც.", - "For information how to properly configure your server, please see the documentation." : "ინფორმაციისთვის თუ როგორ გაუწიოთ სერვერს სწორი კონფიგურაცია იხილეთ დოკუემტაცია.", - "Log out" : "გასვლა", - "This action requires you to confirm your password:" : "ეს ქმედება საჭიროებს პაროლის დადასტურებას:", - "Wrong password. Reset it?" : "არასწორი პაროლი. აღვადგინოთ ის?", - "Use the following link to reset your password: {link}" : "პაროლის შესაცვლელად გამოიყენეთ შემდეგი ბმული: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "გამარჯობა,

გვსურს გამცნობოთ, %s მომხმარებელმა თქვენთან გააზიარა %s.
იხილეთ!

", - "This Nextcloud instance is currently in single user mode." : "ეს Nextcloud ინსტანცია ამჟამად მხოლოდ ერთ მომხმარებელზეა გათვლილი.", - "This means only administrators can use the instance." : "ეს ნიშნავს რომ მხოლოდ ადმინისტრატორებს შეუძლიათ მისი მოხმარება.", - "You are accessing the server from an untrusted domain." : "სერვერს უკავშირდებით არა-სანდო დომენიდან.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "გთხოვთ დაუკავშირდეთ თქვენს ადმინისტრატორს. იმ შემთხვევაში თუ ბრძანდებით ადმინისტრატორი, config/config.php-ში შეცვალეთ \"trusted_domains\" პარამეტრი. მაგალითი მოყვანილია config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "თქვენი კონფიგურაციიდან გამომდინარე, როგორც ადმინისტრატორმა დომენის ნდობისთვის ასევე შეგიძლიათ ისარგებლოთ ქვემოთ არსებული ღილაკითაც.", - "Please use the command line updater because you have a big instance." : "გთხოვთ მოიხმაროთ \"command-line\" განმანახლებელი რადგანაც ეს დიდი ინსტანციაა.", - "For help, see the documentation." : "დახმარებისთვის იხილეთ დოკუმენტაცია.", - "There was an error loading your contacts" : "კონტაქტების ჩატვირთვისას წარმოიშვა შეცდომა", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის ჩვენ რეკომენდაციას გიწევთ php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. გირჩევთ ეს ფუნქცია ჩართოთ.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", - "You are about to grant \"%s\" access to your %s account." : "თქვენ აპირებთ წვდომის უფლებები მიანიჭოთ %s-ს თქვენს %s ანგარიშზე.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "თქვენს PHP-ს არ აქვს freetype-ის მხარდაჭერა. ეს გამოწვევს დარღვეულ პროფილის სურათებს და მომხმარებლის ინტერფეისს." + "Thank you for your patience." : "მადლობთ მოთმინებისთვის." }, "nplurals=1; plural=0;"); diff --git a/core/l10n/ka_GE.json b/core/l10n/ka_GE.json index 6a9778ecd3e40..d9253212778c7 100644 --- a/core/l10n/ka_GE.json +++ b/core/l10n/ka_GE.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "ეს %s ინსტანცია ამჟამად სარემონტო რეჟიმშია, ამან შეიძლება გასტანოს გარკვეული დრო.", "This page will refresh itself when the %s instance is available again." : "გვერდი ავტომატურად განახლდება, როდესაც %s ინსტანცია იქნება ხელმისაწვდომელი.", "Contact your system administrator if this message persists or appeared unexpectedly." : "თუ ეს წერილი გამოჩნდა მოულოდნელად ან მისი გამოჩენა გრძელდება, დაუკავშირდით სისტემის ადმინისტრატორს.", - "Thank you for your patience." : "მადლობთ მოთმინებისთვის.", - "%s (3rdparty)" : "%s (მესამე მხარე)", - "Problem loading page, reloading in 5 seconds" : "პრობლემა გვერდის ჩატვირთვისას, ახლიდან ჩაიტვირთება 5 წამში", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ფაილები კოდირებულია. თუ არ ჩაგირთავთ აღდგენის გასაღები, არ იქნება არანაირი გზა აღადგინოთ თვენი მონაცემები პაროლის ცვლილების შემდეგ.
თუ არ იცით რა გააკეთოთ, გაგრძელებამდე მიმართეთ თქვენს ადმინისტრატორს.
დარწმუნებული ხართ რომ გსურთ გაგრძელება?", - "Ok" : "დიახ", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "ფაილის სინქრონიზაციის დასაშვებად თქვენი ვებ-სერვერი ჯერ არაა სწორად კოფინგირურებული, როგორც ჩანს WebDAV ინტერფეისი გაფუჭებულია.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "\"{url}\"-ის გასახსნელად თქვენი ვებ-სერვერი არაა სწორად კონფიგურირებული. შეგიძლიათ იხილოთ მეტი ინფორმაცია ჩვენს დოკუმენტაციაში.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "ამ სერვერს არ გააჩნია მოქმედი ინტერნეტ კავშირი: მიუწვდომელია მრავალი წერტილი. ეს ნიშნავს, რომ ფუნქციები როგორებიცაა ექსტერნალური საცავის დაყენება, შეტყობინებები განახლებებზე ან მესამე მხარის აპლიკაციების ინსტალაცია არ იმუშავებს. შესაძლოა ფაილებთან დისტანციური წვდომა და საფოსტო შეტყობინებების გაგზავნაც არ მუშაობდეს. ყველა ფიუნქციის მუშაობისთვის, გირჩევდით ამ სერვერზე ჩართოთ ინტერნეტ კავშირი.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "მეხსიერების კეში არაა კონფიგურირებული. მოქმედების მახასიათებლების გაუმჯობესებისთვის გთოხვთ გაუწიოთ კონფიგურაცია memcache-ს. შეგიძლიათ იხილოთ მეტი ინფორმაცია ჩვენს დოკუმენტაციაში.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom PHP-ს მიერ ვერ იკითხება, რაც უსაფრთოხების მიზნებიდან გამომდინარე უკიდურესად არა-რეკომენდირებულია. შეგიძლიათ მეტი ინფორმაცია მიიღოთ ჩვენი დოკუემენტაციით.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "ამჟამად თქვენთან მოქმედია PHP {version}. ჩვენ მოგიწოდებთ რაც შეიძლება მალე განაახლოთ თქვენი PHP ვერსია, რათა ისარგებლოთ PHP Group-ის მიერ უზრუნველყოფილი გაუმჯობესებული ქმედებითა და უსაფრთხოებებისის განახლებებით.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Nextcloud-ს უკავშირდებით სანდო პქოქსით ან საწინააღმეგო პროქსის დასათაურებებების კონფიგურაცია არასწორია. იმ შემთხვევაში თუ არ უკავშირდებით Nextcloud-ს სანდო პროქსით, ეს უსაფრთხოების პრობლემაა და თავდამსხმელმა შეიძლება მოიტყუოს IP მისამართით. იხილეთ მეტი ინფორმაცია ჩვენს დოკუმენტაციაში.", - "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 memcached wiki about both modules." : "Memcached კონფიგურირებულია როგორც განაწილებული ქეში, თუმცა დაყენებულია არასწორი PHP მოდული \"memcache\" . \\OC\\Memcache\\Memcached მხარს უჭერს მხოლოდ \"memcached\"-ს და არა \"memcache\"-s. მეტი ინფორმაციისთვის იხილეთ memcached ვიკი ორივე მოდულზე.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "გარკვეულმა ფაილება ვერ გაიარეს ერთიანობის შემოწმება. ინფორმაცია თუ როგორ აღმოფხრათ ეს პრობლემა შეგიძლიათ მოიძიოთ ჩვენს დოკუმენტაციაში. (არასწორი ფაილების სია... / ხელახალი სკანირება...)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", - "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 at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP დასათაურება არაა კონფიგურირებული \"{seconds}\" წამამდე მაინც. გაუმჯობესებული თავდაცვის მიზნებისთვის რეკომენდაციას გიწევთ ჩართოთ HSTS როგორც აღწერილია ჩვენს თავდაცვის რეკომენდაციებში.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "ამ საიტს უკავშირდებით HTTP-თი. მტკიცედ გირჩევთ გაუწიოთ სერვერს კონფიგურაცია, ისე რომ გამოიყენოთ HTTPS, როგორც აღწერილია ჩვენს თავდაცვის რეკომენდაციებში.", - "Shared with {recipients}" : "გაზიარებულია მიმღებებთან {recipients}", - "Error while unsharing" : "შეცდომა გაზიარების შეწყვეტის დროს", - "can reshare" : "შეუძლია ხელახალი გაზიარება", - "can edit" : "შეუძლია შეცვლა", - "can create" : "შეუძლია შექმნა", - "can change" : "შეუძლია ცვლილება", - "can delete" : "შეუძლია გაუქმება", - "access control" : "დაშვების კონტროლი", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "გააზიარეთ სხვა ადამიანებთან, სხვა სერვერებზე მათი ფედერალური ქლაუდ ID-ების მეშვეობით username@example.com/nextcloud", - "Share with users or by mail..." : "გაუზიარეთ მომხმარებლებს ფოსტით...", - "Share with users or remote users..." : "გაუზიარეთ დისტანციურ მომხმარებლებს...", - "Share with users, remote users or by mail..." : "გაუზიარეთ მოხმარებლებს, დისნტანციურ მოხმარებლებს, ან გააზიარეთ ფოსტით...", - "Share with users or groups..." : "გაუზიარეთ მომხმარებლებს ან ჯგუფებს...", - "Share with users, groups or by mail..." : "გაუზიარეთ მომხმარებლებს, ჯგუფებს ან გააზიარეთ ფოსტით...", - "Share with users, groups or remote users..." : "გაუზიარეთ მომხმარებლებს, ჯგუფებს ან დისტანციურ მომხმარებლებს...", - "Share with users, groups, remote users or by mail..." : "გაუზიარეთ მომხმარებლებს, ჯგუფებს, დისტანციურ მომხმარებლებს ან გააზიარეთ ფოსტით...", - "Share with users..." : "გაუზიარეთ მომხმარებლებს...", - "The object type is not specified." : "ობიექტის სახეობა არ არის მითითებული.", - "Enter new" : "შეიყვანეთ ახალი", - "Add" : "დამატება", - "Edit tags" : "შეცვალეთ ტეგები", - "Error loading dialog template: {error}" : "დიალოგის შაბლონის ჩატვირთვისას წარმოიშვა შეცდომა: {error}", - "No tags selected for deletion." : "ტეგები გაუქმებისთვის არაა არჩეული", - "The update was successful. Redirecting you to Nextcloud now." : "წარმატებით განახლდა. ახლავე გადაგამისამართებთ Nextcloud-ზე.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "გამარჯობა,\n\nგვსურს გამცნობოთ, %s მომხმარებელმა თქვენთან გააზიარა %s.\nიხილეთ: %s\n\n", - "The share will expire on %s." : "გაზიარება გაუქმდება %s-ში.", - "Cheers!" : "წარმატებები!", - "The server encountered an internal error and was unable to complete your request." : "სერვერს შეექმნა შიდა შეცდომა და ვერ დაასრულა თქვენი მოთხოვნა.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "გთხოვთ დაუკავშირდეთ სერვერის ადმინისტრატორს, თუ ეს შეცდომა განმეორდება, გთხოვთ რეპორტში შეიტანოთ ქვემოთ მოცემული ტექნიკური დეტალებიც.", - "For information how to properly configure your server, please see the documentation." : "ინფორმაციისთვის თუ როგორ გაუწიოთ სერვერს სწორი კონფიგურაცია იხილეთ დოკუემტაცია.", - "Log out" : "გასვლა", - "This action requires you to confirm your password:" : "ეს ქმედება საჭიროებს პაროლის დადასტურებას:", - "Wrong password. Reset it?" : "არასწორი პაროლი. აღვადგინოთ ის?", - "Use the following link to reset your password: {link}" : "პაროლის შესაცვლელად გამოიყენეთ შემდეგი ბმული: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "გამარჯობა,

გვსურს გამცნობოთ, %s მომხმარებელმა თქვენთან გააზიარა %s.
იხილეთ!

", - "This Nextcloud instance is currently in single user mode." : "ეს Nextcloud ინსტანცია ამჟამად მხოლოდ ერთ მომხმარებელზეა გათვლილი.", - "This means only administrators can use the instance." : "ეს ნიშნავს რომ მხოლოდ ადმინისტრატორებს შეუძლიათ მისი მოხმარება.", - "You are accessing the server from an untrusted domain." : "სერვერს უკავშირდებით არა-სანდო დომენიდან.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "გთხოვთ დაუკავშირდეთ თქვენს ადმინისტრატორს. იმ შემთხვევაში თუ ბრძანდებით ადმინისტრატორი, config/config.php-ში შეცვალეთ \"trusted_domains\" პარამეტრი. მაგალითი მოყვანილია config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "თქვენი კონფიგურაციიდან გამომდინარე, როგორც ადმინისტრატორმა დომენის ნდობისთვის ასევე შეგიძლიათ ისარგებლოთ ქვემოთ არსებული ღილაკითაც.", - "Please use the command line updater because you have a big instance." : "გთხოვთ მოიხმაროთ \"command-line\" განმანახლებელი რადგანაც ეს დიდი ინსტანციაა.", - "For help, see the documentation." : "დახმარებისთვის იხილეთ დოკუმენტაცია.", - "There was an error loading your contacts" : "კონტაქტების ჩატვირთვისას წარმოიშვა შეცდომა", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache არაა სწორად კონფიგურირებული. უკეთესი მოქმედებისთვის ჩვენ რეკომენდაციას გიწევთ php.ini-ში გამოიყენოთ შემდეგი პარამეტრები:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-ს ფუნქცია \"set_time_limit\" არაა ხელმისაწვდომი. ამან შეიძლება ქმედებისას გამოიწვიოს სკრიპტების შეჩერება, ინსტალაციის შეწყვეტა. გირჩევთ ეს ფუნქცია ჩართოთ.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "თქვენი data დირექტორია და ფაილები ალბათ წვდომადია ინტერნეტიდან. .htaccess ფაილი არ მუშაობს. მკაცრად რეკომენდირებულია ისე გაუწიოთ თქვენს ვებ-სერვერს კონფიგურაცია, რომ data დირექტორია აღარ იყოს წვდომადი, ან გაიტანოთ ის ვებ-სერვერის root დირექტორიიდან.", - "You are about to grant \"%s\" access to your %s account." : "თქვენ აპირებთ წვდომის უფლებები მიანიჭოთ %s-ს თქვენს %s ანგარიშზე.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "თქვენს PHP-ს არ აქვს freetype-ის მხარდაჭერა. ეს გამოწვევს დარღვეულ პროფილის სურათებს და მომხმარებლის ინტერფეისს." + "Thank you for your patience." : "მადლობთ მოთმინებისთვის." },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/core/l10n/ko.js b/core/l10n/ko.js index e4810cb3065ff..63037c54fe232 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "이 %s 인스턴스는 현재 점검 모드입니다. 시간이 걸릴 수도 있습니다.", "This page will refresh itself when the %s instance is available again." : "%s 인스턴스를 다시 사용할 수 있으면 자동으로 새로 고칩니다.", "Contact your system administrator if this message persists or appeared unexpectedly." : "이 메시지가 계속 표시되거나, 예상하지 못하였을 때 표시된다면 시스템 관리자에게 연락하십시오.", - "Thank you for your patience." : "기다려 주셔서 감사합니다.", - "%s (3rdparty)" : "%s(제 3사)", - "Problem loading page, reloading in 5 seconds" : "페이지 불러오기 오류, 5초 후 새로 고침", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "내 파일이 암호화되어 있습니다. 복구 키를 활성화하지 않았다면 암호를 초기화한 후 데이터를 복구할 수 없습니다.
무엇을 해야 할 지 잘 모르겠으면 계속하기 전에 관리자에게 연락하십시오.
그래도 계속 진행하시겠습니까?", - "Ok" : "확인", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "WebDAV 서비스가 올바르게 작동하지 않아서 웹 서버에서 파일 동기화를 사용할 수 없습니다.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "웹 서버가 \"{url}\"을 올바르게 처리할 수 있도록 설정되어 있지 않습니다. 자세한 내용은 문서를 참고하십시오.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "서버에서 인터넷 연결을 사용할 수 없습니다. 외부 저장소 마운트, 업데이트 알림, 제 3자 앱 설치 등 기능을 사용할 수 없습니다. 원격에서 파일에 접근하거나, 알림 이메일을 보내지 못할 수도 있습니다. 모든 기능을 사용하려면 인터넷에 연결하는 것을 추천합니다.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "메모리 캐시가 구성되지 않았습니다. 가능한 경우 memcache를 설정하여 성능을 향상시킬 수 있습니다. 자세한 내용은 문서를 참고하십시오.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP가 안전한 난수 발생기(/dev/urandom)를 사용할 수 없어 보안에 취약합니다. 자세한 내용은 문서를 참고하십시오.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "현재 PHP {version}을(를) 사용하고 있습니다. 배포판에서 지원하는 대로 PHP 버전을 업그레이드하여 PHP 그룹에서 제공하는 성능 및 보안 업데이트를 받는 것을 추천합니다.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "역방향 프록시 헤더 설정이 올바르지 않거나 신뢰하는 프록시를 통해 Nextcloud에 접근하고 있을 수 있습니다. 만약 Nextcloud를 신뢰하는 프록시를 통해 접근하고 있지 않다면 이는 보안 문제이며 공격자가 IP 주소를 속이고 있을 수 있습니다. 자세한 내용은 문서를 참고하십시오.", - "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 memcached wiki about both modules." : "Memcached가 분산 캐시로 구성되어 있지만 잘못된 PHP 모듈 \"memcache\"가 설치되어 있습니다. \\OC\\Memcache\\Memcached는 \"memcache\"가 아닌 \"memcached\"만 지원합니다. 자세한 내용은 이 두 모듈에 대한 memcached 위키를 참고하십시오.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "일부 파일이 무결성 검사를 통과하지 못습니다. 이 문제를 해결하는 방법은 문서를 참고하십시오.(잘못된 파일 목록… / 다시 검색…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "인터넷에서 데이터 디렉터리와 파일에 접근할 수 있습니다. .htaccess 파일이 작동하지 않습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 직접 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 경로 바깥에 두십시오.", - "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." : "\"{header}\" HTTP 헤더가 \"{expected}\"와(과) 같이 설정되지 않았습니다. 잠재적인 보안 위협이 될 수 있으므로 설정을 변경하는 것을 추천합니다.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP 헤더가 \"{seconds}\"초 이상로 설정되어 있지 않습니다. 보안 팁에서 제안하는 것처럼 HSTS를 활성화하는 것을 추천합니다.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "이 사이트를 HTTP로 접근하고 있습니다. 보안 팁에 나타난 것처럼 서버 설정을 변경하여 HTTPS를 사용하는 것을 강력히 추천합니다.", - "Shared with {recipients}" : "{recipients} 님과 공유됨", - "Error while unsharing" : "공유 해제하는 중 오류 발생", - "can reshare" : "재공유 가능", - "can edit" : "편집 가능", - "can create" : "생성 가능", - "can change" : "변경 가능", - "can delete" : "삭제 가능", - "access control" : "접근 제어", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "연합 클라우드 ID를 통하여 다른 서버의 사람과 공유 username@example.com/cloud", - "Share with users or by mail..." : "사용자 및 이메일로 공유...", - "Share with users or remote users..." : "사용자 및 원격 사용자와 공유...", - "Share with users, remote users or by mail..." : "사용자, 원격 사용자 및 이메일로 공유...", - "Share with users or groups..." : "사용자 및 그룹과 공유...", - "Share with users, groups or by mail..." : "사용자, 그룹 및 이메일로 공유...", - "Share with users, groups or remote users..." : "사용자, 그룹 및 원격 사용자와 공유...", - "Share with users, groups, remote users or by mail..." : "사용자, 그룹, 원격 사용자나 이메일로 공유...", - "Share with users..." : "사용자와 공유...", - "The object type is not specified." : "객체 유형이 지정되지 않았습니다.", - "Enter new" : "새로운 값 입력", - "Add" : "추가", - "Edit tags" : "태그 편집", - "Error loading dialog template: {error}" : "대화 상자 템플릿을 불러오는 중 오류 발생: {error}", - "No tags selected for deletion." : "삭제할 태그를 선택하지 않았습니다.", - "The update was successful. Redirecting you to Nextcloud now." : "업데이트가 성공했습니다. 지금 Nextcloud로 이동합니다.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "안녕하세요,\n\n%s 님이 %s을(를) 공유하였음을 알려 드립니다.\n보기 링크: %s\n\n", - "The share will expire on %s." : "이 공유는 %s에 만료됩니다.", - "Cheers!" : "감사합니다!", - "The server encountered an internal error and was unable to complete your request." : "서버에 내부 오류가 발생하여 요청을 처리할 수 없었습니다.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "이 오류가 여러 번 발생한다면 서버 관리자에게 연락해 주시고, 아래 기술적인 정보를 포함해 주십시오.", - "For information how to properly configure your server, please see the documentation." : "서버를 올바르게 설정하는 방법에 대해서 더 알아보려면 문서를 참조하십시오.", - "Log out" : "로그아웃", - "This action requires you to confirm your password:" : "이 작업을 수행하려면 암호를 입력해야 합니다:", - "Wrong password. Reset it?" : "암호가 잘못되었습니다. 다시 설정하시겠습니까?", - "Use the following link to reset your password: {link}" : "다음 링크를 사용하여 암호를 재설정할 수 있습니다: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "안녕하세요,

%s 님이 %s을(를) 공유하였음을 알려 드립니다.
보러 가기!

", - "This Nextcloud instance is currently in single user mode." : "Nextcloud 인스턴스가 현재 단일 사용자 모드로 동작 중입니다.", - "This means only administrators can use the instance." : "현재 시스템 관리자만 인스턴스를 사용할 수 있습니다.", - "You are accessing the server from an untrusted domain." : "신뢰할 수 없는 도메인으로 서버에 접근하고 있습니다.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "시스템 관리자에게 연락하십시오. 만약 이 인스턴스의 관리자라면 config/config.php에서 \"trusted_domains\" 설정을 편집하십시오. config/config.sample.php에 있는 예제 설정을 참고하십시오.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "설정에 따라서 관리자 권한으로 아래 단추를 눌러서 이 도메인을 신뢰하도록 설정할 수 있습니다.", - "Please use the command line updater because you have a big instance." : "현재 인스턴스 크기가 크기 때문에 명령행 업데이터를 사용하십시오.", - "For help, see the documentation." : "도움이 필요한 경우 문서를 참조하십시오.", - "There was an error loading your contacts" : "연락처를 불러오는 중 오류가 발생했습니다", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 함수 \"set_time_limit\"을(를) 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\"에 접근하기 위해서 %s 계정을 사용하려고 합니다.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP에 freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다." + "Thank you for your patience." : "기다려 주셔서 감사합니다." }, "nplurals=1; plural=0;"); diff --git a/core/l10n/ko.json b/core/l10n/ko.json index a5b3fa998952a..493eb5d727be8 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "이 %s 인스턴스는 현재 점검 모드입니다. 시간이 걸릴 수도 있습니다.", "This page will refresh itself when the %s instance is available again." : "%s 인스턴스를 다시 사용할 수 있으면 자동으로 새로 고칩니다.", "Contact your system administrator if this message persists or appeared unexpectedly." : "이 메시지가 계속 표시되거나, 예상하지 못하였을 때 표시된다면 시스템 관리자에게 연락하십시오.", - "Thank you for your patience." : "기다려 주셔서 감사합니다.", - "%s (3rdparty)" : "%s(제 3사)", - "Problem loading page, reloading in 5 seconds" : "페이지 불러오기 오류, 5초 후 새로 고침", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "내 파일이 암호화되어 있습니다. 복구 키를 활성화하지 않았다면 암호를 초기화한 후 데이터를 복구할 수 없습니다.
무엇을 해야 할 지 잘 모르겠으면 계속하기 전에 관리자에게 연락하십시오.
그래도 계속 진행하시겠습니까?", - "Ok" : "확인", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "WebDAV 서비스가 올바르게 작동하지 않아서 웹 서버에서 파일 동기화를 사용할 수 없습니다.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "웹 서버가 \"{url}\"을 올바르게 처리할 수 있도록 설정되어 있지 않습니다. 자세한 내용은 문서를 참고하십시오.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "서버에서 인터넷 연결을 사용할 수 없습니다. 외부 저장소 마운트, 업데이트 알림, 제 3자 앱 설치 등 기능을 사용할 수 없습니다. 원격에서 파일에 접근하거나, 알림 이메일을 보내지 못할 수도 있습니다. 모든 기능을 사용하려면 인터넷에 연결하는 것을 추천합니다.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "메모리 캐시가 구성되지 않았습니다. 가능한 경우 memcache를 설정하여 성능을 향상시킬 수 있습니다. 자세한 내용은 문서를 참고하십시오.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP가 안전한 난수 발생기(/dev/urandom)를 사용할 수 없어 보안에 취약합니다. 자세한 내용은 문서를 참고하십시오.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "현재 PHP {version}을(를) 사용하고 있습니다. 배포판에서 지원하는 대로 PHP 버전을 업그레이드하여 PHP 그룹에서 제공하는 성능 및 보안 업데이트를 받는 것을 추천합니다.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "역방향 프록시 헤더 설정이 올바르지 않거나 신뢰하는 프록시를 통해 Nextcloud에 접근하고 있을 수 있습니다. 만약 Nextcloud를 신뢰하는 프록시를 통해 접근하고 있지 않다면 이는 보안 문제이며 공격자가 IP 주소를 속이고 있을 수 있습니다. 자세한 내용은 문서를 참고하십시오.", - "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 memcached wiki about both modules." : "Memcached가 분산 캐시로 구성되어 있지만 잘못된 PHP 모듈 \"memcache\"가 설치되어 있습니다. \\OC\\Memcache\\Memcached는 \"memcache\"가 아닌 \"memcached\"만 지원합니다. 자세한 내용은 이 두 모듈에 대한 memcached 위키를 참고하십시오.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "일부 파일이 무결성 검사를 통과하지 못습니다. 이 문제를 해결하는 방법은 문서를 참고하십시오.(잘못된 파일 목록… / 다시 검색…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "인터넷에서 데이터 디렉터리와 파일에 접근할 수 있습니다. .htaccess 파일이 작동하지 않습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 직접 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 경로 바깥에 두십시오.", - "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." : "\"{header}\" HTTP 헤더가 \"{expected}\"와(과) 같이 설정되지 않았습니다. 잠재적인 보안 위협이 될 수 있으므로 설정을 변경하는 것을 추천합니다.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP 헤더가 \"{seconds}\"초 이상로 설정되어 있지 않습니다. 보안 팁에서 제안하는 것처럼 HSTS를 활성화하는 것을 추천합니다.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "이 사이트를 HTTP로 접근하고 있습니다. 보안 팁에 나타난 것처럼 서버 설정을 변경하여 HTTPS를 사용하는 것을 강력히 추천합니다.", - "Shared with {recipients}" : "{recipients} 님과 공유됨", - "Error while unsharing" : "공유 해제하는 중 오류 발생", - "can reshare" : "재공유 가능", - "can edit" : "편집 가능", - "can create" : "생성 가능", - "can change" : "변경 가능", - "can delete" : "삭제 가능", - "access control" : "접근 제어", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "연합 클라우드 ID를 통하여 다른 서버의 사람과 공유 username@example.com/cloud", - "Share with users or by mail..." : "사용자 및 이메일로 공유...", - "Share with users or remote users..." : "사용자 및 원격 사용자와 공유...", - "Share with users, remote users or by mail..." : "사용자, 원격 사용자 및 이메일로 공유...", - "Share with users or groups..." : "사용자 및 그룹과 공유...", - "Share with users, groups or by mail..." : "사용자, 그룹 및 이메일로 공유...", - "Share with users, groups or remote users..." : "사용자, 그룹 및 원격 사용자와 공유...", - "Share with users, groups, remote users or by mail..." : "사용자, 그룹, 원격 사용자나 이메일로 공유...", - "Share with users..." : "사용자와 공유...", - "The object type is not specified." : "객체 유형이 지정되지 않았습니다.", - "Enter new" : "새로운 값 입력", - "Add" : "추가", - "Edit tags" : "태그 편집", - "Error loading dialog template: {error}" : "대화 상자 템플릿을 불러오는 중 오류 발생: {error}", - "No tags selected for deletion." : "삭제할 태그를 선택하지 않았습니다.", - "The update was successful. Redirecting you to Nextcloud now." : "업데이트가 성공했습니다. 지금 Nextcloud로 이동합니다.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "안녕하세요,\n\n%s 님이 %s을(를) 공유하였음을 알려 드립니다.\n보기 링크: %s\n\n", - "The share will expire on %s." : "이 공유는 %s에 만료됩니다.", - "Cheers!" : "감사합니다!", - "The server encountered an internal error and was unable to complete your request." : "서버에 내부 오류가 발생하여 요청을 처리할 수 없었습니다.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "이 오류가 여러 번 발생한다면 서버 관리자에게 연락해 주시고, 아래 기술적인 정보를 포함해 주십시오.", - "For information how to properly configure your server, please see the documentation." : "서버를 올바르게 설정하는 방법에 대해서 더 알아보려면 문서를 참조하십시오.", - "Log out" : "로그아웃", - "This action requires you to confirm your password:" : "이 작업을 수행하려면 암호를 입력해야 합니다:", - "Wrong password. Reset it?" : "암호가 잘못되었습니다. 다시 설정하시겠습니까?", - "Use the following link to reset your password: {link}" : "다음 링크를 사용하여 암호를 재설정할 수 있습니다: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "안녕하세요,

%s 님이 %s을(를) 공유하였음을 알려 드립니다.
보러 가기!

", - "This Nextcloud instance is currently in single user mode." : "Nextcloud 인스턴스가 현재 단일 사용자 모드로 동작 중입니다.", - "This means only administrators can use the instance." : "현재 시스템 관리자만 인스턴스를 사용할 수 있습니다.", - "You are accessing the server from an untrusted domain." : "신뢰할 수 없는 도메인으로 서버에 접근하고 있습니다.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "시스템 관리자에게 연락하십시오. 만약 이 인스턴스의 관리자라면 config/config.php에서 \"trusted_domains\" 설정을 편집하십시오. config/config.sample.php에 있는 예제 설정을 참고하십시오.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "설정에 따라서 관리자 권한으로 아래 단추를 눌러서 이 도메인을 신뢰하도록 설정할 수 있습니다.", - "Please use the command line updater because you have a big instance." : "현재 인스턴스 크기가 크기 때문에 명령행 업데이터를 사용하십시오.", - "For help, see the documentation." : "도움이 필요한 경우 문서를 참조하십시오.", - "There was an error loading your contacts" : "연락처를 불러오는 중 오류가 발생했습니다", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache가 제대로 설정되어 있지 않습니다. 더 나은 성능을 위해서 php.ini 파일에 다음 설정을 추가하는 것을 권장합니다:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP 함수 \"set_time_limit\"을(를) 사용할 수 없습니다. 스크립트가 실행 중간에 중지되어 설치를 깨트릴 수도 있습니다. 이 함수를 활성화하는 것을 추천합니다.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "데이터 디렉터리와 파일을 인터넷에서 접근할 수 있는 것 같습니다. .htaccess 파일을 사용할 수 없습니다. 웹 서버 설정을 변경하여 데이터 디렉터리에 접근할 수 없도록 하거나, 데이터 디렉터리를 웹 서버 문서 디렉터리 밖으로 옮기는 것을 추천합니다.", - "You are about to grant \"%s\" access to your %s account." : "\"%s\"에 접근하기 위해서 %s 계정을 사용하려고 합니다.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP에 freetype 지원이 없습니다. 프로필 사진과 설정 인터페이스가 올바르게 표시되지 않을 수도 있습니다." + "Thank you for your patience." : "기다려 주셔서 감사합니다." },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index ccd4af2405d81..1c8e7088c2dfd 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -294,70 +294,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s egzempliorius šiuo metu yra techninės priežiūros veiksenoje, kas savo ruožtu gali šiek tiek užtrukti.", "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", - "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", - "%s (3rdparty)" : "%s (trečiųjų asmenų programinė įranga)", - "Problem loading page, reloading in 5 seconds" : "Problemos įkeliant puslapį. Įkeliama iš naujo po 5 sekundžių", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsų duomenys yra šifruoti. Jei neturite atstatymo rakto, duomenų naudojimas bus nebeįmanomas po slaptažodžio atstatymo.
Jei nesate tikras dėl to, ką norite padaryti, susisiekite su sistemos administratoriumi.
Ar norite tęsti?", - "Ok" : "Gerai", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Jūsų tinklo kompiuteris nėra tinkamai paruoštas duomenų sinchronizacijai, panašu, kad \"WebDAV\" sistemos prieiga yra neveikianti. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Jūsų tinklo kompiuteris nėra tinkamai paruoštas atidaryti nuorodą \"{url}\". Detalesnę informaciją galima rasti dokumentacijoje.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Tinklo kompiuteris neturi veikiančio interneto ryšio: negalima pasiekti atitinkamų prieigos taškų. Tai reiškia, kad tam tikras funkcionalumas, kaip tinklo laikmenos prijungimas, pranešimai apie atnaujinimus ir trečiųjų šalių programinės įrangos diegimas neveiks. Taip pat gali neveikti nuotolinė duomenų prieiga ir priminimų siuntimas elektroniniu paštu. Jei norite turėti šį funkcionalumą, mes siūlome prijungti interneto ryšį šiam tinklo kompiuteriui.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nėra spartinančiosios atminties konfigūracijos. Siekiant pagerinti sistemos efektyvumą reikia paruošti spartinančiosios atminties konfigūraciją, jei tokia konfigūracija yra įmanoma. Detalesnę informaciją galima rasti dokumentacijoje. ", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP sistema negali skaityti \"/dev/urandom\" direktorijos, skaitymo leidimas yra rekomenduotinas saugumo sumetimais. Detalesnę informaciją galima rasti dokumentacijoje.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Naudojama {version} PHP versija. Rekomenduojame atnaujinti PHP versiją ir turėti geresnį sistemos efektyvumą ir saugumą užtikrinančius atnaujinimus iš PHP Group ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Tarpinio serverio antraščių konfigūracija neteisinga, nebent jūs bandote pasiekti NextCloud per patikimą tarpinį serverį. Jei jūs nebandote pasiekti NextCloud per patikimą tarpinį serverį, tai yra tikėtina, kad turite saugumo problemą, kuri leidžia įsilaužėliams šnipinėti prisijungiančius IP adresus. Detalesnę informaciją galima rasti dokumentacijoje.", - "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 memcached wiki about both modules." : "Sukonfigūruota \"Memcached\" skirstoma spartinančiosios atminties sistema, tačiau neteisingas PHP modulis \"memcache\" yra įdiegtas. \\OC\\Memcache\\Memcached palaiko \"memcached\" sistemą, o ne \"memcache\". Dėl detalesnės informacijos žiūrėkite memcached wiki pasakojimą apie abu modulius.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Kai kurie failai nepraėjo vientisumo patikrinimo. Tolimesnę informaciją apie tai, kaip išspręsti šią problemą, galima rasti mūsų dokumentacijoje. (Neteisingų failų sąrašas… / Peržiūrėti iš naujo…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Jūsų duomenys gali būti laisvai prieinami per internetą. Nustatymų byla \".htaccess\" neveikia. Primygtinai reikalaujame tinklo kompiuterį sukonfigūruoti taip, kad duomenys nebūtų laisvai prieinami per internetą, iškelti sistemos duomenų aplanką iš sistemos įdiegimo aplanko.", - "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 antraštė \"{header}\" nesukonfigūruota atitikti antraštę \"{expected}\". Šitai yra saugumo ar privatumo problema ir mes rekomenduojame pataisyti nustatymą.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP antraštė turi būti nustatyta į bent \"{seconds}\" sekundes (-ių). Tam, kad saugumas būtų sustiprintas, rekomenduojame nustatyti HSTS palaikymą taip, kaip aprašyta saugumo patarimuose.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Jūs bandote prieiti šį interneto puslapį per HTTP protokolą. Mes siūlome jūsų tinklo kompiuteryje palaikyti tik HTTPS protokolą, kaip yra apibūdinta mūsų saugumo patarimuose.", - "Shared with {recipients}" : "Dalinamasi su {recipients}", - "Error while unsharing" : "Klaida, kai atšaukiamas dalijimasis", - "can reshare" : "gali pakartotinai dalintis", - "can edit" : "gali redaguoti", - "can create" : "gali kurti", - "can change" : "gali keisti", - "can delete" : "gali trinti", - "access control" : "prieigos valdymas", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "naudotojo vardasPasidalinti su asmenimis ekvivalenčiose sistemose, naudojantis Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Pasidalinti su vartotojais arba per elektroninį paštą...", - "Share with users or remote users..." : "Pasidalinti su vartotojais arba vartotojais kitose sistemose...", - "Share with users, remote users or by mail..." : "Pasidalinti su vartotojais, kitų sistemų vartotojais arba per elektroninį paštą...", - "Share with users or groups..." : "Pasidalinti su vartotojais ar jų grupe...", - "Share with users, groups or by mail..." : "Pasidalinti su vartotojais, grupėmis arba per elektroninį paštą...", - "Share with users, groups or remote users..." : "Pasidalinti su vartotojais, grupėmis ar kitų sistemų vartotojais...", - "Share with users, groups, remote users or by mail..." : "Pasidalinti su vartotojais, kitų sistemų vartotojais arba per elektroninį paštą...", - "Share with users..." : "Pasidalinti su vartotojais...", - "The object type is not specified." : "Objekto tipas nenurodytas.", - "Enter new" : "Įveskite naują", - "Add" : "Pridėti", - "Edit tags" : "Redaguoti žymes", - "Error loading dialog template: {error}" : "Klaida įkeliant dialogo ruošinį: {error}", - "No tags selected for deletion." : "Trynimui nepasirinkta jokia žymė.", - "The update was successful. Redirecting you to Nextcloud now." : "Sėkmingai atnaujinta. Nukreipiama į NextCloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Labas,\n\nInformuojame, kad %s pasidalino su Jumis %s.\nPažiūrėti tai: %s\n", - "The share will expire on %s." : "Bendrinimo laikas baigsis %s.", - "Cheers!" : "Sveikinimai!", - "The server encountered an internal error and was unable to complete your request." : "Sistemoje įvyko klaida bandant įvykdyti jūsų užklausą.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Susisiekite su sistemos administratoriumi, jei klaida pasikartos. Prašome nupasakoti, kaip įvyko klaida žemiau esančioje ataskaitoje.", - "For information how to properly configure your server, please see the documentation." : "Išsamesnei informacijai apie tai kaip tinkamai sukonfigūruoti savo serverį, prašome žiūrėti dokumentaciją.", - "Log out" : "Atsijungti", - "This action requires you to confirm your password:" : "Šis veiksmas reikalauja, kad patvirtintumėte savo slaptažodį:", - "Wrong password. Reset it?" : "Neteisingas slaptažodis. Atstatyti jį?", - "Use the following link to reset your password: {link}" : "Naudokite šią nuorodą, kad atstatytumėte savo slaptažodį: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Labas,

tik norime pranešti, kad %s pasidalino %s su jumis.
Peržiūrėti

", - "This Nextcloud instance is currently in single user mode." : "Šis Nextcloud egzempliorius šiuo metu yra vieno naudotojo veiksenoje.", - "This means only administrators can use the instance." : "Tai reiškia, kad tik administratorius gali naudotis sistema.", - "You are accessing the server from an untrusted domain." : "Jūs bandote prisijungti prie sistemos iš nepatikimo domeno.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Susisiekite su sistemos administratoriumi. Jei jūs esate administratorius, pridėkite \"trusted_domains\" nustatymą config/config.php byloje. Pavyzdinė konfigūracija pateikta config/config.sample.php byloje.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Priklausomai nuo sistemos konfigūracijos, administratorius gali naudoti mygtuką apačioje tam, kad pridėtų patikimą domeno vardą.", - "Please use the command line updater because you have a big instance." : "Prašome atnaujinti per komandinę eilutę, nes jūsų sistema yra didelė.", - "For help, see the documentation." : "Detalesnės informacijos ieškokite dokumentacijoje", - "There was an error loading your contacts" : "Įvyko klaida bandant parodyti pažįstamų asmenų informaciją", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache yra neteisingai sukonfigūruotas. Siekiant geresnio sistemos našumo rekomenduojame įrašyti šiuos nustatymus php.ini byloje:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP sistemos funkcija \"set_time_limit\" yra nepasiekiama. To pasekmėje, tikėtina, kad įdiegta sistema bus sugadinta. Primygtinai reikalaujame įjungti šią funkciją.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Jūsų duomenys gali būti laisvai prieinami per internetą. Nustatymų byla \".htaccess\" neveikia. Primygtinai reikalaujame tinklo kompiuterį sukonfigūruoti taip, kad duomenys nebūtų laisvai prieinami per internetą, iškelti sistemos duomenų aplanką iš sistemos įdiegimo aplanko.", - "You are about to grant \"%s\" access to your %s account." : "Ketinate suteikti \"%s\" prieigą prie savo %s paskyros." + "Thank you for your patience." : "Dėkojame už jūsų kantrumą." }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 778eeec01a3e4..78e151f0b911d 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -292,70 +292,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s egzempliorius šiuo metu yra techninės priežiūros veiksenoje, kas savo ruožtu gali šiek tiek užtrukti.", "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", - "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", - "%s (3rdparty)" : "%s (trečiųjų asmenų programinė įranga)", - "Problem loading page, reloading in 5 seconds" : "Problemos įkeliant puslapį. Įkeliama iš naujo po 5 sekundžių", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsų duomenys yra šifruoti. Jei neturite atstatymo rakto, duomenų naudojimas bus nebeįmanomas po slaptažodžio atstatymo.
Jei nesate tikras dėl to, ką norite padaryti, susisiekite su sistemos administratoriumi.
Ar norite tęsti?", - "Ok" : "Gerai", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Jūsų tinklo kompiuteris nėra tinkamai paruoštas duomenų sinchronizacijai, panašu, kad \"WebDAV\" sistemos prieiga yra neveikianti. ", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Jūsų tinklo kompiuteris nėra tinkamai paruoštas atidaryti nuorodą \"{url}\". Detalesnę informaciją galima rasti dokumentacijoje.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Tinklo kompiuteris neturi veikiančio interneto ryšio: negalima pasiekti atitinkamų prieigos taškų. Tai reiškia, kad tam tikras funkcionalumas, kaip tinklo laikmenos prijungimas, pranešimai apie atnaujinimus ir trečiųjų šalių programinės įrangos diegimas neveiks. Taip pat gali neveikti nuotolinė duomenų prieiga ir priminimų siuntimas elektroniniu paštu. Jei norite turėti šį funkcionalumą, mes siūlome prijungti interneto ryšį šiam tinklo kompiuteriui.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nėra spartinančiosios atminties konfigūracijos. Siekiant pagerinti sistemos efektyvumą reikia paruošti spartinančiosios atminties konfigūraciją, jei tokia konfigūracija yra įmanoma. Detalesnę informaciją galima rasti dokumentacijoje. ", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP sistema negali skaityti \"/dev/urandom\" direktorijos, skaitymo leidimas yra rekomenduotinas saugumo sumetimais. Detalesnę informaciją galima rasti dokumentacijoje.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Naudojama {version} PHP versija. Rekomenduojame atnaujinti PHP versiją ir turėti geresnį sistemos efektyvumą ir saugumą užtikrinančius atnaujinimus iš PHP Group ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Tarpinio serverio antraščių konfigūracija neteisinga, nebent jūs bandote pasiekti NextCloud per patikimą tarpinį serverį. Jei jūs nebandote pasiekti NextCloud per patikimą tarpinį serverį, tai yra tikėtina, kad turite saugumo problemą, kuri leidžia įsilaužėliams šnipinėti prisijungiančius IP adresus. Detalesnę informaciją galima rasti dokumentacijoje.", - "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 memcached wiki about both modules." : "Sukonfigūruota \"Memcached\" skirstoma spartinančiosios atminties sistema, tačiau neteisingas PHP modulis \"memcache\" yra įdiegtas. \\OC\\Memcache\\Memcached palaiko \"memcached\" sistemą, o ne \"memcache\". Dėl detalesnės informacijos žiūrėkite memcached wiki pasakojimą apie abu modulius.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Kai kurie failai nepraėjo vientisumo patikrinimo. Tolimesnę informaciją apie tai, kaip išspręsti šią problemą, galima rasti mūsų dokumentacijoje. (Neteisingų failų sąrašas… / Peržiūrėti iš naujo…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Jūsų duomenys gali būti laisvai prieinami per internetą. Nustatymų byla \".htaccess\" neveikia. Primygtinai reikalaujame tinklo kompiuterį sukonfigūruoti taip, kad duomenys nebūtų laisvai prieinami per internetą, iškelti sistemos duomenų aplanką iš sistemos įdiegimo aplanko.", - "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 antraštė \"{header}\" nesukonfigūruota atitikti antraštę \"{expected}\". Šitai yra saugumo ar privatumo problema ir mes rekomenduojame pataisyti nustatymą.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP antraštė turi būti nustatyta į bent \"{seconds}\" sekundes (-ių). Tam, kad saugumas būtų sustiprintas, rekomenduojame nustatyti HSTS palaikymą taip, kaip aprašyta saugumo patarimuose.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Jūs bandote prieiti šį interneto puslapį per HTTP protokolą. Mes siūlome jūsų tinklo kompiuteryje palaikyti tik HTTPS protokolą, kaip yra apibūdinta mūsų saugumo patarimuose.", - "Shared with {recipients}" : "Dalinamasi su {recipients}", - "Error while unsharing" : "Klaida, kai atšaukiamas dalijimasis", - "can reshare" : "gali pakartotinai dalintis", - "can edit" : "gali redaguoti", - "can create" : "gali kurti", - "can change" : "gali keisti", - "can delete" : "gali trinti", - "access control" : "prieigos valdymas", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "naudotojo vardasPasidalinti su asmenimis ekvivalenčiose sistemose, naudojantis Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Pasidalinti su vartotojais arba per elektroninį paštą...", - "Share with users or remote users..." : "Pasidalinti su vartotojais arba vartotojais kitose sistemose...", - "Share with users, remote users or by mail..." : "Pasidalinti su vartotojais, kitų sistemų vartotojais arba per elektroninį paštą...", - "Share with users or groups..." : "Pasidalinti su vartotojais ar jų grupe...", - "Share with users, groups or by mail..." : "Pasidalinti su vartotojais, grupėmis arba per elektroninį paštą...", - "Share with users, groups or remote users..." : "Pasidalinti su vartotojais, grupėmis ar kitų sistemų vartotojais...", - "Share with users, groups, remote users or by mail..." : "Pasidalinti su vartotojais, kitų sistemų vartotojais arba per elektroninį paštą...", - "Share with users..." : "Pasidalinti su vartotojais...", - "The object type is not specified." : "Objekto tipas nenurodytas.", - "Enter new" : "Įveskite naują", - "Add" : "Pridėti", - "Edit tags" : "Redaguoti žymes", - "Error loading dialog template: {error}" : "Klaida įkeliant dialogo ruošinį: {error}", - "No tags selected for deletion." : "Trynimui nepasirinkta jokia žymė.", - "The update was successful. Redirecting you to Nextcloud now." : "Sėkmingai atnaujinta. Nukreipiama į NextCloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Labas,\n\nInformuojame, kad %s pasidalino su Jumis %s.\nPažiūrėti tai: %s\n", - "The share will expire on %s." : "Bendrinimo laikas baigsis %s.", - "Cheers!" : "Sveikinimai!", - "The server encountered an internal error and was unable to complete your request." : "Sistemoje įvyko klaida bandant įvykdyti jūsų užklausą.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Susisiekite su sistemos administratoriumi, jei klaida pasikartos. Prašome nupasakoti, kaip įvyko klaida žemiau esančioje ataskaitoje.", - "For information how to properly configure your server, please see the documentation." : "Išsamesnei informacijai apie tai kaip tinkamai sukonfigūruoti savo serverį, prašome žiūrėti dokumentaciją.", - "Log out" : "Atsijungti", - "This action requires you to confirm your password:" : "Šis veiksmas reikalauja, kad patvirtintumėte savo slaptažodį:", - "Wrong password. Reset it?" : "Neteisingas slaptažodis. Atstatyti jį?", - "Use the following link to reset your password: {link}" : "Naudokite šią nuorodą, kad atstatytumėte savo slaptažodį: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Labas,

tik norime pranešti, kad %s pasidalino %s su jumis.
Peržiūrėti

", - "This Nextcloud instance is currently in single user mode." : "Šis Nextcloud egzempliorius šiuo metu yra vieno naudotojo veiksenoje.", - "This means only administrators can use the instance." : "Tai reiškia, kad tik administratorius gali naudotis sistema.", - "You are accessing the server from an untrusted domain." : "Jūs bandote prisijungti prie sistemos iš nepatikimo domeno.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Susisiekite su sistemos administratoriumi. Jei jūs esate administratorius, pridėkite \"trusted_domains\" nustatymą config/config.php byloje. Pavyzdinė konfigūracija pateikta config/config.sample.php byloje.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Priklausomai nuo sistemos konfigūracijos, administratorius gali naudoti mygtuką apačioje tam, kad pridėtų patikimą domeno vardą.", - "Please use the command line updater because you have a big instance." : "Prašome atnaujinti per komandinę eilutę, nes jūsų sistema yra didelė.", - "For help, see the documentation." : "Detalesnės informacijos ieškokite dokumentacijoje", - "There was an error loading your contacts" : "Įvyko klaida bandant parodyti pažįstamų asmenų informaciją", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache yra neteisingai sukonfigūruotas. Siekiant geresnio sistemos našumo rekomenduojame įrašyti šiuos nustatymus php.ini byloje:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP sistemos funkcija \"set_time_limit\" yra nepasiekiama. To pasekmėje, tikėtina, kad įdiegta sistema bus sugadinta. Primygtinai reikalaujame įjungti šią funkciją.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Jūsų duomenys gali būti laisvai prieinami per internetą. Nustatymų byla \".htaccess\" neveikia. Primygtinai reikalaujame tinklo kompiuterį sukonfigūruoti taip, kad duomenys nebūtų laisvai prieinami per internetą, iškelti sistemos duomenų aplanką iš sistemos įdiegimo aplanko.", - "You are about to grant \"%s\" access to your %s account." : "Ketinate suteikti \"%s\" prieigą prie savo %s paskyros." + "Thank you for your patience." : "Dėkojame už jūsų kantrumą." },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/core/l10n/lv.js b/core/l10n/lv.js deleted file mode 100644 index b6c43769b398c..0000000000000 --- a/core/l10n/lv.js +++ /dev/null @@ -1,317 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Lūdzu izvēlies failu.", - "File is too big" : "Datne ir par lielu", - "The selected file is not an image." : "Atlasītais fails nav attēls.", - "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", - "Invalid file provided" : "Norādīta nederīga datne", - "No image or file provided" : "Nav norādīts attēls vai datne", - "Unknown filetype" : "Nezināms datnes tips", - "Invalid image" : "Nederīgs attēls", - "An error occurred. Please contact your admin." : "Notika kļūda. Lūdzu sazinies ar savu administratoru.", - "No temporary profile picture available, try again" : "Profila pagaidu attēls nav pieejams, mēģini vēlreiz", - "No crop data provided" : "Nav norādīti apgriešanas dati", - "No valid crop data provided" : "Nav norādīti derīgi apgriešanas dati", - "Crop is not square" : "Griezums nav kvadrāts", - "State token does not match" : "Neatbilstošs stāvokļa talons", - "Password reset is disabled" : "Paroles atiestatīšana nav iespējota", - "Couldn't reset password because the token is invalid" : "Nevarēja nomainīt paroli, jo pazīšanās zīme ir nederīga", - "Couldn't reset password because the token is expired" : "Nevarēja nomainīt paroli, jo pazīšanās zīmei beidzies derīguma termiņš", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Nevarēja nosūtīt paroles maiņas e-pastu, jo lietotājam nav norādīts e-pasts. Lūdzu sazinies ar savu administratoru.", - "%s password reset" : "%s paroles maiņa", - "Password reset" : "Parole atiestatīta", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo pogu, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo saiti, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", - "Reset your password" : "Atiestatīt paroli", - "Couldn't send reset email. Please contact your administrator." : "Nevarēja nosūtīt maiņas e-pastu. Lūdzu sazinies ar savu administratoru.", - "Couldn't send reset email. Please make sure your username is correct." : "Nevarēja nosūtīt paroles maiņas e-pastu. Pārliecinies, ka tavs lietotājvārds ir pareizs.", - "Preparing update" : "Sagatavo atjauninājumu", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Labošanas brīdinājums:", - "Repair error: " : "Labošanas kļūda:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Lūdzu izmanto komandrindas atjaunināšanu, jo automātiskā atjaunināšana ir atspējota konfigurācijas datnē config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Pārbauda tabulu %s", - "Turned on maintenance mode" : "Ieslēgts uzturēšanas režīms", - "Turned off maintenance mode" : "Izslēgts uzturēšanas režīms", - "Maintenance mode is kept active" : "Uzturēšanas režīms ir paturēts aktīvs", - "Updating database schema" : "Atjaunina datu bāzes shēmu", - "Updated database" : "Atjaunināta datu bāze", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Pārbauda vai datu bāzes shēma var būt atjaunināma (tas var prasīt laiku atkarībā no datu bāzes izmēriem)", - "Checked database schema update" : "Pārbaudīts datu bāzes shēmas atjauninājums", - "Checking updates of apps" : "Pārbauda programmu atjauninājumus", - "Checking for update of app \"%s\" in appstore" : "Meklē atjauninājumus lietotnei \"%s\"", - "Update app \"%s\" from appstore" : "Atjaunināt lietotni \"%s\"", - "Checked for update of app \"%s\" in appstore" : "Meklēti atjauninājumi lietotnei \"%s\"", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Nosaka, vai uz %s attiecināmā shēma var tikt atjaunināta (tas var prasīt daudz laiku atkarībā no datu bāzes izmēriem)", - "Checked database schema update for apps" : "Pārbaudīts datu bāzes shēmas atjauninājums lietotnēm.", - "Updated \"%s\" to %s" : "Atjaunināts \"%s\" uz %s", - "Set log level to debug" : "Iestatīt žurnāla rakstīšanu uz atkļūdošanas režīmā", - "Reset log level" : "Atiestatīt žurnāla rakstīšanas režīmu", - "Starting code integrity check" : "Uzsākta koda integritātes pārbaude", - "Finished code integrity check" : "Pabeigta koda integritātes pārbaude", - "%s (incompatible)" : "%s (nesaderīgs)", - "Following apps have been disabled: %s" : "Sekojošas programmas tika atslēgtas: %s", - "Already up to date" : "Jau ir jaunākā", - "Search contacts …" : "Meklēt kontaktpersonu", - "No contacts found" : "Nav atrasta ne viena kontaktpersona", - "Show all contacts …" : "Rādīt visas kontaktpersonas", - "Loading your contacts …" : "Notiek kontaktpersonu ielāde...", - "Looking for {term} …" : "Meklē {term} …", - "There were problems with the code integrity check. More information…" : "Programmatūras koda pārbaude atgrieza kļūdas. Sīkāk…", - "No action available" : "Nav pieejamu darbību", - "Error fetching contact actions" : "Kļūda rodot kontaktpersonām piemērojamās darbības", - "Settings" : "Iestatījumi", - "Connection to server lost" : "Zaudēts savienojums ar serveri", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm"], - "Saving..." : "Saglabā...", - "Dismiss" : "Atmest", - "This action requires you to confirm your password" : "Lai veiktu šo darbību, jums jāievada sava parole.", - "Authentication required" : "Nepieciešama autentifikācija", - "Password" : "Parole", - "Cancel" : "Atcelt", - "Confirm" : "Apstiprināt", - "Failed to authenticate, try again" : "Neizdevās autentificēt, mēģiniet vēlreiz", - "seconds ago" : "sekundes atpakaļ", - "Logging in …" : "Notiek pieteikšanās …", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Saite paroles atiestatīšanai nosūtīta uz jūsu e-pastu. Ja tuvākajā laikā to nesaņemat, pārbaudiet pastkastes mēstuļu sadaļu.
Ja arī tur to neatrodat, sazinieties ar savu administratoru.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu datnes ir šifrētas. Atiestatot paroli, jums zudīs iespēja tos atšifrēt.
Ja neessat pārliecināts, ko darīt, sazinieties ar savu administratoru.
Vai tiešām vēlaties turpināt?", - "I know what I'm doing" : "Es zinu ko es daru", - "Password can not be changed. Please contact your administrator." : "Paroli, nevar nomainīt. Lūdzu kontaktēties ar savu administratoru.", - "Reset password" : "Mainīt paroli", - "No" : "Nē", - "Yes" : "Jā", - "No files in here" : "Šeit nav datņu", - "Choose" : "Izvēlieties", - "Copy" : "Kopēt", - "Error loading file picker template: {error}" : "Kļūda ielādējot izvēlēto veidni: {error}", - "OK" : "Labi", - "Error loading message template: {error}" : "Kļūda ielādējot ziņojuma veidni: {error}", - "read-only" : "tikai-skatīt", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} datnes konflikts","{count} datnes konflikts","{count} datņu konflikti"], - "One file conflict" : "Vienas datnes konflikts", - "New Files" : "Jaunas datnes", - "Already existing files" : "Jau esošas datnes", - "Which files do you want to keep?" : "Kuras datnes vēlies paturēt?", - "If you select both versions, the copied file will have a number added to its name." : "Ja izvēlēsietes paturēt abas versijas, kopētā faila nosaukumam tiks pievienots skaitlis.", - "Continue" : "Turpināt", - "(all selected)" : "(visus iezīmētos)", - "({count} selected)" : "({count} iezīmēti)", - "Pending" : "Gaida", - "Very weak password" : "Ļoti vāja parole", - "Weak password" : "Vāja parole", - "So-so password" : "Normāla parole", - "Good password" : "Laba parole", - "Strong password" : "Lieliska parole", - "Error occurred while checking server setup" : "Radās kļūda, pārbaudot servera ", - "Shared" : "Koplietots", - "Error setting expiration date" : "Kļūda, iestatot termiņa datumu", - "Set expiration date" : "Iestatiet termiņa datumu", - "Expiration" : "Termiņš", - "Expiration date" : "Termiņa datums", - "Choose a password for the public link" : "Izvēlies paroli publiskai saitei", - "Choose a password for the public link or press the \"Enter\" key" : "Izvēlies paroli publiskai saitei vai nospiediet \"Enter\" taustiņu", - "Copied!" : "Nokopēts!", - "Not supported!" : "Nav atbalstīts!", - "Press ⌘-C to copy." : "Spiet ⌘-C lai kopētu.", - "Press Ctrl-C to copy." : "Spiet Ctrl-C lai kopētu.", - "Resharing is not allowed" : "Atkārtota dalīšanās nav atļauta", - "Share to {name}" : "Dalīties ar {name}", - "Share link" : "Koplietot saiti", - "Link" : "Saite", - "Password protect" : "Aizsargāt ar paroli", - "Allow editing" : "Atļaut rediģēt", - "Email link to person" : "Sūtīt saiti personai pa e-pastu", - "Send" : "Sūtīt", - "Allow upload and editing" : "Atļaut augšupielādi un rediģēšanu", - "Read only" : "Tikai lasāms", - "Shared with you and the group {group} by {owner}" : "{owner} koplietoja ar jums un grupu {group}", - "Shared with you by {owner}" : "{owner} koplietoja ar jums", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} koplietots ar saiti", - "group" : "grupa", - "remote" : "attālināti", - "email" : "e-pasts", - "shared by {sharer}" : "Koplietoja {sharer}", - "Unshare" : "Pārtraukt koplietošanu", - "Can edit" : "Var rediģēt", - "Can create" : "Var izveidot", - "Can change" : "Var mainīt", - "Can delete" : "Var dzēst", - "Access control" : "Piekļuves vadība", - "Could not unshare" : "Nevarēja pārtraukt koplietošanu", - "Error while sharing" : "Kļūda, daloties", - "Share details could not be loaded for this item." : "Šim nevarēja ielādēt koplietošanas detaļas.", - "No users or groups found for {search}" : "Pēc {search} netika atrasts neviens lietotājs vai grupa", - "No users found for {search}" : "Pēc {search} netika atrasts neviens lietotājs", - "An error occurred. Please try again" : "Notika kļūda. Mēģini vēlreiz.", - "{sharee} (group)" : "{sharee} (grupa)", - "{sharee} (remote)" : "{sharee} (attālināti)", - "{sharee} (email)" : "{sharee} (e-pasts)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Koplietot", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu, federated cloud ID vai e-pasta adresi.", - "Share with other people by entering a user or group or a federated cloud ID." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai federated cloud ID.", - "Share with other people by entering a user or group or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai e-pasta adresi.", - "Name or email address..." : "Vārds vai e-pasta adrese...", - "Name or federated cloud ID..." : "Vārds vai federated cloud ID", - "Name, federated cloud ID or email address..." : "Vārds, federated cloud ID vai e-pasta adrese...", - "Name..." : "Vārds...", - "Error" : "Kļūda", - "Error removing share" : "Kļūda, noņemot koplietošanu", - "restricted" : "ierobežots", - "invisible" : "Neredzams", - "({scope})" : "({scope})", - "Delete" : "Dzēst", - "Rename" : "Pārsaukt", - "Collaborative tags" : "Sadarbības atzīmes", - "No tags found" : "Netika atrasta neviena atzīme", - "unknown text" : "nezināms teksts", - "Hello world!" : "Sveika, pasaule!", - "sunny" : "saulains", - "Hello {name}, the weather is {weather}" : "Sveiks {name}, laiks ir {weather}", - "Hello {name}" : "Sveiks {name}", - "new" : "jauns", - "_download %n file_::_download %n files_" : ["lejupielādēt %n failus","lejupielādēt %n failus","lejupielādēt %n failus"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Notiek atjaunināšana, šīs lapas atstāšana var pārtraukt procesu dažās vidēs.", - "Update to {version}" : "Atjaunināts uz {version}", - "An error occurred." : "Radās kļūda.", - "Please reload the page." : "Lūdzu, atkārtoti ielādējiet lapu.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Atjauninājums nebija veiksmīgs. Plašāku informāciju skatiet mūsu foruma rakstā par šo problēmu.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Atjauninājums nebija veiksmīgs. Lūdzu ziņojiet šo ķļūdu Nextcloud kopienā.", - "Continue to Nextcloud" : "Turpināt ar Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundes.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm."], - "Searching other places" : "Meklēt citās vietās", - "No search results in other folders for {tag}{filter}{endtag}" : "Nav nekas atrasts citā mapēs {tag}{filter}{endtag}", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs"], - "Personal" : "Personīgi", - "Users" : "Lietotāji", - "Apps" : "Programmas", - "Admin" : "Administratori", - "Help" : "Palīdzība", - "Access forbidden" : "Pieeja ir liegta", - "File not found" : "Fails nav atrasts", - "The specified document has not been found on the server." : "Norādītais dokuments nav atrasts serverī.", - "You can click here to return to %s." : "Jūs varat noklikšķināt šeit, lai atgrieztos uz %s.", - "Internal Server Error" : "Iekšēja servera kļūda", - "More details can be found in the server log." : "Sīkāka informācija atrodama servera žurnāl failā.", - "Technical details" : "Tehniskās detaļas", - "Remote Address: %s" : "Attālinātā adrese: %s", - "Request ID: %s" : "Pieprasījuma ID: %s", - "Type: %s" : "Tips: %s", - "Code: %s" : "Kods: %s", - "Message: %s" : "Ziņojums: %s", - "File: %s" : "Fails: %s", - "Line: %s" : "Līnija: %s", - "Trace" : "Izsekot", - "Security warning" : "Drošības brīdinājums", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Visticamāk, jūsu datu direktorija un datnes ir pieejamas no interneta, jo .htaccess datne nedarbojas.", - "Create an admin account" : "Izveidot administratora kontu", - "Username" : "Lietotājvārds", - "Storage & database" : "Krātuve & datubāze", - "Data folder" : "Datu mape", - "Configure the database" : "Konfigurēt datubāzi", - "Only %s is available." : "Tikai %s ir pieejams.", - "Install and activate additional PHP modules to choose other database types." : "Instalējiet un aktivizējiet papildus PHP moduļus lai izvēlētos citus datubāžu tipus.", - "For more details check out the documentation." : "Sīkākai informācijai skatiet dokumentāciju.", - "Database user" : "Datubāzes lietotājs", - "Database password" : "Datubāzes parole", - "Database name" : "Datubāzes nosaukums", - "Database tablespace" : "Datubāzes tabulas telpa", - "Database host" : "Datubāzes serveris", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Lūdzu, norādiet porta numuru kopā ar resursdatora nosaukumu (piemēram, localhost: 5432).", - "Performance warning" : "Veiktspējas brīdinājums", - "SQLite will be used as database." : "SQLite tiks izmantota kā datu bāze.", - "For larger installations we recommend to choose a different database backend." : "Priekš lielākām instalācijām mēs iesakām izvēlēties citu datubāzes serveri.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "It sevišķi, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju SQLite izmantošana nav ieteicama.", - "Finish setup" : "Pabeigt iestatīšanu", - "Finishing …" : "Pabeidz ...", - "Need help?" : "Vajadzīga palīdzība?", - "See the documentation" : "Skatiet dokumentāciju", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Šai programmai nepieciešams JavaScript. Lūdzu {linkstart}ieslēdziet JavasScript{linkend} un pārlādējiet lapu.", - "More apps" : "Vairāk programmu", - "Search" : "Meklēt", - "Confirm your password" : "Apstipriniet paroli", - "Server side authentication failed!" : "Servera autentifikācija neizdevās!", - "Please contact your administrator." : "Lūdzu, sazinieties ar administratoru.", - "An internal error occurred." : "Radās iekšēja kļūda.", - "Please try again or contact your administrator." : "Lūdzu, mēģiniet vēlreiz vai sazinieties ar administratoru.", - "Username or email" : "Lietotājvārds vai e-pasts", - "Log in" : "Ierakstīties", - "Wrong password." : "Nepareiza parole.", - "Stay logged in" : "Palikt ierakstītam", - "Alternative Logins" : "Alternatīvās pieteikšanās", - "App token" : "Programmas pilnvara", - "Alternative login using app token" : "Alternatīvās pieteikšanās izmantojot programmas pilnvaru.", - "Redirecting …" : "Novirzam ...", - "New password" : "Jauna parole", - "New Password" : "Jauna parole", - "Two-factor authentication" : "Divpakāpju autentifikācija", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Uzlabota drošība ir iespējota jūsu kontam. Lūdzu autentificējies izmantojot otru faktoru.", - "Cancel log in" : "Atcelt pierakstīšanos", - "Use backup code" : "Izmantojiet dublēšanas kodu", - "Error while validating your second factor" : "Kļūda validējot jūsu otru faktoru.", - "Add \"%s\" as trusted domain" : "Pievienot \"%s\" kā uzticamu domēnu", - "App update required" : "Programmai nepieciešama atjaunināšana", - "%s will be updated to version %s" : "%s tiks atjaunināts uz versiju %s", - "These apps will be updated:" : "Šīs programmas tiks atjauninātas:", - "These incompatible apps will be disabled:" : "Šīs nesaderīgās programmas tiks atspējotas:", - "The theme %s has been disabled." : "Tēma %s ir atspējota.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Lūdzu pārliecinieties ka datubāze, config mape un data mape ir dublētas pirms turpināšanas.", - "Start update" : "Sākt atjaunināšanu", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Lai izvairītos no noliedzes ar lielākām instalācijām, jūs varat palaist sekojošo komandu no jūsu instalācijas mapes:", - "Detailed logs" : "Detalizētas informācijas žurnālfaili", - "Update needed" : "Nepieciešama atjaunināšana", - "Please use the command line updater because you have a big instance with more than 50 users." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir vairāk nekā 50 lietotāji.", - "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Es zinu ka ja es turpināšu atjauninājumu caur tīmekļa atjauninātāju ir risks ka pieprasījumam būs noliedze , kas var radīt datu zudumu, bet man ir dublējumkopija un es zinu kā atjaunot instanci neveiksmes gadijumā.", - "Upgrade via web on my own risk" : "Atjaunināt caur tīmekļa atjauninātāju uz mana paša risku.", - "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s serveris pašlaik darbojas uzturēšanas režīmā, tas var ilgt kādu laiku.", - "This page will refresh itself when the %s instance is available again." : "Lapa tiks atsvaidzināta kad %s instance atkal ir pieejama.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Sazinieties ar sistēmas administratoru, ja šis ziņojums tiek rādīts.. vai parādījās negaidīti", - "Thank you for your patience." : "Paldies par jūsu pacietību.", - "%s (3rdparty)" : "%s (citu izstrādātāju)", - "Problem loading page, reloading in 5 seconds" : "Problēma ielādējot lapu, pārlādēšana pēc 5 sekundēm", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu faili ir šifrēti. Ja neesat iespējojis atkopšanas atslēgu, nevarēsiet atgūt datus atpakaļ, pēc jūsu paroles atiestatīšanas.
Ja neesat pārliecināts par to, ko darīt, lūdzu, pirms turpināt, sazinieties ar administratoru.
Vai tiešām vēlaties turpināt?", - "Ok" : "Labi", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Jūsu serveris nav pareizi uzstādīts lai atļautu failu sinhronizēšanu jo WebDAV interfeiss šķiet salūzis.", - "Shared with {recipients}" : "Koplietots ar {recipients}", - "Error while unsharing" : "Kļūda, beidzot dalīties", - "can reshare" : "var atkārtoti kopīgot", - "can edit" : "var rediģēt", - "can create" : "var izveidot", - "can change" : "var mainīt", - "can delete" : "var dzēst", - "access control" : "piekļuves vadība", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Koplietot ar personām, kas atrodas citos serveros, izmantojot Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Koplietot ar lietotājiem vai izmantojot e-pastu...", - "Share with users or remote users..." : "Koplietot ar lietotājiem vai attāliem lietotājiem...", - "Share with users, remote users or by mail..." : "Koplietot ar lietotājiem, attāliem lietotājiem vai izmantojot e-pastu...", - "Share with users or groups..." : "Koplietot ar lietotājiem vai grupām...", - "Share with users, groups or by mail..." : "Koplietot ar lietotājiem, grupām vai izmantojot e-pastu...", - "Share with users, groups or remote users..." : "Koplietot ar lietotājiem, grupām vai attāliem lietotājiem...", - "Share with users, groups, remote users or by mail..." : "Koplietot ar lietotājiem, grupām, attāliem lietotājiem vai izmantojot e-pastu...", - "Share with users..." : "Koplietots ar lietotājiem...", - "The object type is not specified." : "Nav norādīts objekta tips.", - "Enter new" : "Ievadīt jaunu", - "Add" : "Pievienot", - "Edit tags" : "Rediģēt atzīmes", - "Error loading dialog template: {error}" : "Kļūda ielādējot dialoga veidni: {error}", - "The update was successful. Redirecting you to Nextcloud now." : "Atjaunināšana ir bijusi veiksmīga. Tagad novirzīsim jūs uz Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Sveiki,\n\ninformējam, ka %s koplietoja ar jums %s.\nApskati to: %s\n", - "The share will expire on %s." : "Koplietošana beigsies %s.", - "Cheers!" : "Priekā!", - "The server encountered an internal error and was unable to complete your request." : "Serverī radās iekšēja kļūda, un tas nevarēja pabeigt jūsu pieprasījumu.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Lūdzu sazinieties ar servera administrātoru ja šī kļūda parādās vairākas reizes, lūdzu iekļaujiet zemāk redzamās tehniskās detaļas jūsu ziņojumā.", - "For information how to properly configure your server, please see the documentation." : "Priekš informācijas kā pareizi konfigurēt jūsu serveri skatiet dokumentācijā.", - "Log out" : "Izrakstīties", - "This action requires you to confirm your password:" : "Šī darbība ir nepieciešama, lai apstiprinātu jūsu paroli:", - "Wrong password. Reset it?" : "Nepareiza parole. Nodzēst to?", - "Use the following link to reset your password: {link}" : "Izmantojiet šo saiti, lai mainītu paroli: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Sveiki,

informējam, ka %s koplietoja ar jums %s.
Apskati to!

", - "You are accessing the server from an untrusted domain." : "Jums ir piekļuve serverim no neuzticama domēna.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Lūdzu sazinieties ar jūsu administrātoru. Ja jūs esat šīs instances administrātors, konfigurējiet \"trusted_domains\" iestatījumu config/config.php failā. Piemēra konfigurācija ir pieejama config/config.sample.php failā.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Atkarīgi no jūsu konfigurācijas, kā administrātors jūs varētu izmantot zemāk redzamo pogu lai uzticētos šim domēnam.", - "Please use the command line updater because you have a big instance." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir liels datu apjoms.", - "For help, see the documentation." : "Lai saņemtu palīdzību, skatiet dokumentāciju.", - "There was an error loading your contacts" : "Notikusi kļūda ielādējot kontaktpersonu sarakstu" -}, -"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/core/l10n/lv.json b/core/l10n/lv.json deleted file mode 100644 index 07039e8a4ae81..0000000000000 --- a/core/l10n/lv.json +++ /dev/null @@ -1,315 +0,0 @@ -{ "translations": { - "Please select a file." : "Lūdzu izvēlies failu.", - "File is too big" : "Datne ir par lielu", - "The selected file is not an image." : "Atlasītais fails nav attēls.", - "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", - "Invalid file provided" : "Norādīta nederīga datne", - "No image or file provided" : "Nav norādīts attēls vai datne", - "Unknown filetype" : "Nezināms datnes tips", - "Invalid image" : "Nederīgs attēls", - "An error occurred. Please contact your admin." : "Notika kļūda. Lūdzu sazinies ar savu administratoru.", - "No temporary profile picture available, try again" : "Profila pagaidu attēls nav pieejams, mēģini vēlreiz", - "No crop data provided" : "Nav norādīti apgriešanas dati", - "No valid crop data provided" : "Nav norādīti derīgi apgriešanas dati", - "Crop is not square" : "Griezums nav kvadrāts", - "State token does not match" : "Neatbilstošs stāvokļa talons", - "Password reset is disabled" : "Paroles atiestatīšana nav iespējota", - "Couldn't reset password because the token is invalid" : "Nevarēja nomainīt paroli, jo pazīšanās zīme ir nederīga", - "Couldn't reset password because the token is expired" : "Nevarēja nomainīt paroli, jo pazīšanās zīmei beidzies derīguma termiņš", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Nevarēja nosūtīt paroles maiņas e-pastu, jo lietotājam nav norādīts e-pasts. Lūdzu sazinies ar savu administratoru.", - "%s password reset" : "%s paroles maiņa", - "Password reset" : "Parole atiestatīta", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo pogu, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo saiti, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", - "Reset your password" : "Atiestatīt paroli", - "Couldn't send reset email. Please contact your administrator." : "Nevarēja nosūtīt maiņas e-pastu. Lūdzu sazinies ar savu administratoru.", - "Couldn't send reset email. Please make sure your username is correct." : "Nevarēja nosūtīt paroles maiņas e-pastu. Pārliecinies, ka tavs lietotājvārds ir pareizs.", - "Preparing update" : "Sagatavo atjauninājumu", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Labošanas brīdinājums:", - "Repair error: " : "Labošanas kļūda:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Lūdzu izmanto komandrindas atjaunināšanu, jo automātiskā atjaunināšana ir atspējota konfigurācijas datnē config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Pārbauda tabulu %s", - "Turned on maintenance mode" : "Ieslēgts uzturēšanas režīms", - "Turned off maintenance mode" : "Izslēgts uzturēšanas režīms", - "Maintenance mode is kept active" : "Uzturēšanas režīms ir paturēts aktīvs", - "Updating database schema" : "Atjaunina datu bāzes shēmu", - "Updated database" : "Atjaunināta datu bāze", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Pārbauda vai datu bāzes shēma var būt atjaunināma (tas var prasīt laiku atkarībā no datu bāzes izmēriem)", - "Checked database schema update" : "Pārbaudīts datu bāzes shēmas atjauninājums", - "Checking updates of apps" : "Pārbauda programmu atjauninājumus", - "Checking for update of app \"%s\" in appstore" : "Meklē atjauninājumus lietotnei \"%s\"", - "Update app \"%s\" from appstore" : "Atjaunināt lietotni \"%s\"", - "Checked for update of app \"%s\" in appstore" : "Meklēti atjauninājumi lietotnei \"%s\"", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Nosaka, vai uz %s attiecināmā shēma var tikt atjaunināta (tas var prasīt daudz laiku atkarībā no datu bāzes izmēriem)", - "Checked database schema update for apps" : "Pārbaudīts datu bāzes shēmas atjauninājums lietotnēm.", - "Updated \"%s\" to %s" : "Atjaunināts \"%s\" uz %s", - "Set log level to debug" : "Iestatīt žurnāla rakstīšanu uz atkļūdošanas režīmā", - "Reset log level" : "Atiestatīt žurnāla rakstīšanas režīmu", - "Starting code integrity check" : "Uzsākta koda integritātes pārbaude", - "Finished code integrity check" : "Pabeigta koda integritātes pārbaude", - "%s (incompatible)" : "%s (nesaderīgs)", - "Following apps have been disabled: %s" : "Sekojošas programmas tika atslēgtas: %s", - "Already up to date" : "Jau ir jaunākā", - "Search contacts …" : "Meklēt kontaktpersonu", - "No contacts found" : "Nav atrasta ne viena kontaktpersona", - "Show all contacts …" : "Rādīt visas kontaktpersonas", - "Loading your contacts …" : "Notiek kontaktpersonu ielāde...", - "Looking for {term} …" : "Meklē {term} …", - "There were problems with the code integrity check. More information…" : "Programmatūras koda pārbaude atgrieza kļūdas. Sīkāk…", - "No action available" : "Nav pieejamu darbību", - "Error fetching contact actions" : "Kļūda rodot kontaktpersonām piemērojamās darbības", - "Settings" : "Iestatījumi", - "Connection to server lost" : "Zaudēts savienojums ar serveri", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm"], - "Saving..." : "Saglabā...", - "Dismiss" : "Atmest", - "This action requires you to confirm your password" : "Lai veiktu šo darbību, jums jāievada sava parole.", - "Authentication required" : "Nepieciešama autentifikācija", - "Password" : "Parole", - "Cancel" : "Atcelt", - "Confirm" : "Apstiprināt", - "Failed to authenticate, try again" : "Neizdevās autentificēt, mēģiniet vēlreiz", - "seconds ago" : "sekundes atpakaļ", - "Logging in …" : "Notiek pieteikšanās …", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Saite paroles atiestatīšanai nosūtīta uz jūsu e-pastu. Ja tuvākajā laikā to nesaņemat, pārbaudiet pastkastes mēstuļu sadaļu.
Ja arī tur to neatrodat, sazinieties ar savu administratoru.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu datnes ir šifrētas. Atiestatot paroli, jums zudīs iespēja tos atšifrēt.
Ja neessat pārliecināts, ko darīt, sazinieties ar savu administratoru.
Vai tiešām vēlaties turpināt?", - "I know what I'm doing" : "Es zinu ko es daru", - "Password can not be changed. Please contact your administrator." : "Paroli, nevar nomainīt. Lūdzu kontaktēties ar savu administratoru.", - "Reset password" : "Mainīt paroli", - "No" : "Nē", - "Yes" : "Jā", - "No files in here" : "Šeit nav datņu", - "Choose" : "Izvēlieties", - "Copy" : "Kopēt", - "Error loading file picker template: {error}" : "Kļūda ielādējot izvēlēto veidni: {error}", - "OK" : "Labi", - "Error loading message template: {error}" : "Kļūda ielādējot ziņojuma veidni: {error}", - "read-only" : "tikai-skatīt", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} datnes konflikts","{count} datnes konflikts","{count} datņu konflikti"], - "One file conflict" : "Vienas datnes konflikts", - "New Files" : "Jaunas datnes", - "Already existing files" : "Jau esošas datnes", - "Which files do you want to keep?" : "Kuras datnes vēlies paturēt?", - "If you select both versions, the copied file will have a number added to its name." : "Ja izvēlēsietes paturēt abas versijas, kopētā faila nosaukumam tiks pievienots skaitlis.", - "Continue" : "Turpināt", - "(all selected)" : "(visus iezīmētos)", - "({count} selected)" : "({count} iezīmēti)", - "Pending" : "Gaida", - "Very weak password" : "Ļoti vāja parole", - "Weak password" : "Vāja parole", - "So-so password" : "Normāla parole", - "Good password" : "Laba parole", - "Strong password" : "Lieliska parole", - "Error occurred while checking server setup" : "Radās kļūda, pārbaudot servera ", - "Shared" : "Koplietots", - "Error setting expiration date" : "Kļūda, iestatot termiņa datumu", - "Set expiration date" : "Iestatiet termiņa datumu", - "Expiration" : "Termiņš", - "Expiration date" : "Termiņa datums", - "Choose a password for the public link" : "Izvēlies paroli publiskai saitei", - "Choose a password for the public link or press the \"Enter\" key" : "Izvēlies paroli publiskai saitei vai nospiediet \"Enter\" taustiņu", - "Copied!" : "Nokopēts!", - "Not supported!" : "Nav atbalstīts!", - "Press ⌘-C to copy." : "Spiet ⌘-C lai kopētu.", - "Press Ctrl-C to copy." : "Spiet Ctrl-C lai kopētu.", - "Resharing is not allowed" : "Atkārtota dalīšanās nav atļauta", - "Share to {name}" : "Dalīties ar {name}", - "Share link" : "Koplietot saiti", - "Link" : "Saite", - "Password protect" : "Aizsargāt ar paroli", - "Allow editing" : "Atļaut rediģēt", - "Email link to person" : "Sūtīt saiti personai pa e-pastu", - "Send" : "Sūtīt", - "Allow upload and editing" : "Atļaut augšupielādi un rediģēšanu", - "Read only" : "Tikai lasāms", - "Shared with you and the group {group} by {owner}" : "{owner} koplietoja ar jums un grupu {group}", - "Shared with you by {owner}" : "{owner} koplietoja ar jums", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} koplietots ar saiti", - "group" : "grupa", - "remote" : "attālināti", - "email" : "e-pasts", - "shared by {sharer}" : "Koplietoja {sharer}", - "Unshare" : "Pārtraukt koplietošanu", - "Can edit" : "Var rediģēt", - "Can create" : "Var izveidot", - "Can change" : "Var mainīt", - "Can delete" : "Var dzēst", - "Access control" : "Piekļuves vadība", - "Could not unshare" : "Nevarēja pārtraukt koplietošanu", - "Error while sharing" : "Kļūda, daloties", - "Share details could not be loaded for this item." : "Šim nevarēja ielādēt koplietošanas detaļas.", - "No users or groups found for {search}" : "Pēc {search} netika atrasts neviens lietotājs vai grupa", - "No users found for {search}" : "Pēc {search} netika atrasts neviens lietotājs", - "An error occurred. Please try again" : "Notika kļūda. Mēģini vēlreiz.", - "{sharee} (group)" : "{sharee} (grupa)", - "{sharee} (remote)" : "{sharee} (attālināti)", - "{sharee} (email)" : "{sharee} (e-pasts)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Koplietot", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu, federated cloud ID vai e-pasta adresi.", - "Share with other people by entering a user or group or a federated cloud ID." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai federated cloud ID.", - "Share with other people by entering a user or group or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai e-pasta adresi.", - "Name or email address..." : "Vārds vai e-pasta adrese...", - "Name or federated cloud ID..." : "Vārds vai federated cloud ID", - "Name, federated cloud ID or email address..." : "Vārds, federated cloud ID vai e-pasta adrese...", - "Name..." : "Vārds...", - "Error" : "Kļūda", - "Error removing share" : "Kļūda, noņemot koplietošanu", - "restricted" : "ierobežots", - "invisible" : "Neredzams", - "({scope})" : "({scope})", - "Delete" : "Dzēst", - "Rename" : "Pārsaukt", - "Collaborative tags" : "Sadarbības atzīmes", - "No tags found" : "Netika atrasta neviena atzīme", - "unknown text" : "nezināms teksts", - "Hello world!" : "Sveika, pasaule!", - "sunny" : "saulains", - "Hello {name}, the weather is {weather}" : "Sveiks {name}, laiks ir {weather}", - "Hello {name}" : "Sveiks {name}", - "new" : "jauns", - "_download %n file_::_download %n files_" : ["lejupielādēt %n failus","lejupielādēt %n failus","lejupielādēt %n failus"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Notiek atjaunināšana, šīs lapas atstāšana var pārtraukt procesu dažās vidēs.", - "Update to {version}" : "Atjaunināts uz {version}", - "An error occurred." : "Radās kļūda.", - "Please reload the page." : "Lūdzu, atkārtoti ielādējiet lapu.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Atjauninājums nebija veiksmīgs. Plašāku informāciju skatiet mūsu foruma rakstā par šo problēmu.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Atjauninājums nebija veiksmīgs. Lūdzu ziņojiet šo ķļūdu Nextcloud kopienā.", - "Continue to Nextcloud" : "Turpināt ar Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundes.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm."], - "Searching other places" : "Meklēt citās vietās", - "No search results in other folders for {tag}{filter}{endtag}" : "Nav nekas atrasts citā mapēs {tag}{filter}{endtag}", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs"], - "Personal" : "Personīgi", - "Users" : "Lietotāji", - "Apps" : "Programmas", - "Admin" : "Administratori", - "Help" : "Palīdzība", - "Access forbidden" : "Pieeja ir liegta", - "File not found" : "Fails nav atrasts", - "The specified document has not been found on the server." : "Norādītais dokuments nav atrasts serverī.", - "You can click here to return to %s." : "Jūs varat noklikšķināt šeit, lai atgrieztos uz %s.", - "Internal Server Error" : "Iekšēja servera kļūda", - "More details can be found in the server log." : "Sīkāka informācija atrodama servera žurnāl failā.", - "Technical details" : "Tehniskās detaļas", - "Remote Address: %s" : "Attālinātā adrese: %s", - "Request ID: %s" : "Pieprasījuma ID: %s", - "Type: %s" : "Tips: %s", - "Code: %s" : "Kods: %s", - "Message: %s" : "Ziņojums: %s", - "File: %s" : "Fails: %s", - "Line: %s" : "Līnija: %s", - "Trace" : "Izsekot", - "Security warning" : "Drošības brīdinājums", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Visticamāk, jūsu datu direktorija un datnes ir pieejamas no interneta, jo .htaccess datne nedarbojas.", - "Create an admin account" : "Izveidot administratora kontu", - "Username" : "Lietotājvārds", - "Storage & database" : "Krātuve & datubāze", - "Data folder" : "Datu mape", - "Configure the database" : "Konfigurēt datubāzi", - "Only %s is available." : "Tikai %s ir pieejams.", - "Install and activate additional PHP modules to choose other database types." : "Instalējiet un aktivizējiet papildus PHP moduļus lai izvēlētos citus datubāžu tipus.", - "For more details check out the documentation." : "Sīkākai informācijai skatiet dokumentāciju.", - "Database user" : "Datubāzes lietotājs", - "Database password" : "Datubāzes parole", - "Database name" : "Datubāzes nosaukums", - "Database tablespace" : "Datubāzes tabulas telpa", - "Database host" : "Datubāzes serveris", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Lūdzu, norādiet porta numuru kopā ar resursdatora nosaukumu (piemēram, localhost: 5432).", - "Performance warning" : "Veiktspējas brīdinājums", - "SQLite will be used as database." : "SQLite tiks izmantota kā datu bāze.", - "For larger installations we recommend to choose a different database backend." : "Priekš lielākām instalācijām mēs iesakām izvēlēties citu datubāzes serveri.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "It sevišķi, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju SQLite izmantošana nav ieteicama.", - "Finish setup" : "Pabeigt iestatīšanu", - "Finishing …" : "Pabeidz ...", - "Need help?" : "Vajadzīga palīdzība?", - "See the documentation" : "Skatiet dokumentāciju", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Šai programmai nepieciešams JavaScript. Lūdzu {linkstart}ieslēdziet JavasScript{linkend} un pārlādējiet lapu.", - "More apps" : "Vairāk programmu", - "Search" : "Meklēt", - "Confirm your password" : "Apstipriniet paroli", - "Server side authentication failed!" : "Servera autentifikācija neizdevās!", - "Please contact your administrator." : "Lūdzu, sazinieties ar administratoru.", - "An internal error occurred." : "Radās iekšēja kļūda.", - "Please try again or contact your administrator." : "Lūdzu, mēģiniet vēlreiz vai sazinieties ar administratoru.", - "Username or email" : "Lietotājvārds vai e-pasts", - "Log in" : "Ierakstīties", - "Wrong password." : "Nepareiza parole.", - "Stay logged in" : "Palikt ierakstītam", - "Alternative Logins" : "Alternatīvās pieteikšanās", - "App token" : "Programmas pilnvara", - "Alternative login using app token" : "Alternatīvās pieteikšanās izmantojot programmas pilnvaru.", - "Redirecting …" : "Novirzam ...", - "New password" : "Jauna parole", - "New Password" : "Jauna parole", - "Two-factor authentication" : "Divpakāpju autentifikācija", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Uzlabota drošība ir iespējota jūsu kontam. Lūdzu autentificējies izmantojot otru faktoru.", - "Cancel log in" : "Atcelt pierakstīšanos", - "Use backup code" : "Izmantojiet dublēšanas kodu", - "Error while validating your second factor" : "Kļūda validējot jūsu otru faktoru.", - "Add \"%s\" as trusted domain" : "Pievienot \"%s\" kā uzticamu domēnu", - "App update required" : "Programmai nepieciešama atjaunināšana", - "%s will be updated to version %s" : "%s tiks atjaunināts uz versiju %s", - "These apps will be updated:" : "Šīs programmas tiks atjauninātas:", - "These incompatible apps will be disabled:" : "Šīs nesaderīgās programmas tiks atspējotas:", - "The theme %s has been disabled." : "Tēma %s ir atspējota.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Lūdzu pārliecinieties ka datubāze, config mape un data mape ir dublētas pirms turpināšanas.", - "Start update" : "Sākt atjaunināšanu", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Lai izvairītos no noliedzes ar lielākām instalācijām, jūs varat palaist sekojošo komandu no jūsu instalācijas mapes:", - "Detailed logs" : "Detalizētas informācijas žurnālfaili", - "Update needed" : "Nepieciešama atjaunināšana", - "Please use the command line updater because you have a big instance with more than 50 users." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir vairāk nekā 50 lietotāji.", - "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Es zinu ka ja es turpināšu atjauninājumu caur tīmekļa atjauninātāju ir risks ka pieprasījumam būs noliedze , kas var radīt datu zudumu, bet man ir dublējumkopija un es zinu kā atjaunot instanci neveiksmes gadijumā.", - "Upgrade via web on my own risk" : "Atjaunināt caur tīmekļa atjauninātāju uz mana paša risku.", - "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s serveris pašlaik darbojas uzturēšanas režīmā, tas var ilgt kādu laiku.", - "This page will refresh itself when the %s instance is available again." : "Lapa tiks atsvaidzināta kad %s instance atkal ir pieejama.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Sazinieties ar sistēmas administratoru, ja šis ziņojums tiek rādīts.. vai parādījās negaidīti", - "Thank you for your patience." : "Paldies par jūsu pacietību.", - "%s (3rdparty)" : "%s (citu izstrādātāju)", - "Problem loading page, reloading in 5 seconds" : "Problēma ielādējot lapu, pārlādēšana pēc 5 sekundēm", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu faili ir šifrēti. Ja neesat iespējojis atkopšanas atslēgu, nevarēsiet atgūt datus atpakaļ, pēc jūsu paroles atiestatīšanas.
Ja neesat pārliecināts par to, ko darīt, lūdzu, pirms turpināt, sazinieties ar administratoru.
Vai tiešām vēlaties turpināt?", - "Ok" : "Labi", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Jūsu serveris nav pareizi uzstādīts lai atļautu failu sinhronizēšanu jo WebDAV interfeiss šķiet salūzis.", - "Shared with {recipients}" : "Koplietots ar {recipients}", - "Error while unsharing" : "Kļūda, beidzot dalīties", - "can reshare" : "var atkārtoti kopīgot", - "can edit" : "var rediģēt", - "can create" : "var izveidot", - "can change" : "var mainīt", - "can delete" : "var dzēst", - "access control" : "piekļuves vadība", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Koplietot ar personām, kas atrodas citos serveros, izmantojot Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Koplietot ar lietotājiem vai izmantojot e-pastu...", - "Share with users or remote users..." : "Koplietot ar lietotājiem vai attāliem lietotājiem...", - "Share with users, remote users or by mail..." : "Koplietot ar lietotājiem, attāliem lietotājiem vai izmantojot e-pastu...", - "Share with users or groups..." : "Koplietot ar lietotājiem vai grupām...", - "Share with users, groups or by mail..." : "Koplietot ar lietotājiem, grupām vai izmantojot e-pastu...", - "Share with users, groups or remote users..." : "Koplietot ar lietotājiem, grupām vai attāliem lietotājiem...", - "Share with users, groups, remote users or by mail..." : "Koplietot ar lietotājiem, grupām, attāliem lietotājiem vai izmantojot e-pastu...", - "Share with users..." : "Koplietots ar lietotājiem...", - "The object type is not specified." : "Nav norādīts objekta tips.", - "Enter new" : "Ievadīt jaunu", - "Add" : "Pievienot", - "Edit tags" : "Rediģēt atzīmes", - "Error loading dialog template: {error}" : "Kļūda ielādējot dialoga veidni: {error}", - "The update was successful. Redirecting you to Nextcloud now." : "Atjaunināšana ir bijusi veiksmīga. Tagad novirzīsim jūs uz Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Sveiki,\n\ninformējam, ka %s koplietoja ar jums %s.\nApskati to: %s\n", - "The share will expire on %s." : "Koplietošana beigsies %s.", - "Cheers!" : "Priekā!", - "The server encountered an internal error and was unable to complete your request." : "Serverī radās iekšēja kļūda, un tas nevarēja pabeigt jūsu pieprasījumu.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Lūdzu sazinieties ar servera administrātoru ja šī kļūda parādās vairākas reizes, lūdzu iekļaujiet zemāk redzamās tehniskās detaļas jūsu ziņojumā.", - "For information how to properly configure your server, please see the documentation." : "Priekš informācijas kā pareizi konfigurēt jūsu serveri skatiet dokumentācijā.", - "Log out" : "Izrakstīties", - "This action requires you to confirm your password:" : "Šī darbība ir nepieciešama, lai apstiprinātu jūsu paroli:", - "Wrong password. Reset it?" : "Nepareiza parole. Nodzēst to?", - "Use the following link to reset your password: {link}" : "Izmantojiet šo saiti, lai mainītu paroli: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Sveiki,

informējam, ka %s koplietoja ar jums %s.
Apskati to!

", - "You are accessing the server from an untrusted domain." : "Jums ir piekļuve serverim no neuzticama domēna.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Lūdzu sazinieties ar jūsu administrātoru. Ja jūs esat šīs instances administrātors, konfigurējiet \"trusted_domains\" iestatījumu config/config.php failā. Piemēra konfigurācija ir pieejama config/config.sample.php failā.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Atkarīgi no jūsu konfigurācijas, kā administrātors jūs varētu izmantot zemāk redzamo pogu lai uzticētos šim domēnam.", - "Please use the command line updater because you have a big instance." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir liels datu apjoms.", - "For help, see the documentation." : "Lai saņemtu palīdzību, skatiet dokumentāciju.", - "There was an error loading your contacts" : "Notikusi kļūda ielādējot kontaktpersonu sarakstu" -},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" -} \ No newline at end of file diff --git a/core/l10n/nb.js b/core/l10n/nb.js index 4be953e5f4f58..b62f5887f76ec 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -314,71 +314,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Denne %s-instansen er for øyeblikket i vedlikeholdsmodus, noe som kan vare en stund.", "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", - "Thank you for your patience." : "Takk for din tålmodighet.", - "%s (3rdparty)" : "%s (3dje-part)", - "Problem loading page, reloading in 5 seconds" : "Det oppstod et problem ved lasting av side, laster på nytt om 5 sekunder", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Filene dine er kryptert. Hvis du ikke har aktivert gjenopprettingsnøkkelen, vil det være helt umulig å få tilbake dataene dine etter at pasordet ditt er tilbakestilt.
Hvis du er usikker på hva du skal gjøre, kontakt administratoren din før du fortsetter.
Vil du virkelig fortsette?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i vår dokumentasjon.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Denne tjeneren har ingen fungerende internett-forbindelse. Dette betyr at noen funksjoner, som tilknytning av eksterne lagre, varslinger om oppdateringer eller installering av tredjepartsprogrammer ikke vil virke. Fjerntilgang til filer og utsending av varsler på e-post vil kanskje ikke virke heller. Vi anbefaler å aktivere en internett-forbindelse for denne tjeneren hvis du vil ha full funksjonalitet.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Inget hurtigminne har blitt satt opp. For å øke ytelsen bør du sette opp et hurtigminne hvis det er tilgjengelig. Mer informasjon finnes i vår dokumentasjon.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ikke lesbar for PHP, noe som frarådes av sikkerhetsgrunner. Mer informasjon finnes i vår dokumentasjon.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Vi anbefaler deg å oppgradere PHP versjonen for å utnytte ytelse og sikkerhetsoppdateringer som tilbys av PHP Group, så fort din distribusjon støtter det.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "De omvendte mellomtjener-hodene er ikke satt opp rett, eller du kobler til Nextcloud fra en betrodd mellomtjener. Hvis du ikke kobler til Nextcloud fra en betrodd mellomtjener, er dette et sikkerhetsproblem, og kan tillate en angriper å forfalske deres IP-adresse slik den er synlig for Nextcloud. Ytterligere informasjon er å finne i dokumentasjonen.", - "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 memcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien for informasjon om begge modulene.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Noen filer besto ikke gyldighetssjekken. Ytterligere informasjon om hvordan dette problemet kan løses finnes i vår dokumentasjon. (Liste over ugyldige filer… / Skann på ny…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", - "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 \"{header}\" er ikke satt opp lik \"{expected}\". Dette kan være en sikkerhetsrisiko og vi anbefaler at denne innstillingen endres.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\"- (Streng transportsikkerhet) HTTP-hodet er ikke satt opp til minst \"{seconds}\" sekunder. For forbedret sikkerhet anbefales det å skru på HSTS som beskrevet i våre sikkerhetstips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du besøker denne nettsiden via HTTP. Vi anbefaler på det sterkeste at du konfigurerer tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstips.", - "Shared with {recipients}" : "Delt med {recipients}", - "Error while unsharing" : "Feil ved oppheving av deling", - "can reshare" : "kan dele videre", - "can edit" : "kan redigere", - "can create" : "kan opprette", - "can change" : "kan endre", - "can delete" : "kan slette", - "access control" : "tilgangskontroll", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Del med andre brukere på andre tjenere ved å bruke deres sammenknyttede sky-ID brukernavn@eksempel.no/nextcloud", - "Share with users or by mail..." : "Del med brukere eller per e-post…", - "Share with users or remote users..." : "Del med brukere eller eksterne brukere…", - "Share with users, remote users or by mail..." : "Del med brukere, eksterne brukere eller på e-post…", - "Share with users or groups..." : "Del med brukere eller grupper", - "Share with users, groups or by mail..." : "Del med brukere, grupper eller på e-post…", - "Share with users, groups or remote users..." : "Del med brukere, grupper eller eksterne brukere…", - "Share with users, groups, remote users or by mail..." : "Del med brukere, grupper eller eksterne brukere på e-post…", - "Share with users..." : "Del med brukere…", - "The object type is not specified." : "Objekttypen er ikke spesifisert.", - "Enter new" : "Oppgi ny", - "Add" : "Legg til", - "Edit tags" : "Rediger merkelapper", - "Error loading dialog template: {error}" : "Feil ved lasting av dialogmal: {error}", - "No tags selected for deletion." : "Ingen merkelapper valgt for sletting.", - "The update was successful. Redirecting you to Nextcloud now." : "Oppdateringen var vellykket. Videresender deg til Nextcloud nå.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hei,\n\nDette er en beskjed om at %s delte %s med deg.\nVis den: %s\n\n", - "The share will expire on %s." : "Delingen vil opphøre %s.", - "Cheers!" : "Ha det!", - "The server encountered an internal error and was unable to complete your request." : "Tjeneren støtte på en intern feil og kunne ikke fullføre forespørselen din.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontakt tjeneradministratoren hvis denne feilen oppstår flere ganger. Ta med de tekniske detaljene nedenfor i rapporten din.", - "For information how to properly configure your server, please see the documentation." : "For informasjon om hvordan du skal konfigurere tjeneren skikkelig, se i dokumentasjonen.", - "Log out" : "Logg ut", - "This action requires you to confirm your password:" : "Denne handlingen krever at du bekrefter ditt passord:", - "Wrong password. Reset it?" : "Feil passord. Nullstill det?", - "Use the following link to reset your password: {link}" : "Bruk følgende lenke for å tilbakestille passordet ditt: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hei,

Dette er en beskjed om at %s delte %s med deg.
Vis den!

", - "This Nextcloud instance is currently in single user mode." : "Denne Nextcloud-instansen er for øyeblikket i enbrukermodus.", - "This means only administrators can use the instance." : "Dette betyr at kun administratorer kan bruke instansen.", - "You are accessing the server from an untrusted domain." : "Du besøker tjeneren fra et ikke-klarert domene.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontakt din administrator. Hvis du er administrator for denne instansen, sett opp innstillingen \"trusted_domains\" i config/config.php. Et eksempel på oppsett er gitt i config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Avhengig av oppsettet kan du, som administrator, kanskje også bruke kanppen nedenfor til å stole på dette domenet.", - "Please use the command line updater because you have a big instance." : "Oppdater ved hjelp av kommandolinjen ettersom du har en stor installasjon.", - "For help, see the documentation." : "For hjelp, se i dokumentasjonen.", - "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", - "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt." + "Thank you for your patience." : "Takk for din tålmodighet." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nb.json b/core/l10n/nb.json index 29700fb738b85..3b4296727607e 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -312,71 +312,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Denne %s-instansen er for øyeblikket i vedlikeholdsmodus, noe som kan vare en stund.", "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", - "Thank you for your patience." : "Takk for din tålmodighet.", - "%s (3rdparty)" : "%s (3dje-part)", - "Problem loading page, reloading in 5 seconds" : "Det oppstod et problem ved lasting av side, laster på nytt om 5 sekunder", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Filene dine er kryptert. Hvis du ikke har aktivert gjenopprettingsnøkkelen, vil det være helt umulig å få tilbake dataene dine etter at pasordet ditt er tilbakestilt.
Hvis du er usikker på hva du skal gjøre, kontakt administratoren din før du fortsetter.
Vil du virkelig fortsette?", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i vår dokumentasjon.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Denne tjeneren har ingen fungerende internett-forbindelse. Dette betyr at noen funksjoner, som tilknytning av eksterne lagre, varslinger om oppdateringer eller installering av tredjepartsprogrammer ikke vil virke. Fjerntilgang til filer og utsending av varsler på e-post vil kanskje ikke virke heller. Vi anbefaler å aktivere en internett-forbindelse for denne tjeneren hvis du vil ha full funksjonalitet.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Inget hurtigminne har blitt satt opp. For å øke ytelsen bør du sette opp et hurtigminne hvis det er tilgjengelig. Mer informasjon finnes i vår dokumentasjon.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ikke lesbar for PHP, noe som frarådes av sikkerhetsgrunner. Mer informasjon finnes i vår dokumentasjon.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Vi anbefaler deg å oppgradere PHP versjonen for å utnytte ytelse og sikkerhetsoppdateringer som tilbys av PHP Group, så fort din distribusjon støtter det.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "De omvendte mellomtjener-hodene er ikke satt opp rett, eller du kobler til Nextcloud fra en betrodd mellomtjener. Hvis du ikke kobler til Nextcloud fra en betrodd mellomtjener, er dette et sikkerhetsproblem, og kan tillate en angriper å forfalske deres IP-adresse slik den er synlig for Nextcloud. Ytterligere informasjon er å finne i dokumentasjonen.", - "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 memcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien for informasjon om begge modulene.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Noen filer besto ikke gyldighetssjekken. Ytterligere informasjon om hvordan dette problemet kan løses finnes i vår dokumentasjon. (Liste over ugyldige filer… / Skann på ny…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", - "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 \"{header}\" er ikke satt opp lik \"{expected}\". Dette kan være en sikkerhetsrisiko og vi anbefaler at denne innstillingen endres.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\"- (Streng transportsikkerhet) HTTP-hodet er ikke satt opp til minst \"{seconds}\" sekunder. For forbedret sikkerhet anbefales det å skru på HSTS som beskrevet i våre sikkerhetstips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du besøker denne nettsiden via HTTP. Vi anbefaler på det sterkeste at du konfigurerer tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstips.", - "Shared with {recipients}" : "Delt med {recipients}", - "Error while unsharing" : "Feil ved oppheving av deling", - "can reshare" : "kan dele videre", - "can edit" : "kan redigere", - "can create" : "kan opprette", - "can change" : "kan endre", - "can delete" : "kan slette", - "access control" : "tilgangskontroll", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Del med andre brukere på andre tjenere ved å bruke deres sammenknyttede sky-ID brukernavn@eksempel.no/nextcloud", - "Share with users or by mail..." : "Del med brukere eller per e-post…", - "Share with users or remote users..." : "Del med brukere eller eksterne brukere…", - "Share with users, remote users or by mail..." : "Del med brukere, eksterne brukere eller på e-post…", - "Share with users or groups..." : "Del med brukere eller grupper", - "Share with users, groups or by mail..." : "Del med brukere, grupper eller på e-post…", - "Share with users, groups or remote users..." : "Del med brukere, grupper eller eksterne brukere…", - "Share with users, groups, remote users or by mail..." : "Del med brukere, grupper eller eksterne brukere på e-post…", - "Share with users..." : "Del med brukere…", - "The object type is not specified." : "Objekttypen er ikke spesifisert.", - "Enter new" : "Oppgi ny", - "Add" : "Legg til", - "Edit tags" : "Rediger merkelapper", - "Error loading dialog template: {error}" : "Feil ved lasting av dialogmal: {error}", - "No tags selected for deletion." : "Ingen merkelapper valgt for sletting.", - "The update was successful. Redirecting you to Nextcloud now." : "Oppdateringen var vellykket. Videresender deg til Nextcloud nå.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hei,\n\nDette er en beskjed om at %s delte %s med deg.\nVis den: %s\n\n", - "The share will expire on %s." : "Delingen vil opphøre %s.", - "Cheers!" : "Ha det!", - "The server encountered an internal error and was unable to complete your request." : "Tjeneren støtte på en intern feil og kunne ikke fullføre forespørselen din.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontakt tjeneradministratoren hvis denne feilen oppstår flere ganger. Ta med de tekniske detaljene nedenfor i rapporten din.", - "For information how to properly configure your server, please see the documentation." : "For informasjon om hvordan du skal konfigurere tjeneren skikkelig, se i dokumentasjonen.", - "Log out" : "Logg ut", - "This action requires you to confirm your password:" : "Denne handlingen krever at du bekrefter ditt passord:", - "Wrong password. Reset it?" : "Feil passord. Nullstill det?", - "Use the following link to reset your password: {link}" : "Bruk følgende lenke for å tilbakestille passordet ditt: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hei,

Dette er en beskjed om at %s delte %s med deg.
Vis den!

", - "This Nextcloud instance is currently in single user mode." : "Denne Nextcloud-instansen er for øyeblikket i enbrukermodus.", - "This means only administrators can use the instance." : "Dette betyr at kun administratorer kan bruke instansen.", - "You are accessing the server from an untrusted domain." : "Du besøker tjeneren fra et ikke-klarert domene.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontakt din administrator. Hvis du er administrator for denne instansen, sett opp innstillingen \"trusted_domains\" i config/config.php. Et eksempel på oppsett er gitt i config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Avhengig av oppsettet kan du, som administrator, kanskje også bruke kanppen nedenfor til å stole på dette domenet.", - "Please use the command line updater because you have a big instance." : "Oppdater ved hjelp av kommandolinjen ettersom du har en stor installasjon.", - "For help, see the documentation." : "For hjelp, se i dokumentasjonen.", - "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", - "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt." + "Thank you for your patience." : "Takk for din tålmodighet." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/nl.js b/core/l10n/nl.js index cc76ad828b16b..78b38973eb06e 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -314,71 +314,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Deze %s staat momenteel in de onderhoudsstand, dat kan enige tijd duren.", "This page will refresh itself when the %s instance is available again." : "Deze pagina wordt ververst als de %s-installatie weer beschikbaar is.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Neem contact op met je systeembeheerder als deze melding aanhoudt of onverwacht verscheen.", - "Thank you for your patience." : "Bedankt voor je geduld.", - "%s (3rdparty)" : "%s (3rdparty)", - "Problem loading page, reloading in 5 seconds" : "Kan de pagina niet laden, verversen in 5 seconden", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Je bestanden zijn versleuteld. Als je de herstelsleutel niet hebt ingeschakeld, is het niet mogelijk om je gegevens terug te krijgen nadat je wachtwoord is hersteld.
Als je niet weet wat je moet doen, neem dan eerst contact op met je beheerder.
Wil je echt verder gaan?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Je webserver is nog niet goed ingesteld voor bestandssynchronisatie, omdat de WebDAV interface verstoord lijkt.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Je webserver is niet goed ingesteld om \"{url}\" te vinden. Meer informatie is te vinden in onze documentatie.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Deze server heeft geen actieve internetverbinding: meerdere endpoints kunnen niet worden bereikt. Dat betekent dat sommige functies, zoals aankoppelen van externe opslag, notificaties over updates of installatie van apps van derde partijen niet werken. Ook het benaderen van bestanden vanaf een remote locatie en het versturen van notificatie emails kan mislukken. We adviseren om de internetverbinding voor deze server in te schakelen als je alle functies wilt gebruiken.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Er is geen geheugencache geconfigureerd. Om de prestaties te verhogen kun je de memcache configureren als die beschikbaar is. Meer informatie vind je in onze documentatie.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is niet leesbaar door PHP, hetgeen wordt afgeraden wegens beveiligingsredenen. Meer informatie in onze documentatie.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Je draait momenteel PHP {version}. We adviseren je om, zo gauw je distributie dat biedt, je PHP versie bij te werken voor betere prestaties en beveiliging geleverd door de PHP Group.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "De reverse proxy headerconfiguratie is onjuist, of je hebt toegang tot Nextcloud via een vertrouwde proxy. Als je Nextcloud niet via een vertrouwde proxy benadert, dan levert dat een beveiligingsrisico op, waardoor een aanvaller het IP-adres dat Nextcloud ziet kan vervalsen. Meer informatie is te vinden in onze documentatie.", - "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 memcached wiki about both modules." : "Memcached is geconfigureerd als gedistribueerde cache, maar de verkeerde PHP module \"memcache\" is geïnstalleerd. \\OC\\Memcache\\Memcached ondersteunt alleen \"memcached\" en niet \"memcache\". Zie de memcached wiki over beide modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden kwamen niet door de code betrouwbaarheidscontrole. Meer informatie over het oplossen van dit probleem kan worden gevonden in onze documentatie. (Lijst met ongeldige bestanden… / Opnieuw…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je data folder en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", - "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." : "De \"{header}\" HTTP header is niet overeenkomstig met \"{expected}\" geconfigureerd. Dit is een potentieel security of privacy risico en we adviseren om deze instelling te wijzigen.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "De \"Strict-Transport-Security\" HTTP header is niet geconfigureerd met minimaal \"{seconds}\" seconden. Voor verbeterde beveiliging adviseren we HSTS in te schakelen zoals beschreven in onzesecurity tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Je bent met deze site verbonden over HTTP. We adviseren je dringend om je server zo te configureren dat HTTPS wordt vereist, zoals beschreven in onze security tips.", - "Shared with {recipients}" : "Gedeeld met {recipients}", - "Error while unsharing" : "Fout tijdens het stoppen met delen", - "can reshare" : "kan doordelen", - "can edit" : "kan wijzigen", - "can create" : "kan creëren", - "can change" : "kan wijzigen", - "can delete" : "kan verwijderen", - "access control" : "toegangscontrole", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Delen met mensen op andere servers via hun gefedereerde Cloud ID gebruikersnaam@voorbeeld.nl/nextcloud", - "Share with users or by mail..." : "Delen met gebruikers per mail...", - "Share with users or remote users..." : "Deel met gebruikers of externe gebruikers...", - "Share with users, remote users or by mail..." : "Delen met gebruikers, externe gebruikers of per mail...", - "Share with users or groups..." : "Delen met gebruikers en groepen...", - "Share with users, groups or by mail..." : "Delen met gebruikers, groepen of per mail...", - "Share with users, groups or remote users..." : "Delen met gebruikers, groepen of externe gebruikers...", - "Share with users, groups, remote users or by mail..." : "Delen met groepen, externe gebruikers of per mail...", - "Share with users..." : "Deel met gebruikers...", - "The object type is not specified." : "Het object type is niet gespecificeerd.", - "Enter new" : "Nieuwe opgeven", - "Add" : "Toevoegen", - "Edit tags" : "Bewerken markeringen", - "Error loading dialog template: {error}" : "Fout bij laden dialoog sjabloon: {error}", - "No tags selected for deletion." : "Geen markeringen geselecteerd voor verwijdering.", - "The update was successful. Redirecting you to Nextcloud now." : "De update is geslaagd. Je wordt nu doorgeleid naar Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hallo daar,\n\n%s deelt %s met je.\nBekijk het hier: %s\n\n", - "The share will expire on %s." : "Het gedeelde vervalt op %s.", - "Cheers!" : "Proficiat!", - "The server encountered an internal error and was unable to complete your request." : "De server ontdekte een interne fout en kon je aanvraag niet verder uitvoeren.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Neem contact op met de serverbeheerder als deze fout meerdere keren optreedt en neem de onderstaande technische details op in je melding.", - "For information how to properly configure your server, please see the documentation." : "Bekijk de documentatie voor Informatie over het correct configureren van je server.", - "Log out" : "Afmelden", - "This action requires you to confirm your password:" : "Deze actie vereist dat je je wachtwoord bevestigt:", - "Wrong password. Reset it?" : "Onjuist wachtwoord. Resetten?", - "Use the following link to reset your password: {link}" : "Gebruik de volgende link om je wachtwoord te resetten: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hallo daar,

%s deelde %s met je.
Bekijk het hier!

", - "This Nextcloud instance is currently in single user mode." : "Deze Nextcloud werkt momenteel in enkele gebruiker modus.", - "This means only administrators can use the instance." : "Dat betekent dat alleen beheerders deze installatie kunnen gebruiken.", - "You are accessing the server from an untrusted domain." : "Je benadert de server vanaf een niet vertrouwd domein.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Neem contact op met je beheerder. Als je zelf de beheerder van deze service bent, configureer dan de \"trusted_domains\" instelling in config/config.php. Een voorbeeldconfiguratie is gegeven in config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhankelijk van je configuratie zou je als beheerder ook de onderstaande knop kunnen gebruiken om dit domein te vertrouwen.", - "Please use the command line updater because you have a big instance." : "Gebruik de commandoregel updater, omdat je een grote Nextcloud hebt.", - "For help, see the documentation." : "Voor hulp, lees de documentatie.", - "There was an error loading your contacts" : "Er was een probleem bij het laden van je contacten", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet juist geconfigureed. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren met klem om deze functie in te schakelen.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", - "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te verlenen to je %s account.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP heeft geen freetype ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface." + "Thank you for your patience." : "Bedankt voor je geduld." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nl.json b/core/l10n/nl.json index c0c3b482d05cf..a8e8317bf69a6 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -312,71 +312,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Deze %s staat momenteel in de onderhoudsstand, dat kan enige tijd duren.", "This page will refresh itself when the %s instance is available again." : "Deze pagina wordt ververst als de %s-installatie weer beschikbaar is.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Neem contact op met je systeembeheerder als deze melding aanhoudt of onverwacht verscheen.", - "Thank you for your patience." : "Bedankt voor je geduld.", - "%s (3rdparty)" : "%s (3rdparty)", - "Problem loading page, reloading in 5 seconds" : "Kan de pagina niet laden, verversen in 5 seconden", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Je bestanden zijn versleuteld. Als je de herstelsleutel niet hebt ingeschakeld, is het niet mogelijk om je gegevens terug te krijgen nadat je wachtwoord is hersteld.
Als je niet weet wat je moet doen, neem dan eerst contact op met je beheerder.
Wil je echt verder gaan?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Je webserver is nog niet goed ingesteld voor bestandssynchronisatie, omdat de WebDAV interface verstoord lijkt.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Je webserver is niet goed ingesteld om \"{url}\" te vinden. Meer informatie is te vinden in onze documentatie.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Deze server heeft geen actieve internetverbinding: meerdere endpoints kunnen niet worden bereikt. Dat betekent dat sommige functies, zoals aankoppelen van externe opslag, notificaties over updates of installatie van apps van derde partijen niet werken. Ook het benaderen van bestanden vanaf een remote locatie en het versturen van notificatie emails kan mislukken. We adviseren om de internetverbinding voor deze server in te schakelen als je alle functies wilt gebruiken.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Er is geen geheugencache geconfigureerd. Om de prestaties te verhogen kun je de memcache configureren als die beschikbaar is. Meer informatie vind je in onze documentatie.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is niet leesbaar door PHP, hetgeen wordt afgeraden wegens beveiligingsredenen. Meer informatie in onze documentatie.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Je draait momenteel PHP {version}. We adviseren je om, zo gauw je distributie dat biedt, je PHP versie bij te werken voor betere prestaties en beveiliging geleverd door de PHP Group.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "De reverse proxy headerconfiguratie is onjuist, of je hebt toegang tot Nextcloud via een vertrouwde proxy. Als je Nextcloud niet via een vertrouwde proxy benadert, dan levert dat een beveiligingsrisico op, waardoor een aanvaller het IP-adres dat Nextcloud ziet kan vervalsen. Meer informatie is te vinden in onze documentatie.", - "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 memcached wiki about both modules." : "Memcached is geconfigureerd als gedistribueerde cache, maar de verkeerde PHP module \"memcache\" is geïnstalleerd. \\OC\\Memcache\\Memcached ondersteunt alleen \"memcached\" en niet \"memcache\". Zie de memcached wiki over beide modules.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden kwamen niet door de code betrouwbaarheidscontrole. Meer informatie over het oplossen van dit probleem kan worden gevonden in onze documentatie. (Lijst met ongeldige bestanden… / Opnieuw…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je data folder en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", - "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." : "De \"{header}\" HTTP header is niet overeenkomstig met \"{expected}\" geconfigureerd. Dit is een potentieel security of privacy risico en we adviseren om deze instelling te wijzigen.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "De \"Strict-Transport-Security\" HTTP header is niet geconfigureerd met minimaal \"{seconds}\" seconden. Voor verbeterde beveiliging adviseren we HSTS in te schakelen zoals beschreven in onzesecurity tips.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Je bent met deze site verbonden over HTTP. We adviseren je dringend om je server zo te configureren dat HTTPS wordt vereist, zoals beschreven in onze security tips.", - "Shared with {recipients}" : "Gedeeld met {recipients}", - "Error while unsharing" : "Fout tijdens het stoppen met delen", - "can reshare" : "kan doordelen", - "can edit" : "kan wijzigen", - "can create" : "kan creëren", - "can change" : "kan wijzigen", - "can delete" : "kan verwijderen", - "access control" : "toegangscontrole", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Delen met mensen op andere servers via hun gefedereerde Cloud ID gebruikersnaam@voorbeeld.nl/nextcloud", - "Share with users or by mail..." : "Delen met gebruikers per mail...", - "Share with users or remote users..." : "Deel met gebruikers of externe gebruikers...", - "Share with users, remote users or by mail..." : "Delen met gebruikers, externe gebruikers of per mail...", - "Share with users or groups..." : "Delen met gebruikers en groepen...", - "Share with users, groups or by mail..." : "Delen met gebruikers, groepen of per mail...", - "Share with users, groups or remote users..." : "Delen met gebruikers, groepen of externe gebruikers...", - "Share with users, groups, remote users or by mail..." : "Delen met groepen, externe gebruikers of per mail...", - "Share with users..." : "Deel met gebruikers...", - "The object type is not specified." : "Het object type is niet gespecificeerd.", - "Enter new" : "Nieuwe opgeven", - "Add" : "Toevoegen", - "Edit tags" : "Bewerken markeringen", - "Error loading dialog template: {error}" : "Fout bij laden dialoog sjabloon: {error}", - "No tags selected for deletion." : "Geen markeringen geselecteerd voor verwijdering.", - "The update was successful. Redirecting you to Nextcloud now." : "De update is geslaagd. Je wordt nu doorgeleid naar Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Hallo daar,\n\n%s deelt %s met je.\nBekijk het hier: %s\n\n", - "The share will expire on %s." : "Het gedeelde vervalt op %s.", - "Cheers!" : "Proficiat!", - "The server encountered an internal error and was unable to complete your request." : "De server ontdekte een interne fout en kon je aanvraag niet verder uitvoeren.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Neem contact op met de serverbeheerder als deze fout meerdere keren optreedt en neem de onderstaande technische details op in je melding.", - "For information how to properly configure your server, please see the documentation." : "Bekijk de documentatie voor Informatie over het correct configureren van je server.", - "Log out" : "Afmelden", - "This action requires you to confirm your password:" : "Deze actie vereist dat je je wachtwoord bevestigt:", - "Wrong password. Reset it?" : "Onjuist wachtwoord. Resetten?", - "Use the following link to reset your password: {link}" : "Gebruik de volgende link om je wachtwoord te resetten: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Hallo daar,

%s deelde %s met je.
Bekijk het hier!

", - "This Nextcloud instance is currently in single user mode." : "Deze Nextcloud werkt momenteel in enkele gebruiker modus.", - "This means only administrators can use the instance." : "Dat betekent dat alleen beheerders deze installatie kunnen gebruiken.", - "You are accessing the server from an untrusted domain." : "Je benadert de server vanaf een niet vertrouwd domein.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Neem contact op met je beheerder. Als je zelf de beheerder van deze service bent, configureer dan de \"trusted_domains\" instelling in config/config.php. Een voorbeeldconfiguratie is gegeven in config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhankelijk van je configuratie zou je als beheerder ook de onderstaande knop kunnen gebruiken om dit domein te vertrouwen.", - "Please use the command line updater because you have a big instance." : "Gebruik de commandoregel updater, omdat je een grote Nextcloud hebt.", - "For help, see the documentation." : "Voor hulp, lees de documentatie.", - "There was an error loading your contacts" : "Er was een probleem bij het laden van je contacten", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet juist geconfigureed. Voor betere prestaties adviseren we de volgende php.ini instellingen te gebruiken:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan erin resulteren dat de scripts halverwege stoppen, waardoor de installatie ontregeld raakt. We adviseren met klem om deze functie in te schakelen.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Je datamap en je bestanden zijn waarschijnlijk vanaf het internet bereikbaar. Het .htaccess-bestand werkt niet. We raden ten zeerste aan aan om je webserver zodanig te configureren, dat de datadirectory niet bereikbaar is vanaf het internet of om je datadirectory te verplaatsen naar een locatie buiten de document-root van de webserver.", - "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te verlenen to je %s account.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP heeft geen freetype ondersteuning. Dit zal leiden tot verminkte profielafbeeldingen en instellingeninterface." + "Thank you for your patience." : "Bedankt voor je geduld." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/pl.js b/core/l10n/pl.js index 0453ba70e6282..8c4fbe0461ead 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -313,70 +313,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Ta instalacja %s działa obecnie w trybie konserwacji. Może to potrwać jakiś czas.", "This page will refresh itself when the %s instance is available again." : "Strona odświeży się gdy instancja %s będzie ponownie dostępna.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Skontaktuj się z administratorem, jeśli ten komunikat pojawił się nieoczekiwanie lub wyświetla się ciągle.", - "Thank you for your patience." : "Dziękuję za cierpliwość.", - "%s (3rdparty)" : "%s (od innych)", - "Problem loading page, reloading in 5 seconds" : "Błąd podczas ładowania strony, odświeżanie w ciągu 5 sekund.", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Twoje pliki są zaszyfrowane. Jeśli nie włączyłeś klucza odzyskiwania, nie będzie możliwości odszyfrowania tych plików po zresetowaniu hasła.
Jeśli nie jesteś pewien co zrobić, skontaktuj się ze swoim administratorem, zanim bedziesz kontynuował.
Czy chcesz kontynuować?\n ", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Serwer WWW nie jest jeszcze na tyle poprawnie skonfigurowany, aby umożliwić synchronizację plików, ponieważ interfejs WebDAV wydaje się być uszkodzony.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Serwer WWW nie jest poprawnie skonfigurowany, aby wyświetlić \"{url}\". Więcej informacji można znaleźć w naszej dokumentacji.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Serwer nie ma aktywnego połączenia z Internetem. Wiele połączeń nie może być osiągniętych. Oznacza to, że część funkcji takich jak zewnętrzny magazyn, powiadomienia o aktualizacjach lub instalacja aplikacji firm trzecich nie będzie działała. Dostęp zdalny do plików oraz wysyłanie powiadomień mailowych również może nie działać. Sugerujemy udostępnienie połączenia z Internetem temu serwerowi jeśli chcesz mieć pełną funkcjonalność.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nie skonfigurowano pamięci cache. Jeśli to możliwe skonfiguruj pamięć cache, aby zwiększyć wydajność. Więcej informacji można znaleźć w naszej dokumentacji.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP nie może czytać z /dev/urandom co jest wymagane ze względów bezpieczeństwa. Więcej informacji można znaleźć w naszej dokumentacji.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Posiadasz aktualnie PHP w wersji {version}. Aby skorzystać z aktualizacji dotyczących wydajności i bezpieczeństwa otrzymanych z PHP Group zachęcamy do podniesienia wersji PHP, kiedy tylko twoja dystrybucja będzie je wspierała.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfiguracja nagłówków reverse proxy jest niepoprawna albo łączysz się do Nextclouda przez zaufane proxy. Jeśli nie łączysz się z zaufanego proxy, to jest to problem bezpieczeństwa i atakujący może podszyć się pod adres IP jako widoczny dla Nextclouda. Więcej informacji można znaleźć w naszej dokumentacji.", - "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 memcached wiki about both modules." : "Jako cache jest skonfigurowane \"memcached\", ale błędny moduł PHP \"memcache\" jest zainstalowany. \\OC\\Memcache\\Memcached wspiera tylko \"memcached\", a nie \"memcache\". Sprawdź memcached wiki o obu tych modułach.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Niektóre pliki nie przeszły sprawdzania spójności. Dalsze informacje jak to naprawić mogą być znalezione w naszej dokumentacji. (Lista niepoprawnych plików... / Skanowanie ponowne…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Twój katalog z danymi i twoje pliki są prawdopodobnie dostępne przez Internet. Plik .htaccess nie działa. Silnie rekomendujemy, żebyś skonfigurował serwer webowy, żeby katalog z danymi nie był dalej dostępny lub przenieś katalog z danymi poza katalog \"document root\" serwera web.", - "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." : "Nagłówek HTTP {header} nie jest skonfigurowany, aby pasował do {expected}. Jest to poterncjalne zagrożenie prywatności oraz bezpieczeństwa i zalecamy poprawienie tego ustawienia.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Nagłówek HTTP \"Strict-Transport-Security\" nie jest ustawiony na przynajmniej \"{seconds}\" sekund. Dla zwiększenia bezpieczeństwa zalecamy ustawienie HSTS tak jak opisaliśmy to w naszych wskazówkach dot. bezpieczeństwa.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Dostęp do tej strony jest za pośrednictwem protokołu HTTP. Zalecamy skonfigurowanie dostępu do serwera za pomocą protokołu HTTPS zamiast HTTP, jak to opisano w naszych wskazówkach bezpieczeństwa.", - "Shared with {recipients}" : "Współdzielony z {recipients}", - "Error while unsharing" : "Błąd podczas zatrzymywania udostepniania", - "can reshare" : "mogą udostępniać dalej", - "can edit" : "może edytować", - "can create" : "może utworzyć", - "can change" : "może zmienić", - "can delete" : "może usunąć", - "access control" : "kontrola dostępu", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Współdziel z innymi użytkownikami z innych serwerów używając ID Stowarzyszonej Chmury username@example.com/nextcloud ", - "Share with users or by mail..." : "Współdziel z użytkownikami lub poprzez mail...", - "Share with users or remote users..." : "Współdziel z użytkownikami lub zdalnymi użytkownikami...", - "Share with users, remote users or by mail..." : "Współdziel z użytkownikami, zdalnymi użytkownikami lub poprzez mail...", - "Share with users or groups..." : "Współdziel z użytkownikami lub grupami", - "Share with users, groups or by mail..." : "Współdziel z użytkownikami, grupami lub poprzez mail...", - "Share with users, groups or remote users..." : "Współdziel z użytkownikami, grupami lub zdalnymi użytkownikami...", - "Share with users, groups, remote users or by mail..." : "Współdziel z użytkownikami, grupami, zdalnymi użytkownikami lub poprzez mail...", - "Share with users..." : "Współdziel z użytkownikami...", - "The object type is not specified." : "Nie określono typu obiektu.", - "Enter new" : "Wpisz nowy", - "Add" : "Dodaj", - "Edit tags" : "Edytuj tagi", - "Error loading dialog template: {error}" : "Błąd podczas ładowania szablonu dialogu: {error}", - "No tags selected for deletion." : "Nie zaznaczono tagów do usunięcia.", - "The update was successful. Redirecting you to Nextcloud now." : "Aktualizacja przebiegła pomyślnie. Trwa przekierowywanie do Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Witaj,\n\ntylko informuję, że %s współdzieli z Tobą %s.\nZobacz tutaj: %s\n\n", - "The share will expire on %s." : "Ten zasób wygaśnie %s", - "Cheers!" : "Pozdrawiam!", - "The server encountered an internal error and was unable to complete your request." : "Serwer napotkał błąd wewnętrzny i nie był w stanie ukończyć Twojego żądania.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Proszę skontaktować się z administratorem jeśli ten błąd będzie się pojawiał wielokrotnie, proszę do zgłoszenia dołączyć szczegóły techniczne opisane poniżej.", - "For information how to properly configure your server, please see the documentation." : "Aby uzyskać informację jak poprawnie skonfigurować Twój serwer, zajrzyj do dokumentacji.", - "Log out" : "Wyloguj", - "This action requires you to confirm your password:" : "Ta akcja wymaga potwierdzenia hasłem:", - "Wrong password. Reset it?" : "Niepoprawne hasło? Zresetuj je!", - "Use the following link to reset your password: {link}" : "Użyj tego odnośnika by zresetować hasło: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Witam,

informuję, że %s udostępnianych zasobów %s jest z Tobą.
Zobacz!

", - "This Nextcloud instance is currently in single user mode." : "Ta instalacja Nextcloud działa obecnie w trybie pojedynczego użytkownika.", - "This means only administrators can use the instance." : "To oznacza, że tylko administratorzy mogą w tej chwili używać aplikacji.", - "You are accessing the server from an untrusted domain." : "Dostajesz się do serwera z niezaufanej domeny.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Proszę skontaktować się z Twoim administratorem. Jeżeli Ty jesteś administratorem tej instalacji, skonfiguruj ustawienie \"trusted_domains\" w pliku config/config.php. Przykład konfiguracji jest zawarty w pliku config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "W zależności od konfiguracji, jako administrator możesz także użyć poniższego przycisku aby zaufać tej domenie.", - "Please use the command line updater because you have a big instance." : "Ze względu na rozmiar Twojej instalacji użyj programu do aktualizacji z linii poleceń.", - "For help, see the documentation." : "Aby uzyskać pomoc, zajrzyj do dokumentacji.", - "There was an error loading your contacts" : "Wystąpił błąd podczas ładowania twoich kontaktów", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie jest prawidłowo skonfigurowany Dla lepszej wydajności zalecamy użycie następujących ustawień w php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcja PHP \"set_time_limit\" nie jest dostępna. Może to powodować zatrzymanie skryptów w podczas działania i w efekcie przerwanie instalacji. Silnie rekomendujemy włączenie tej funkcji.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Twój katalog z danymi i twoje pliki prawdopodobnie są dostępne przez Internet. Plik .htaccess nie działa. Usilnie zalecamy, żebyś tak skonfigurował swój serwer, żeby katalog z danymi nie był dalej dostępny lub przenieś swój katalog z danymi poza katalog root serwera webowego.", - "You are about to grant \"%s\" access to your %s account." : "Masz zamiar przyznać \"%s\" dostep do twojego %s konta." + "Thank you for your patience." : "Dziękuję za cierpliwość." }, "nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"); diff --git a/core/l10n/pl.json b/core/l10n/pl.json index b2f7cd3c674b5..fb930c7798381 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -311,70 +311,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Ta instalacja %s działa obecnie w trybie konserwacji. Może to potrwać jakiś czas.", "This page will refresh itself when the %s instance is available again." : "Strona odświeży się gdy instancja %s będzie ponownie dostępna.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Skontaktuj się z administratorem, jeśli ten komunikat pojawił się nieoczekiwanie lub wyświetla się ciągle.", - "Thank you for your patience." : "Dziękuję za cierpliwość.", - "%s (3rdparty)" : "%s (od innych)", - "Problem loading page, reloading in 5 seconds" : "Błąd podczas ładowania strony, odświeżanie w ciągu 5 sekund.", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Twoje pliki są zaszyfrowane. Jeśli nie włączyłeś klucza odzyskiwania, nie będzie możliwości odszyfrowania tych plików po zresetowaniu hasła.
Jeśli nie jesteś pewien co zrobić, skontaktuj się ze swoim administratorem, zanim bedziesz kontynuował.
Czy chcesz kontynuować?\n ", - "Ok" : "OK", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Serwer WWW nie jest jeszcze na tyle poprawnie skonfigurowany, aby umożliwić synchronizację plików, ponieważ interfejs WebDAV wydaje się być uszkodzony.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Serwer WWW nie jest poprawnie skonfigurowany, aby wyświetlić \"{url}\". Więcej informacji można znaleźć w naszej dokumentacji.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Serwer nie ma aktywnego połączenia z Internetem. Wiele połączeń nie może być osiągniętych. Oznacza to, że część funkcji takich jak zewnętrzny magazyn, powiadomienia o aktualizacjach lub instalacja aplikacji firm trzecich nie będzie działała. Dostęp zdalny do plików oraz wysyłanie powiadomień mailowych również może nie działać. Sugerujemy udostępnienie połączenia z Internetem temu serwerowi jeśli chcesz mieć pełną funkcjonalność.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nie skonfigurowano pamięci cache. Jeśli to możliwe skonfiguruj pamięć cache, aby zwiększyć wydajność. Więcej informacji można znaleźć w naszej dokumentacji.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP nie może czytać z /dev/urandom co jest wymagane ze względów bezpieczeństwa. Więcej informacji można znaleźć w naszej dokumentacji.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Posiadasz aktualnie PHP w wersji {version}. Aby skorzystać z aktualizacji dotyczących wydajności i bezpieczeństwa otrzymanych z PHP Group zachęcamy do podniesienia wersji PHP, kiedy tylko twoja dystrybucja będzie je wspierała.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfiguracja nagłówków reverse proxy jest niepoprawna albo łączysz się do Nextclouda przez zaufane proxy. Jeśli nie łączysz się z zaufanego proxy, to jest to problem bezpieczeństwa i atakujący może podszyć się pod adres IP jako widoczny dla Nextclouda. Więcej informacji można znaleźć w naszej dokumentacji.", - "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 memcached wiki about both modules." : "Jako cache jest skonfigurowane \"memcached\", ale błędny moduł PHP \"memcache\" jest zainstalowany. \\OC\\Memcache\\Memcached wspiera tylko \"memcached\", a nie \"memcache\". Sprawdź memcached wiki o obu tych modułach.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Niektóre pliki nie przeszły sprawdzania spójności. Dalsze informacje jak to naprawić mogą być znalezione w naszej dokumentacji. (Lista niepoprawnych plików... / Skanowanie ponowne…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Twój katalog z danymi i twoje pliki są prawdopodobnie dostępne przez Internet. Plik .htaccess nie działa. Silnie rekomendujemy, żebyś skonfigurował serwer webowy, żeby katalog z danymi nie był dalej dostępny lub przenieś katalog z danymi poza katalog \"document root\" serwera web.", - "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." : "Nagłówek HTTP {header} nie jest skonfigurowany, aby pasował do {expected}. Jest to poterncjalne zagrożenie prywatności oraz bezpieczeństwa i zalecamy poprawienie tego ustawienia.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Nagłówek HTTP \"Strict-Transport-Security\" nie jest ustawiony na przynajmniej \"{seconds}\" sekund. Dla zwiększenia bezpieczeństwa zalecamy ustawienie HSTS tak jak opisaliśmy to w naszych wskazówkach dot. bezpieczeństwa.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Dostęp do tej strony jest za pośrednictwem protokołu HTTP. Zalecamy skonfigurowanie dostępu do serwera za pomocą protokołu HTTPS zamiast HTTP, jak to opisano w naszych wskazówkach bezpieczeństwa.", - "Shared with {recipients}" : "Współdzielony z {recipients}", - "Error while unsharing" : "Błąd podczas zatrzymywania udostepniania", - "can reshare" : "mogą udostępniać dalej", - "can edit" : "może edytować", - "can create" : "może utworzyć", - "can change" : "może zmienić", - "can delete" : "może usunąć", - "access control" : "kontrola dostępu", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Współdziel z innymi użytkownikami z innych serwerów używając ID Stowarzyszonej Chmury username@example.com/nextcloud ", - "Share with users or by mail..." : "Współdziel z użytkownikami lub poprzez mail...", - "Share with users or remote users..." : "Współdziel z użytkownikami lub zdalnymi użytkownikami...", - "Share with users, remote users or by mail..." : "Współdziel z użytkownikami, zdalnymi użytkownikami lub poprzez mail...", - "Share with users or groups..." : "Współdziel z użytkownikami lub grupami", - "Share with users, groups or by mail..." : "Współdziel z użytkownikami, grupami lub poprzez mail...", - "Share with users, groups or remote users..." : "Współdziel z użytkownikami, grupami lub zdalnymi użytkownikami...", - "Share with users, groups, remote users or by mail..." : "Współdziel z użytkownikami, grupami, zdalnymi użytkownikami lub poprzez mail...", - "Share with users..." : "Współdziel z użytkownikami...", - "The object type is not specified." : "Nie określono typu obiektu.", - "Enter new" : "Wpisz nowy", - "Add" : "Dodaj", - "Edit tags" : "Edytuj tagi", - "Error loading dialog template: {error}" : "Błąd podczas ładowania szablonu dialogu: {error}", - "No tags selected for deletion." : "Nie zaznaczono tagów do usunięcia.", - "The update was successful. Redirecting you to Nextcloud now." : "Aktualizacja przebiegła pomyślnie. Trwa przekierowywanie do Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Witaj,\n\ntylko informuję, że %s współdzieli z Tobą %s.\nZobacz tutaj: %s\n\n", - "The share will expire on %s." : "Ten zasób wygaśnie %s", - "Cheers!" : "Pozdrawiam!", - "The server encountered an internal error and was unable to complete your request." : "Serwer napotkał błąd wewnętrzny i nie był w stanie ukończyć Twojego żądania.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Proszę skontaktować się z administratorem jeśli ten błąd będzie się pojawiał wielokrotnie, proszę do zgłoszenia dołączyć szczegóły techniczne opisane poniżej.", - "For information how to properly configure your server, please see the documentation." : "Aby uzyskać informację jak poprawnie skonfigurować Twój serwer, zajrzyj do dokumentacji.", - "Log out" : "Wyloguj", - "This action requires you to confirm your password:" : "Ta akcja wymaga potwierdzenia hasłem:", - "Wrong password. Reset it?" : "Niepoprawne hasło? Zresetuj je!", - "Use the following link to reset your password: {link}" : "Użyj tego odnośnika by zresetować hasło: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Witam,

informuję, że %s udostępnianych zasobów %s jest z Tobą.
Zobacz!

", - "This Nextcloud instance is currently in single user mode." : "Ta instalacja Nextcloud działa obecnie w trybie pojedynczego użytkownika.", - "This means only administrators can use the instance." : "To oznacza, że tylko administratorzy mogą w tej chwili używać aplikacji.", - "You are accessing the server from an untrusted domain." : "Dostajesz się do serwera z niezaufanej domeny.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Proszę skontaktować się z Twoim administratorem. Jeżeli Ty jesteś administratorem tej instalacji, skonfiguruj ustawienie \"trusted_domains\" w pliku config/config.php. Przykład konfiguracji jest zawarty w pliku config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "W zależności od konfiguracji, jako administrator możesz także użyć poniższego przycisku aby zaufać tej domenie.", - "Please use the command line updater because you have a big instance." : "Ze względu na rozmiar Twojej instalacji użyj programu do aktualizacji z linii poleceń.", - "For help, see the documentation." : "Aby uzyskać pomoc, zajrzyj do dokumentacji.", - "There was an error loading your contacts" : "Wystąpił błąd podczas ładowania twoich kontaktów", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie jest prawidłowo skonfigurowany Dla lepszej wydajności zalecamy użycie następujących ustawień w php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcja PHP \"set_time_limit\" nie jest dostępna. Może to powodować zatrzymanie skryptów w podczas działania i w efekcie przerwanie instalacji. Silnie rekomendujemy włączenie tej funkcji.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Twój katalog z danymi i twoje pliki prawdopodobnie są dostępne przez Internet. Plik .htaccess nie działa. Usilnie zalecamy, żebyś tak skonfigurował swój serwer, żeby katalog z danymi nie był dalej dostępny lub przenieś swój katalog z danymi poza katalog root serwera webowego.", - "You are about to grant \"%s\" access to your %s account." : "Masz zamiar przyznać \"%s\" dostep do twojego %s konta." + "Thank you for your patience." : "Dziękuję za cierpliwość." },"pluralForm" :"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);" } \ No newline at end of file diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 5324f253ca981..e715ccfa8495a 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está em modo de manutenção, o que pode demorar um pouco.", "This page will refresh itself when the %s instance is available again." : "Esta página será atualizada automaticamente quando o %s estiver disponível novamente.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o administrador do sistema se esta mensagem persistir ou aparecer inesperadamente.", - "Thank you for your patience." : "Obrigado pela sua paciência.", - "%s (3rdparty)" : "%s (parceiros)", - "Problem loading page, reloading in 5 seconds" : "Problema no carregamento da página, recarregando em 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Seus arquivos estão criptografados. Se você não ativou a chave de recuperação, não haverá maneira de obter seus dados de volta após a sua senha ser redefinida.
Se não tiver certeza do que deve fazer, contate o administrador antes de continuar.
Deseja realmente continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Seu servidor web ainda não está configurado corretamente para permitir a sincronização de arquivos, pois a interface WebDAV parece ser desconfigurada.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Seu servidor web não está configurado corretamente para resolver \"{url}\". Mais informação pode ser encontrada na nossa documentação.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor não tem nenhuma conexão com a Internet: Várias terminações finais podem não ser encontradas. Isso significa que alguns dos recursos como montagem de armazenamento externo, notificações sobre atualizações ou instalação de aplicativos de terceiros podem não funcionar. Acesso a arquivos remotos e envio de e-mails de notificação podem não funcionar também. Sugerimos habilitar a conexão com a Internet para este servidor, se você quer ter todas as funcionalidades.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nenhum cache de memória foi configurado. Para melhorar o desempenho, configure um memcached se disponível. Maiores informações podem ser encontradas na nossa documentação.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom não pode ser lido pelo PHP e é altamente não recomendável por razões de segurança. Mais informação pode ser encontrada na nossa documentação.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Você está atualmente executando PHP {version}. Nós o incentivamos a atualizar sua versão do PHP para aproveitar asatualizações de segurança e desempenho proporcionados pelo Grupo PHP assim que sua distribuição suportar.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "O cabeçalho do proxy reverso está incorreto, ou você está acessando a partir de um proxy confiável. Se você não está usando um proxy confiável, há uma falha de segurança que pode permitir um ataque. Mais informação pode ser encontrada na nossa documentação.", - "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 memcached wiki about both modules." : "Memcached está configurado como cache distribuído, mas o módulo PHP errado \"memcache\" está instalado. \\OC\\Memcache\\Memcached suporta apenas \"memcached\" e não \"memcache\". Veja a wiki memcached sobre ambos os módulos .", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns arquivos não passaram na verificação de integridade. Mais informações sobre como resolver este problema pode ser encontrado em nossa documentação. (Lista de arquivos inválidos… / Rescan…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "O seu diretório de dados e os arquivos provavelmente estão acessíveis a partir da Internet. O arquivo .htaccess não está funcionando. Sugerimos que você configure o servidor web de maneira que o diretório de dados não seja acessível ou mova o diretório de dados para fora do diretório raiz de documentos do servidor web.", - "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." : "O cabeçalho HTTP \"{header}\" não está configurado igual ao \"{expected}\". Este é um risco potencial para a segurança e recomendamos ajustar essa configuração.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está configurado para pelo menos \"{segundos}\" segundos. Para maior segurança recomendamos a ativação HSTS como descrito em nossas dicas de segurança.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Você está acessando este site via HTTP. Sugerimos fortemente que você configure o servidor para exigir o uso de HTTPS como descrito em nossas  dicas de segurança.", - "Shared with {recipients}" : "Compartilhado com {recipients}", - "Error while unsharing" : "Erro ao descompartilhar", - "can reshare" : "pode recompartilhar", - "can edit" : "pode editar", - "can create" : "Pode criar", - "can change" : "Pode alterar", - "can delete" : "pode excluir", - "access control" : "controle de acesso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Compartilhe com pessoas de outros servidores usando o ID de nuvem federada username@example.com/nextcloud", - "Share with users or by mail..." : "Compartilhe com usuários internos ou e-mail...", - "Share with users or remote users..." : "Compartilhe com usuários internos ou remotos...", - "Share with users, remote users or by mail..." : "Compartilhe com usuários internos, remotos ou e-mail...", - "Share with users or groups..." : "Compartilhe com usuários internos ou grupos...", - "Share with users, groups or by mail..." : "Compartilhe com usuários internos, grupos ou e-mail...", - "Share with users, groups or remote users..." : "Compartilhe com usuários internos, remotos ou grupos...", - "Share with users, groups, remote users or by mail..." : "Compartilhe com usuários internos, remotos, grupos ou e-mail...", - "Share with users..." : "Compartilhe com usuários internos...", - "The object type is not specified." : "O tipo de objeto não foi especificado.", - "Enter new" : "Entre nova", - "Add" : "Adicionar", - "Edit tags" : "Editar etiqueta", - "Error loading dialog template: {error}" : "Erro carregando o modelo de diálogo: {error}", - "No tags selected for deletion." : "Nenhuma etiqueta selecionada para exclusão.", - "The update was successful. Redirecting you to Nextcloud now." : "A atualização terminou com sucesso. Redirecionando para Nextcloud agora.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Olá,\n\napenas para avisar que %s compartilhou %s com você.\nVeja isto: %s\n\n", - "The share will expire on %s." : "O compartilhamento irá expirar em %s.", - "Cheers!" : "Saudações!", - "The server encountered an internal error and was unable to complete your request." : "O servidor encontrou um erro interno e não conseguiu concluir o seu pedido.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Entre em contato com o administrador do servidor se este erro reaparecer várias vezes. Por favor, inclua os detalhes técnicos abaixo em seu relatório.", - "For information how to properly configure your server, please see the documentation." : "Para obter informações sobre como configurar corretamente o servidor, consulte a documentação.", - "Log out" : "Sair", - "This action requires you to confirm your password:" : "Essa ação requer a confirmação da sua senha:", - "Wrong password. Reset it?" : "Senha incorreta. Redefini-la?", - "Use the following link to reset your password: {link}" : "Use o seguinte link para redefinir sua senha: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Olá,

só para avisar que %s compartilhou %s com você.
Visualize-o!

", - "This Nextcloud instance is currently in single user mode." : "Esta instância Nextcloud está em modo de usuário único.", - "This means only administrators can use the instance." : "Isso significa que apenas os administradores podem usar esta instância.", - "You are accessing the server from an untrusted domain." : "Você está acessando o servidor a partir de um domínio não confiável.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor entre em contato com o administrador. Se você é o administrador, configure a definição \"trusted_domains\" em config/config.php. Um exemplo de configuração é fornecido em config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da configuração, como administrador você também pode usar o botão abaixo para confiar neste domínio.", - "Please use the command line updater because you have a big instance." : "Por favor, use a atualização de linha de comando, porque você tem muitos dados em sua instância.", - "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", - "There was an error loading your contacts" : "Erro ao carregar seus contatos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "O PHP OPcache não está configurado adequadamente. Para melhor performance recomendamos que use as seguintes configurações em php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em scripts pendurados durante a execução e prejudicando sua instalação. Sugerimos fortemente habilitar esta função.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente estão acessíveis via internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web de maneira que o diretório de dados não seja mais acessível ou mova-o para fora do diretório raiz do servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" para sua conta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Seu PHP não possui suporte a freetype. Isso resultará em imagens de perfil e na interface de configurações quebradas." + "Thank you for your patience." : "Obrigado pela sua paciência." }, "nplurals=2; plural=(n > 1);"); diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index 9c0064b705b93..c493611a8ee03 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está em modo de manutenção, o que pode demorar um pouco.", "This page will refresh itself when the %s instance is available again." : "Esta página será atualizada automaticamente quando o %s estiver disponível novamente.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o administrador do sistema se esta mensagem persistir ou aparecer inesperadamente.", - "Thank you for your patience." : "Obrigado pela sua paciência.", - "%s (3rdparty)" : "%s (parceiros)", - "Problem loading page, reloading in 5 seconds" : "Problema no carregamento da página, recarregando em 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Seus arquivos estão criptografados. Se você não ativou a chave de recuperação, não haverá maneira de obter seus dados de volta após a sua senha ser redefinida.
Se não tiver certeza do que deve fazer, contate o administrador antes de continuar.
Deseja realmente continuar?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Seu servidor web ainda não está configurado corretamente para permitir a sincronização de arquivos, pois a interface WebDAV parece ser desconfigurada.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Seu servidor web não está configurado corretamente para resolver \"{url}\". Mais informação pode ser encontrada na nossa documentação.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor não tem nenhuma conexão com a Internet: Várias terminações finais podem não ser encontradas. Isso significa que alguns dos recursos como montagem de armazenamento externo, notificações sobre atualizações ou instalação de aplicativos de terceiros podem não funcionar. Acesso a arquivos remotos e envio de e-mails de notificação podem não funcionar também. Sugerimos habilitar a conexão com a Internet para este servidor, se você quer ter todas as funcionalidades.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nenhum cache de memória foi configurado. Para melhorar o desempenho, configure um memcached se disponível. Maiores informações podem ser encontradas na nossa documentação.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom não pode ser lido pelo PHP e é altamente não recomendável por razões de segurança. Mais informação pode ser encontrada na nossa documentação.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Você está atualmente executando PHP {version}. Nós o incentivamos a atualizar sua versão do PHP para aproveitar asatualizações de segurança e desempenho proporcionados pelo Grupo PHP assim que sua distribuição suportar.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "O cabeçalho do proxy reverso está incorreto, ou você está acessando a partir de um proxy confiável. Se você não está usando um proxy confiável, há uma falha de segurança que pode permitir um ataque. Mais informação pode ser encontrada na nossa documentação.", - "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 memcached wiki about both modules." : "Memcached está configurado como cache distribuído, mas o módulo PHP errado \"memcache\" está instalado. \\OC\\Memcache\\Memcached suporta apenas \"memcached\" e não \"memcache\". Veja a wiki memcached sobre ambos os módulos .", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns arquivos não passaram na verificação de integridade. Mais informações sobre como resolver este problema pode ser encontrado em nossa documentação. (Lista de arquivos inválidos… / Rescan…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "O seu diretório de dados e os arquivos provavelmente estão acessíveis a partir da Internet. O arquivo .htaccess não está funcionando. Sugerimos que você configure o servidor web de maneira que o diretório de dados não seja acessível ou mova o diretório de dados para fora do diretório raiz de documentos do servidor web.", - "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." : "O cabeçalho HTTP \"{header}\" não está configurado igual ao \"{expected}\". Este é um risco potencial para a segurança e recomendamos ajustar essa configuração.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está configurado para pelo menos \"{segundos}\" segundos. Para maior segurança recomendamos a ativação HSTS como descrito em nossas dicas de segurança.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Você está acessando este site via HTTP. Sugerimos fortemente que você configure o servidor para exigir o uso de HTTPS como descrito em nossas  dicas de segurança.", - "Shared with {recipients}" : "Compartilhado com {recipients}", - "Error while unsharing" : "Erro ao descompartilhar", - "can reshare" : "pode recompartilhar", - "can edit" : "pode editar", - "can create" : "Pode criar", - "can change" : "Pode alterar", - "can delete" : "pode excluir", - "access control" : "controle de acesso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Compartilhe com pessoas de outros servidores usando o ID de nuvem federada username@example.com/nextcloud", - "Share with users or by mail..." : "Compartilhe com usuários internos ou e-mail...", - "Share with users or remote users..." : "Compartilhe com usuários internos ou remotos...", - "Share with users, remote users or by mail..." : "Compartilhe com usuários internos, remotos ou e-mail...", - "Share with users or groups..." : "Compartilhe com usuários internos ou grupos...", - "Share with users, groups or by mail..." : "Compartilhe com usuários internos, grupos ou e-mail...", - "Share with users, groups or remote users..." : "Compartilhe com usuários internos, remotos ou grupos...", - "Share with users, groups, remote users or by mail..." : "Compartilhe com usuários internos, remotos, grupos ou e-mail...", - "Share with users..." : "Compartilhe com usuários internos...", - "The object type is not specified." : "O tipo de objeto não foi especificado.", - "Enter new" : "Entre nova", - "Add" : "Adicionar", - "Edit tags" : "Editar etiqueta", - "Error loading dialog template: {error}" : "Erro carregando o modelo de diálogo: {error}", - "No tags selected for deletion." : "Nenhuma etiqueta selecionada para exclusão.", - "The update was successful. Redirecting you to Nextcloud now." : "A atualização terminou com sucesso. Redirecionando para Nextcloud agora.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Olá,\n\napenas para avisar que %s compartilhou %s com você.\nVeja isto: %s\n\n", - "The share will expire on %s." : "O compartilhamento irá expirar em %s.", - "Cheers!" : "Saudações!", - "The server encountered an internal error and was unable to complete your request." : "O servidor encontrou um erro interno e não conseguiu concluir o seu pedido.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Entre em contato com o administrador do servidor se este erro reaparecer várias vezes. Por favor, inclua os detalhes técnicos abaixo em seu relatório.", - "For information how to properly configure your server, please see the documentation." : "Para obter informações sobre como configurar corretamente o servidor, consulte a documentação.", - "Log out" : "Sair", - "This action requires you to confirm your password:" : "Essa ação requer a confirmação da sua senha:", - "Wrong password. Reset it?" : "Senha incorreta. Redefini-la?", - "Use the following link to reset your password: {link}" : "Use o seguinte link para redefinir sua senha: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Olá,

só para avisar que %s compartilhou %s com você.
Visualize-o!

", - "This Nextcloud instance is currently in single user mode." : "Esta instância Nextcloud está em modo de usuário único.", - "This means only administrators can use the instance." : "Isso significa que apenas os administradores podem usar esta instância.", - "You are accessing the server from an untrusted domain." : "Você está acessando o servidor a partir de um domínio não confiável.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor entre em contato com o administrador. Se você é o administrador, configure a definição \"trusted_domains\" em config/config.php. Um exemplo de configuração é fornecido em config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da configuração, como administrador você também pode usar o botão abaixo para confiar neste domínio.", - "Please use the command line updater because you have a big instance." : "Por favor, use a atualização de linha de comando, porque você tem muitos dados em sua instância.", - "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", - "There was an error loading your contacts" : "Erro ao carregar seus contatos", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "O PHP OPcache não está configurado adequadamente. Para melhor performance recomendamos que use as seguintes configurações em php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar em scripts pendurados durante a execução e prejudicando sua instalação. Sugerimos fortemente habilitar esta função.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Seu diretório de dados e arquivos provavelmente estão acessíveis via internet. O arquivo .htaccess não está funcionando. É altamente recomendado que você configure seu servidor web de maneira que o diretório de dados não seja mais acessível ou mova-o para fora do diretório raiz do servidor web.", - "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" para sua conta %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Seu PHP não possui suporte a freetype. Isso resultará em imagens de perfil e na interface de configurações quebradas." + "Thank you for your patience." : "Obrigado pela sua paciência." },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js deleted file mode 100644 index dcc7dfeaef2d4..0000000000000 --- a/core/l10n/pt_PT.js +++ /dev/null @@ -1,342 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Por favor, selecione um ficheiro.", - "File is too big" : "O ficheiro é demasiado grande", - "The selected file is not an image." : "O ficheiro selecionado não é uma imagem.", - "The selected file cannot be read." : "O ficheiro selecionado não pode ser lido.", - "Invalid file provided" : "Inválido ficheiro fornecido", - "No image or file provided" : "Imagem ou ficheiro não fornecido", - "Unknown filetype" : "Tipo de ficheiro desconhecido", - "Invalid image" : "Imagem inválida", - "An error occurred. Please contact your admin." : "Ocorreu um erro. Por favor, contacte o seu administrador.", - "No temporary profile picture available, try again" : "Nenhuma imagem de perfil temporária disponível, tente novamente", - "No crop data provided" : "Não foram fornecidos dados de recorte", - "No valid crop data provided" : "Não foram indicados dados de recorte válidos", - "Crop is not square" : "O recorte não é quadrado", - "Password reset is disabled" : "A reposição da senha está desativada", - "Couldn't reset password because the token is invalid" : "Não foi possível repor a senha porque a senha é inválida", - "Couldn't reset password because the token is expired" : "Não foi possível repor a senha porque a senha expirou", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição porque não existe nenhum endereço de e-mail associado para este utilizador. Por favor, contacte o seu administrador.", - "%s password reset" : "%s reposição da senha", - "Password reset" : "Reposição da senha", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no seguinte botão para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Clique na seguinte hiperligação para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", - "Reset your password" : "Repor a senha", - "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição. Por favor, contacte o seu administrador.", - "Couldn't send reset email. Please make sure your username is correct." : "Não foi possível enviar a mensagem de reposição. Por favor, confirme se o seu nome de utilizador está correto.", - "Preparing update" : "A preparar atualização", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Aviso de correção:", - "Repair error: " : "Erro de correção:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Por favor, utilize o atualizador de linha de comando porque a atualização automática está desativada em config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: a verificar a tabela %s", - "Turned on maintenance mode" : "Ativou o modo de manutenção", - "Turned off maintenance mode" : "Desativou o modo de manutenção", - "Maintenance mode is kept active" : "O modo de manutenção é mantido ativo", - "Updating database schema" : "A atualizar o esquema da base de dados", - "Updated database" : "Base de dados atualizada", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", - "Checked database schema update" : "Atualização do esquema da base de dados verificada.", - "Checking updates of apps" : "A procurar por atualizações das aplicações", - "Checking for update of app \"%s\" in appstore" : "A procurar por atualizações da aplicação \"%s\" na appstore", - "Update app \"%s\" from appstore" : "Atualizar app \"%s\" da appstore", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados para %s pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", - "Checked database schema update for apps" : "Atualização do esquema da base de dados para as aplicações verificada.", - "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", - "Set log level to debug" : "Definir nível de registo para depurar", - "Reset log level" : "Reiniciar nível de registo", - "Starting code integrity check" : "A iniciar a verificação da integridade do código", - "Finished code integrity check" : "Terminada a verificação da integridade do código", - "%s (incompatible)" : "%s (incompatível)", - "Following apps have been disabled: %s" : "Foram desativadas as seguintes aplicações: %s", - "Already up to date" : "Já está atualizado", - "Search contacts …" : "Pesquisar contactos ...", - "No contacts found" : "Não foram encontrados contactos", - "Show all contacts …" : "Mostrar todos os contactos ...", - "Loading your contacts …" : "A carregar os seus contactos", - "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", - "Settings" : "Configurações", - "Connection to server lost" : "Ligação perdida ao servidor", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], - "Saving..." : "A guardar...", - "Dismiss" : "Dispensar", - "This action requires you to confirm your password" : "Esta ação requer a confirmação da senha", - "Authentication required" : "Autenticação necessária", - "Password" : "Senha", - "Cancel" : "Cancelar", - "Confirm" : "Confirmar", - "Failed to authenticate, try again" : "Falha ao autenticar. Tente outra vez.", - "seconds ago" : "segundos atrás", - "Logging in …" : "A entrar...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "A hiperligação para reiniciar a sua senha foi enviada para o seu correio eletrónico. Se não a receber dentro de um tempo aceitável, verifique as suas pastas de spam/lixo.
Se não a encontrar, pergunte ao seu administrador local.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Não haverá forma de recuperar os dados depois de alterar a senha.
Se não tiver a certeza do que fazer, por favor, contacte o administrador antes de continuar.
Deseja mesmo continuar?", - "I know what I'm doing" : "Eu sei o que eu estou a fazer", - "Password can not be changed. Please contact your administrator." : "A senha não pode ser alterada. Por favor, contacte o seu administrador.", - "Reset password" : "Repor senha", - "No" : "Não", - "Yes" : "Sim", - "No files in here" : "Sem ficheiros aqui", - "Choose" : "Escolher", - "Copy" : "Copiar", - "Move" : "Mover", - "Error loading file picker template: {error}" : "Ocorreu um erro ao carregar o modelo de seleção de ficheiro: {error}", - "OK" : "Confirmar", - "Error loading message template: {error}" : "Ocorreu um erro ao carregar o modelo: {error}", - "read-only" : "só de leitura", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflito de ficheiro","{count} conflitos de ficheiro"], - "One file conflict" : "Um conflito de ficheiro", - "New Files" : "Novos Ficheiros", - "Already existing files" : "Ficheiros já existentes", - "Which files do you want to keep?" : "Quais os ficheiros que pretende manter?", - "If you select both versions, the copied file will have a number added to its name." : "Se selecionar ambas as versões, o ficheiro copiado irá ter um número adicionado ao seu nome.", - "Continue" : "Continuar", - "(all selected)" : "(todos selecionados)", - "({count} selected)" : "({count} selecionados)", - "Error loading file exists template" : "Ocorreu um erro ao carregar o ficheiro do modelo existente", - "Pending" : "Pendente", - "Copy to {folder}" : "Copiar para {folder}", - "Move to {folder}" : "Mover para {folder}", - "Very weak password" : "Senha muito fraca", - "Weak password" : "Senha fraca", - "So-so password" : "Senha aceitável", - "Good password" : "Senha boa", - "Strong password" : "Senha forte", - "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", - "Shared" : "Partilhado", - "Shared with" : "Partilhado com ", - "Shared by" : "Partilhado por", - "Error setting expiration date" : "Erro ao definir a data de expiração", - "The public link will expire no later than {days} days after it is created" : "A hiperligação pública irá expirar, o mais tardar {days} dias depois da sua criação", - "Set expiration date" : "Definir a data de expiração", - "Expiration" : "Expiração", - "Expiration date" : "Data de expiração", - "Choose a password for the public link" : "Defina a senha para a hiperligação pública", - "Choose a password for the public link or press the \"Enter\" key" : "Defina a senha para a hiperligação pública ou prima a tecla \"Enter\"", - "Copied!" : "Copiado!", - "Not supported!" : "Não suportado!", - "Press ⌘-C to copy." : "Prima ⌘-C para copiar.", - "Press Ctrl-C to copy." : "Prima Ctrl-C para copiar.", - "Resharing is not allowed" : "Não é permitido voltar a partilhar", - "Share to {name}" : "Partilhar com {name}", - "Share link" : "Partilhar hiperligação", - "Link" : "Hiperligação", - "Password protect" : "Proteger com senha", - "Allow editing" : "Permitir edição", - "Email link to person" : "Enviar hiperligação por mensagem para a pessoa", - "Send" : "Enviar", - "Allow upload and editing" : "Permitir enviar e editar", - "Read only" : "Só de leitura", - "File drop (upload only)" : "Arrastar ficheiro (apenas envio)", - "Shared with you and the group {group} by {owner}" : "Partilhado consigo e com o grupo {group} por {owner}", - "Shared with you by {owner}" : "Partilhado consigo por {owner}", - "Choose a password for the mail share" : "Escolher senha para a partilha de email", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} partilhado via ligação", - "group" : "grupo", - "remote" : "remoto", - "email" : "email", - "shared by {sharer}" : "partilhado por {sharer}", - "Unshare" : "Cancelar partilha", - "Can reshare" : "Pode partilhar de novo", - "Can edit" : "Pode editar", - "Can create" : "Pode criar", - "Can change" : "Pode alterar", - "Can delete" : "Pode apagar", - "Access control" : "Controlo de acesso", - "Could not unshare" : "Não foi possível cancelar a partilha", - "Error while sharing" : "Erro ao partilhar", - "Share details could not be loaded for this item." : "Não foi possível carregar os detalhes de partilha para este item.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Pelo menos {count} caracteres para conclusão automática","At least {count} characters are needed for autocompletion"], - "This list is maybe truncated - please refine your search term to see more results." : "Esta lista pode estar talvez truncada - por favor refine o termo de pesquisa para ver mais resultados.", - "No users or groups found for {search}" : "Não foram encontrados nenhuns utilizadores ou grupos para {search}", - "No users found for {search}" : "Não foram encontrados utilizadores para {search}", - "An error occurred. Please try again" : "Ocorreu um erro. Por favor, tente de novo.", - "{sharee} (group)" : "{sharee} (grupo)", - "{sharee} (remote)" : "{sharee} (remoto)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Partilhar", - "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com outros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", - "Share with other people by entering a user or group or an email address." : "Partilhar com outros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", - "Name or email address..." : "Nome ou endereço de email...", - "Name or federated cloud ID..." : "Nome ou ID de cloud federada", - "Name, federated cloud ID or email address..." : "Nome, ID de cloud federada ou endereço de e-mail", - "Name..." : "Nome...", - "Error" : "Erro", - "Error removing share" : "Erro ao remover partilha", - "Non-existing tag #{tag}" : "Etiqueta não existente #{tag}", - "restricted" : "limitado", - "invisible" : "invisível", - "({scope})" : "({scope})", - "Delete" : "Apagar", - "Rename" : "Renomear", - "Collaborative tags" : "Etiquetas colaborativas", - "No tags found" : "Etiquetas não encontradas", - "unknown text" : "texto desconhecido", - "Hello world!" : "Olá, mundo!", - "sunny" : "soalheiro", - "Hello {name}, the weather is {weather}" : "Olá {name}, o tempo está {weather}", - "Hello {name}" : "Olá {name}", - "These are your search results" : "Resultados da pesquisa", - "new" : "novo", - "_download %n file_::_download %n files_" : ["transferir %n ficheiro","transferir %n ficheiros"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "A actualização está a decorrer. Se deixar esta página o processo pode ser interrompido.", - "Update to {version}" : "Actualizar para {version}", - "An error occurred." : "Ocorreu um erro.", - "Please reload the page." : "Por favor, recarregue a página.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "A atualização falhou. Para mais informação verifique o nosso fórum sobre como resolver este problema.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "A atualização não foi bem sucedida. Por favor, informe este problema à comunidade Nextcloud.", - "Continue to Nextcloud" : "Continuar para Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos.","A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos."], - "Searching other places" : "A pesquisar noutros lugares", - "No search results in other folders for {tag}{filter}{endtag}" : "Nenhum resultado encontrado noutras pastas para {tag}{filter}{endtag}", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de pesquisa noutra pasta","{count} resultados de pesquisa noutras pastas"], - "Personal" : "Pessoal", - "Users" : "Utilizadores", - "Apps" : "Aplicações", - "Admin" : "Administração", - "Help" : "Ajuda", - "Access forbidden" : "Acesso proibido", - "File not found" : "Ficheiro não encontrado", - "The specified document has not been found on the server." : "O documento especificado não foi encontrado no servidor.", - "You can click here to return to %s." : "Pode clicar aqui para voltar para %s.", - "Internal Server Error" : "Erro Interno do Servidor", - "The server was unable to complete your request." : "O servidor não conseguiu completar o seu pedido.", - "If this happens again, please send the technical details below to the server administrator." : "Se voltar a acontecer, por favor envie os detalhes técnicos abaixo ao administrador do servidor.", - "More details can be found in the server log." : "Mais detalhes podem ser encontrados no log do servidor.", - "Technical details" : "Detalhes técnicos", - "Remote Address: %s" : "Endereço remoto: %s", - "Request ID: %s" : "Id. do pedido: %s", - "Type: %s" : "Tipo: %s", - "Code: %s" : "Código: %s", - "Message: %s" : "Mensagem: %s", - "File: %s" : "Ficheiro: %s", - "Line: %s" : "Linha: %s", - "Trace" : "Rasto", - "Security warning" : "Aviso de Segurança", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da internet pois o ficheiro .htaccess não funciona.", - "Create an admin account" : "Criar uma conta administrativa", - "Username" : "Nome de utilizador", - "Storage & database" : "Armazenamento e base de dados", - "Data folder" : "Pasta de dados", - "Configure the database" : "Configure a base de dados", - "Only %s is available." : "Só está disponível %s.", - "Install and activate additional PHP modules to choose other database types." : "Instale e active módulos PHP adicionais para escolher outros tipos de base de dados.", - "For more details check out the documentation." : "Para mais detalhes consulte a documentação.", - "Database user" : "Utilizador da base de dados", - "Database password" : "Senha da base de dados", - "Database name" : "Nome da base de dados", - "Database tablespace" : "Tablespace da base de dados", - "Database host" : "Anfitrião da base de dados", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Por favor, indique o número da porta a seguir ao nome do servidor (ex.:, localhost:5432).", - "Performance warning" : "Aviso de Desempenho", - "SQLite will be used as database." : "SQLite será usado como base de dados.", - "For larger installations we recommend to choose a different database backend." : "Para instalações maiores, nós recomendamos que escolha uma interface de base de dados diferente.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "O uso de SQLite é desencorajado especialmente se estiver a pensar em dar uso ao cliente desktop para sincronizar os seus ficheiros no seu computador.", - "Finish setup" : "Terminar configuração", - "Finishing …" : "A terminar...", - "Need help?" : "Precisa de ajuda?", - "See the documentation" : "Consulte a documentação", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicação requer o JavaScript para funcionar corretamente. Por favor, {linkstart}ative o JavaScript{linkend} e recarregue a página.", - "More apps" : "Mais apps", - "Search" : "Procurar", - "Reset search" : "Repor procura", - "Confirm your password" : "Confirmar senha", - "Server side authentication failed!" : "Autenticação do lado do servidor falhou!", - "Please contact your administrator." : "Por favor, contacte o seu administrador.", - "An internal error occurred." : "Ocorreu um erro interno.", - "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", - "Username or email" : "Nome de utilizador ou e-mail", - "Log in" : "Iniciar Sessão", - "Wrong password." : "Senha errada.", - "Stay logged in" : "Manter sessão iniciada", - "Forgot password?" : "Senha esquecida?", - "Alternative Logins" : "Contas de Acesso Alternativas", - "Redirecting …" : "A redirecionar...", - "New password" : "Nova senha", - "New Password" : "Nova senha", - "Two-factor authentication" : "Autenticação de dois factores", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Segurança melhorada activada na sua conta. Por favor, autentique-se usando o segundo factor.", - "Cancel log in" : "Cancelar entrada", - "Use backup code" : "Usar código de cópia de segurança", - "Error while validating your second factor" : "Erro ao validar o segundo factor", - "Add \"%s\" as trusted domain" : "Adicionar \"%s\" como um domínio de confiança", - "App update required" : "É necessário atualizar a aplicação", - "%s will be updated to version %s" : "%s será atualizada para a versão %s.", - "These apps will be updated:" : "Estas aplicações irão ser atualizadas.", - "These incompatible apps will be disabled:" : "Estas aplicações incompatíveis irão ser desativadas:", - "The theme %s has been disabled." : "O tema %s foi desativado.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Por favor, certifique-se de que foi efetuada uma cópia de segurança da base de dados, pasta de configuração e de dados antes de prosseguir.", - "Start update" : "Iniciar atualização", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar tempos expirados com instalações maiores, em vez disso, pode executar o seguinte comando a partir da diretoria de instalação:", - "Detailed logs" : "Registos detalhados", - "Update needed" : "É necessário atualizar", - "Upgrade via web on my own risk" : "Atualizar via web por minha conta e risco.", - "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", - "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", - "Thank you for your patience." : "Obrigado pela sua paciência.", - "%s (3rdparty)" : "%s (terceiros)", - "Problem loading page, reloading in 5 seconds" : "Problema a carregar a página, a recarregar em 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Se não ativou a chave de recuperação, não terá nenhum modo para voltar obter os seus dados depois de reiniciar a sua senha.
Se não tem a certeza do que fazer, por favor, contacte o seu administrador antes de continuar.
Tem a certeza que quer continuar?", - "Ok" : "CONFIRMAR", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "O seu servidor da Web não está configurado corretamente para permitir a sincronização de ficheiro, porque a interface WebDAV parece estar com problemas.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "O seu servidor web não está configurado corretamente para resolver \"{url}\". Mais informação pode ser encontrada na nossa documentação.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor não tem ligação à Internet: Não foi possível detectar vários pontos de extremidade. Isso significa que alguns dos recursos como a montagem de armazenamento externo, notificações sobre actualizações ou instalação de aplicações de terceiros não funcionarão. Pode também não ser possível aceder a ficheiros remotamente e enviar emails de notificação. Sugerimos que active a ligação à Internet para este servidor se desejar ter todos os recursos.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nenhuma memória cache foi configurada. Para melhorar o seu desempenho, por favor configure a memcache, se disponível. Mais informação pode ser encontrada na nossa documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom não é legível pelo PHP, o que é altamente desencorajado por motivos de segurança. Pode ser encontrada mais informação na documentação.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Neste momento está a executar PHP {version}. Aconselhamos actualizar a versão de PHP para tirar partido das actualizações de desempenho e segurança fornecidas pelo PHP Group assim que a sua distribuição as suporte.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "A configuração de cabeçalhos de proxy reverso está incorrecta ou está a aceder a Nextcloud a partir de um proxy confiável. Se não estiver a aceder a Nextcloud a partir de um proxy confiável, isso é um problema de segurança e pode permitir que um invasor falsifique o endereço IP como visível para o Nextcloud. Mais informação nesta documentação.", - "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 memcached wiki about both modules." : "Memcached está configurada como cache distribuída, mas o módulo \"memcache\" PHP errado está instalado. \\OC\\Memcache\\Memcached apenas suporta \"memcached\" e não \"memcache\". Leia a memcached wiki sobre ambos os módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns ficheiros não passaram na verificação de integridade. Mais informação sobre este assunto pode ser encontrada na nossa documentação. (Lista de ficheiros inválidos… / Reverificar…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "A sua pasta com os dados e os seus ficheiros estão provavelmente acessíveis a partir da Internet. O ficheiro .htaccess não está a funcionar correctamente. Sugerimos veementemente que configure o seu servidor web de maneira a que a pasta com os dados deixe de ficar acessível, ou mova a pasta com os dados para fora da raiz de documentos do servidor web.", - "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." : "O cabeçalho HTTP \"{header}\" não está configurado para igualar \"{expected}\". Isto é um potencial risco de segurança ou privacidade e recomendamos que o corrija.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está configurado para um mínimo de \"{seconds}\" segundos. Para uma segurança melhorada recomendados a ativação do HSTS como descrito nas nossas dicas de segurança.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Está a aceder a este site via HTTP. Nós recomendamos vivamente que configure o seu servidor para requerer a utilização de HTTPS, em vez do que está descrito nas nossas dicas de segurança.", - "Shared with {recipients}" : "Partilhado com {recipients}", - "Error while unsharing" : "Erro ao remover a partilha", - "can reshare" : "pode voltar a partilhar", - "can edit" : "pode editar", - "can create" : "pode criar", - "can change" : "pode alterar", - "can delete" : "pode apagar", - "access control" : "controlo de acesso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partilhar com pessoas noutros servidores usando a Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Partilhar com utilizadores ou por email...", - "Share with users or remote users..." : "Partilhar com utilizadores ou utilizadores remotos...", - "Share with users, remote users or by mail..." : "Partilhar com utilizadores, utilizadores remotos ou por email...", - "Share with users or groups..." : "PArtilhar com utilizadores ou grupos...", - "Share with users, groups or by mail..." : "Partilhar com utilizadores, grupos ou por email...", - "Share with users, groups or remote users..." : "Partilhar com utilizadores, grupos ou utilizadores remotos...", - "Share with users, groups, remote users or by mail..." : "Partilhar com utilizadores, grupos, utilizadores remotos oupor email...", - "Share with users..." : "Partilhar com utilizadores...", - "The object type is not specified." : "O tipo de objeto não está especificado.", - "Enter new" : "Introduza novo", - "Add" : "Adicionar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Ocorreu um erro ao carregar o modelo de janela: {error}", - "No tags selected for deletion." : "Não foram selecionadas etiquetas para eliminação.", - "The update was successful. Redirecting you to Nextcloud now." : "A actualização foi bem sucedida. A redireccionar para Nextcloud agora.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Olá,\n\napenas para informar que %s partilhou »%s« consigo.\nConsulte aqui: %s\n", - "The share will expire on %s." : "Esta partilha irá expirar em %s.", - "Cheers!" : "Parabéns!", - "The server encountered an internal error and was unable to complete your request." : "O servidor encontrou um erro interno e não conseguiu concluir o seu pedido.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Entra em contacto com o administrador do servidor se este erro aparecer várias vezes, inclui também os detalhes técnicos abaixo no seu contacto.", - "For information how to properly configure your server, please see the documentation." : "Para obter informações de como configurar correctamente o servidor, veja em: documentação.", - "Log out" : "Terminar sessão", - "This action requires you to confirm your password:" : "Esta acção requer a confirmação da senha:", - "Wrong password. Reset it?" : "Senha errada. Redefini-la?", - "Use the following link to reset your password: {link}" : "Utilize a seguinte hiperligação para repor a sua senha: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Olá,

apenas para informar que %s partilhou %s consigo.
Consulte aqui!

", - "This Nextcloud instance is currently in single user mode." : "Esta instância do Nextcloud está atualmente configurada no modo de único utilizador.", - "This means only administrators can use the instance." : "Isto significa que apenas os administradores podem utilizar a instância.", - "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como um administrador também pode conseguir utilizar o botão abaixo para confiar neste domínio.", - "Please use the command line updater because you have a big instance." : "Por favor, utilize o atualizador de linha de comando porque a sua instância é grande.", - "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", - "There was an error loading your contacts" : "Erro ao carregar os seus contactos", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar na paragem dos scripts a meio da execução, impedindo a instalação. Recomenda-se vivamente activar esta função.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da Internet. O ficheiro .htaccess não funciona. É altamente recomendado que configure o seu servidor web de forma a que a pasta de dados deixe de estar acessível ou mova a pasta de dados para fora da raiz do servidor web." -}, -"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json deleted file mode 100644 index e62e29054084b..0000000000000 --- a/core/l10n/pt_PT.json +++ /dev/null @@ -1,340 +0,0 @@ -{ "translations": { - "Please select a file." : "Por favor, selecione um ficheiro.", - "File is too big" : "O ficheiro é demasiado grande", - "The selected file is not an image." : "O ficheiro selecionado não é uma imagem.", - "The selected file cannot be read." : "O ficheiro selecionado não pode ser lido.", - "Invalid file provided" : "Inválido ficheiro fornecido", - "No image or file provided" : "Imagem ou ficheiro não fornecido", - "Unknown filetype" : "Tipo de ficheiro desconhecido", - "Invalid image" : "Imagem inválida", - "An error occurred. Please contact your admin." : "Ocorreu um erro. Por favor, contacte o seu administrador.", - "No temporary profile picture available, try again" : "Nenhuma imagem de perfil temporária disponível, tente novamente", - "No crop data provided" : "Não foram fornecidos dados de recorte", - "No valid crop data provided" : "Não foram indicados dados de recorte válidos", - "Crop is not square" : "O recorte não é quadrado", - "Password reset is disabled" : "A reposição da senha está desativada", - "Couldn't reset password because the token is invalid" : "Não foi possível repor a senha porque a senha é inválida", - "Couldn't reset password because the token is expired" : "Não foi possível repor a senha porque a senha expirou", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição porque não existe nenhum endereço de e-mail associado para este utilizador. Por favor, contacte o seu administrador.", - "%s password reset" : "%s reposição da senha", - "Password reset" : "Reposição da senha", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no seguinte botão para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Clique na seguinte hiperligação para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", - "Reset your password" : "Repor a senha", - "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição. Por favor, contacte o seu administrador.", - "Couldn't send reset email. Please make sure your username is correct." : "Não foi possível enviar a mensagem de reposição. Por favor, confirme se o seu nome de utilizador está correto.", - "Preparing update" : "A preparar atualização", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Aviso de correção:", - "Repair error: " : "Erro de correção:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Por favor, utilize o atualizador de linha de comando porque a atualização automática está desativada em config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: a verificar a tabela %s", - "Turned on maintenance mode" : "Ativou o modo de manutenção", - "Turned off maintenance mode" : "Desativou o modo de manutenção", - "Maintenance mode is kept active" : "O modo de manutenção é mantido ativo", - "Updating database schema" : "A atualizar o esquema da base de dados", - "Updated database" : "Base de dados atualizada", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", - "Checked database schema update" : "Atualização do esquema da base de dados verificada.", - "Checking updates of apps" : "A procurar por atualizações das aplicações", - "Checking for update of app \"%s\" in appstore" : "A procurar por atualizações da aplicação \"%s\" na appstore", - "Update app \"%s\" from appstore" : "Atualizar app \"%s\" da appstore", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados para %s pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", - "Checked database schema update for apps" : "Atualização do esquema da base de dados para as aplicações verificada.", - "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", - "Set log level to debug" : "Definir nível de registo para depurar", - "Reset log level" : "Reiniciar nível de registo", - "Starting code integrity check" : "A iniciar a verificação da integridade do código", - "Finished code integrity check" : "Terminada a verificação da integridade do código", - "%s (incompatible)" : "%s (incompatível)", - "Following apps have been disabled: %s" : "Foram desativadas as seguintes aplicações: %s", - "Already up to date" : "Já está atualizado", - "Search contacts …" : "Pesquisar contactos ...", - "No contacts found" : "Não foram encontrados contactos", - "Show all contacts …" : "Mostrar todos os contactos ...", - "Loading your contacts …" : "A carregar os seus contactos", - "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", - "Settings" : "Configurações", - "Connection to server lost" : "Ligação perdida ao servidor", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], - "Saving..." : "A guardar...", - "Dismiss" : "Dispensar", - "This action requires you to confirm your password" : "Esta ação requer a confirmação da senha", - "Authentication required" : "Autenticação necessária", - "Password" : "Senha", - "Cancel" : "Cancelar", - "Confirm" : "Confirmar", - "Failed to authenticate, try again" : "Falha ao autenticar. Tente outra vez.", - "seconds ago" : "segundos atrás", - "Logging in …" : "A entrar...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "A hiperligação para reiniciar a sua senha foi enviada para o seu correio eletrónico. Se não a receber dentro de um tempo aceitável, verifique as suas pastas de spam/lixo.
Se não a encontrar, pergunte ao seu administrador local.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Não haverá forma de recuperar os dados depois de alterar a senha.
Se não tiver a certeza do que fazer, por favor, contacte o administrador antes de continuar.
Deseja mesmo continuar?", - "I know what I'm doing" : "Eu sei o que eu estou a fazer", - "Password can not be changed. Please contact your administrator." : "A senha não pode ser alterada. Por favor, contacte o seu administrador.", - "Reset password" : "Repor senha", - "No" : "Não", - "Yes" : "Sim", - "No files in here" : "Sem ficheiros aqui", - "Choose" : "Escolher", - "Copy" : "Copiar", - "Move" : "Mover", - "Error loading file picker template: {error}" : "Ocorreu um erro ao carregar o modelo de seleção de ficheiro: {error}", - "OK" : "Confirmar", - "Error loading message template: {error}" : "Ocorreu um erro ao carregar o modelo: {error}", - "read-only" : "só de leitura", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflito de ficheiro","{count} conflitos de ficheiro"], - "One file conflict" : "Um conflito de ficheiro", - "New Files" : "Novos Ficheiros", - "Already existing files" : "Ficheiros já existentes", - "Which files do you want to keep?" : "Quais os ficheiros que pretende manter?", - "If you select both versions, the copied file will have a number added to its name." : "Se selecionar ambas as versões, o ficheiro copiado irá ter um número adicionado ao seu nome.", - "Continue" : "Continuar", - "(all selected)" : "(todos selecionados)", - "({count} selected)" : "({count} selecionados)", - "Error loading file exists template" : "Ocorreu um erro ao carregar o ficheiro do modelo existente", - "Pending" : "Pendente", - "Copy to {folder}" : "Copiar para {folder}", - "Move to {folder}" : "Mover para {folder}", - "Very weak password" : "Senha muito fraca", - "Weak password" : "Senha fraca", - "So-so password" : "Senha aceitável", - "Good password" : "Senha boa", - "Strong password" : "Senha forte", - "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", - "Shared" : "Partilhado", - "Shared with" : "Partilhado com ", - "Shared by" : "Partilhado por", - "Error setting expiration date" : "Erro ao definir a data de expiração", - "The public link will expire no later than {days} days after it is created" : "A hiperligação pública irá expirar, o mais tardar {days} dias depois da sua criação", - "Set expiration date" : "Definir a data de expiração", - "Expiration" : "Expiração", - "Expiration date" : "Data de expiração", - "Choose a password for the public link" : "Defina a senha para a hiperligação pública", - "Choose a password for the public link or press the \"Enter\" key" : "Defina a senha para a hiperligação pública ou prima a tecla \"Enter\"", - "Copied!" : "Copiado!", - "Not supported!" : "Não suportado!", - "Press ⌘-C to copy." : "Prima ⌘-C para copiar.", - "Press Ctrl-C to copy." : "Prima Ctrl-C para copiar.", - "Resharing is not allowed" : "Não é permitido voltar a partilhar", - "Share to {name}" : "Partilhar com {name}", - "Share link" : "Partilhar hiperligação", - "Link" : "Hiperligação", - "Password protect" : "Proteger com senha", - "Allow editing" : "Permitir edição", - "Email link to person" : "Enviar hiperligação por mensagem para a pessoa", - "Send" : "Enviar", - "Allow upload and editing" : "Permitir enviar e editar", - "Read only" : "Só de leitura", - "File drop (upload only)" : "Arrastar ficheiro (apenas envio)", - "Shared with you and the group {group} by {owner}" : "Partilhado consigo e com o grupo {group} por {owner}", - "Shared with you by {owner}" : "Partilhado consigo por {owner}", - "Choose a password for the mail share" : "Escolher senha para a partilha de email", - "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} partilhado via ligação", - "group" : "grupo", - "remote" : "remoto", - "email" : "email", - "shared by {sharer}" : "partilhado por {sharer}", - "Unshare" : "Cancelar partilha", - "Can reshare" : "Pode partilhar de novo", - "Can edit" : "Pode editar", - "Can create" : "Pode criar", - "Can change" : "Pode alterar", - "Can delete" : "Pode apagar", - "Access control" : "Controlo de acesso", - "Could not unshare" : "Não foi possível cancelar a partilha", - "Error while sharing" : "Erro ao partilhar", - "Share details could not be loaded for this item." : "Não foi possível carregar os detalhes de partilha para este item.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Pelo menos {count} caracteres para conclusão automática","At least {count} characters are needed for autocompletion"], - "This list is maybe truncated - please refine your search term to see more results." : "Esta lista pode estar talvez truncada - por favor refine o termo de pesquisa para ver mais resultados.", - "No users or groups found for {search}" : "Não foram encontrados nenhuns utilizadores ou grupos para {search}", - "No users found for {search}" : "Não foram encontrados utilizadores para {search}", - "An error occurred. Please try again" : "Ocorreu um erro. Por favor, tente de novo.", - "{sharee} (group)" : "{sharee} (grupo)", - "{sharee} (remote)" : "{sharee} (remoto)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Partilhar", - "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com outros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", - "Share with other people by entering a user or group or an email address." : "Partilhar com outros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", - "Name or email address..." : "Nome ou endereço de email...", - "Name or federated cloud ID..." : "Nome ou ID de cloud federada", - "Name, federated cloud ID or email address..." : "Nome, ID de cloud federada ou endereço de e-mail", - "Name..." : "Nome...", - "Error" : "Erro", - "Error removing share" : "Erro ao remover partilha", - "Non-existing tag #{tag}" : "Etiqueta não existente #{tag}", - "restricted" : "limitado", - "invisible" : "invisível", - "({scope})" : "({scope})", - "Delete" : "Apagar", - "Rename" : "Renomear", - "Collaborative tags" : "Etiquetas colaborativas", - "No tags found" : "Etiquetas não encontradas", - "unknown text" : "texto desconhecido", - "Hello world!" : "Olá, mundo!", - "sunny" : "soalheiro", - "Hello {name}, the weather is {weather}" : "Olá {name}, o tempo está {weather}", - "Hello {name}" : "Olá {name}", - "These are your search results" : "Resultados da pesquisa", - "new" : "novo", - "_download %n file_::_download %n files_" : ["transferir %n ficheiro","transferir %n ficheiros"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "A actualização está a decorrer. Se deixar esta página o processo pode ser interrompido.", - "Update to {version}" : "Actualizar para {version}", - "An error occurred." : "Ocorreu um erro.", - "Please reload the page." : "Por favor, recarregue a página.", - "The update was unsuccessful. For more information check our forum post covering this issue." : "A atualização falhou. Para mais informação verifique o nosso fórum sobre como resolver este problema.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "A atualização não foi bem sucedida. Por favor, informe este problema à comunidade Nextcloud.", - "Continue to Nextcloud" : "Continuar para Nextcloud", - "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos.","A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos."], - "Searching other places" : "A pesquisar noutros lugares", - "No search results in other folders for {tag}{filter}{endtag}" : "Nenhum resultado encontrado noutras pastas para {tag}{filter}{endtag}", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de pesquisa noutra pasta","{count} resultados de pesquisa noutras pastas"], - "Personal" : "Pessoal", - "Users" : "Utilizadores", - "Apps" : "Aplicações", - "Admin" : "Administração", - "Help" : "Ajuda", - "Access forbidden" : "Acesso proibido", - "File not found" : "Ficheiro não encontrado", - "The specified document has not been found on the server." : "O documento especificado não foi encontrado no servidor.", - "You can click here to return to %s." : "Pode clicar aqui para voltar para %s.", - "Internal Server Error" : "Erro Interno do Servidor", - "The server was unable to complete your request." : "O servidor não conseguiu completar o seu pedido.", - "If this happens again, please send the technical details below to the server administrator." : "Se voltar a acontecer, por favor envie os detalhes técnicos abaixo ao administrador do servidor.", - "More details can be found in the server log." : "Mais detalhes podem ser encontrados no log do servidor.", - "Technical details" : "Detalhes técnicos", - "Remote Address: %s" : "Endereço remoto: %s", - "Request ID: %s" : "Id. do pedido: %s", - "Type: %s" : "Tipo: %s", - "Code: %s" : "Código: %s", - "Message: %s" : "Mensagem: %s", - "File: %s" : "Ficheiro: %s", - "Line: %s" : "Linha: %s", - "Trace" : "Rasto", - "Security warning" : "Aviso de Segurança", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da internet pois o ficheiro .htaccess não funciona.", - "Create an admin account" : "Criar uma conta administrativa", - "Username" : "Nome de utilizador", - "Storage & database" : "Armazenamento e base de dados", - "Data folder" : "Pasta de dados", - "Configure the database" : "Configure a base de dados", - "Only %s is available." : "Só está disponível %s.", - "Install and activate additional PHP modules to choose other database types." : "Instale e active módulos PHP adicionais para escolher outros tipos de base de dados.", - "For more details check out the documentation." : "Para mais detalhes consulte a documentação.", - "Database user" : "Utilizador da base de dados", - "Database password" : "Senha da base de dados", - "Database name" : "Nome da base de dados", - "Database tablespace" : "Tablespace da base de dados", - "Database host" : "Anfitrião da base de dados", - "Please specify the port number along with the host name (e.g., localhost:5432)." : "Por favor, indique o número da porta a seguir ao nome do servidor (ex.:, localhost:5432).", - "Performance warning" : "Aviso de Desempenho", - "SQLite will be used as database." : "SQLite será usado como base de dados.", - "For larger installations we recommend to choose a different database backend." : "Para instalações maiores, nós recomendamos que escolha uma interface de base de dados diferente.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "O uso de SQLite é desencorajado especialmente se estiver a pensar em dar uso ao cliente desktop para sincronizar os seus ficheiros no seu computador.", - "Finish setup" : "Terminar configuração", - "Finishing …" : "A terminar...", - "Need help?" : "Precisa de ajuda?", - "See the documentation" : "Consulte a documentação", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicação requer o JavaScript para funcionar corretamente. Por favor, {linkstart}ative o JavaScript{linkend} e recarregue a página.", - "More apps" : "Mais apps", - "Search" : "Procurar", - "Reset search" : "Repor procura", - "Confirm your password" : "Confirmar senha", - "Server side authentication failed!" : "Autenticação do lado do servidor falhou!", - "Please contact your administrator." : "Por favor, contacte o seu administrador.", - "An internal error occurred." : "Ocorreu um erro interno.", - "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", - "Username or email" : "Nome de utilizador ou e-mail", - "Log in" : "Iniciar Sessão", - "Wrong password." : "Senha errada.", - "Stay logged in" : "Manter sessão iniciada", - "Forgot password?" : "Senha esquecida?", - "Alternative Logins" : "Contas de Acesso Alternativas", - "Redirecting …" : "A redirecionar...", - "New password" : "Nova senha", - "New Password" : "Nova senha", - "Two-factor authentication" : "Autenticação de dois factores", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Segurança melhorada activada na sua conta. Por favor, autentique-se usando o segundo factor.", - "Cancel log in" : "Cancelar entrada", - "Use backup code" : "Usar código de cópia de segurança", - "Error while validating your second factor" : "Erro ao validar o segundo factor", - "Add \"%s\" as trusted domain" : "Adicionar \"%s\" como um domínio de confiança", - "App update required" : "É necessário atualizar a aplicação", - "%s will be updated to version %s" : "%s será atualizada para a versão %s.", - "These apps will be updated:" : "Estas aplicações irão ser atualizadas.", - "These incompatible apps will be disabled:" : "Estas aplicações incompatíveis irão ser desativadas:", - "The theme %s has been disabled." : "O tema %s foi desativado.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Por favor, certifique-se de que foi efetuada uma cópia de segurança da base de dados, pasta de configuração e de dados antes de prosseguir.", - "Start update" : "Iniciar atualização", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar tempos expirados com instalações maiores, em vez disso, pode executar o seguinte comando a partir da diretoria de instalação:", - "Detailed logs" : "Registos detalhados", - "Update needed" : "É necessário atualizar", - "Upgrade via web on my own risk" : "Atualizar via web por minha conta e risco.", - "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", - "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", - "Thank you for your patience." : "Obrigado pela sua paciência.", - "%s (3rdparty)" : "%s (terceiros)", - "Problem loading page, reloading in 5 seconds" : "Problema a carregar a página, a recarregar em 5 segundos", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Se não ativou a chave de recuperação, não terá nenhum modo para voltar obter os seus dados depois de reiniciar a sua senha.
Se não tem a certeza do que fazer, por favor, contacte o seu administrador antes de continuar.
Tem a certeza que quer continuar?", - "Ok" : "CONFIRMAR", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "O seu servidor da Web não está configurado corretamente para permitir a sincronização de ficheiro, porque a interface WebDAV parece estar com problemas.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "O seu servidor web não está configurado corretamente para resolver \"{url}\". Mais informação pode ser encontrada na nossa documentação.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor não tem ligação à Internet: Não foi possível detectar vários pontos de extremidade. Isso significa que alguns dos recursos como a montagem de armazenamento externo, notificações sobre actualizações ou instalação de aplicações de terceiros não funcionarão. Pode também não ser possível aceder a ficheiros remotamente e enviar emails de notificação. Sugerimos que active a ligação à Internet para este servidor se desejar ter todos os recursos.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nenhuma memória cache foi configurada. Para melhorar o seu desempenho, por favor configure a memcache, se disponível. Mais informação pode ser encontrada na nossa documentation.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom não é legível pelo PHP, o que é altamente desencorajado por motivos de segurança. Pode ser encontrada mais informação na documentação.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Neste momento está a executar PHP {version}. Aconselhamos actualizar a versão de PHP para tirar partido das actualizações de desempenho e segurança fornecidas pelo PHP Group assim que a sua distribuição as suporte.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "A configuração de cabeçalhos de proxy reverso está incorrecta ou está a aceder a Nextcloud a partir de um proxy confiável. Se não estiver a aceder a Nextcloud a partir de um proxy confiável, isso é um problema de segurança e pode permitir que um invasor falsifique o endereço IP como visível para o Nextcloud. Mais informação nesta documentação.", - "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 memcached wiki about both modules." : "Memcached está configurada como cache distribuída, mas o módulo \"memcache\" PHP errado está instalado. \\OC\\Memcache\\Memcached apenas suporta \"memcached\" e não \"memcache\". Leia a memcached wiki sobre ambos os módulos.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns ficheiros não passaram na verificação de integridade. Mais informação sobre este assunto pode ser encontrada na nossa documentação. (Lista de ficheiros inválidos… / Reverificar…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "A sua pasta com os dados e os seus ficheiros estão provavelmente acessíveis a partir da Internet. O ficheiro .htaccess não está a funcionar correctamente. Sugerimos veementemente que configure o seu servidor web de maneira a que a pasta com os dados deixe de ficar acessível, ou mova a pasta com os dados para fora da raiz de documentos do servidor web.", - "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." : "O cabeçalho HTTP \"{header}\" não está configurado para igualar \"{expected}\". Isto é um potencial risco de segurança ou privacidade e recomendamos que o corrija.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está configurado para um mínimo de \"{seconds}\" segundos. Para uma segurança melhorada recomendados a ativação do HSTS como descrito nas nossas dicas de segurança.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Está a aceder a este site via HTTP. Nós recomendamos vivamente que configure o seu servidor para requerer a utilização de HTTPS, em vez do que está descrito nas nossas dicas de segurança.", - "Shared with {recipients}" : "Partilhado com {recipients}", - "Error while unsharing" : "Erro ao remover a partilha", - "can reshare" : "pode voltar a partilhar", - "can edit" : "pode editar", - "can create" : "pode criar", - "can change" : "pode alterar", - "can delete" : "pode apagar", - "access control" : "controlo de acesso", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partilhar com pessoas noutros servidores usando a Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Partilhar com utilizadores ou por email...", - "Share with users or remote users..." : "Partilhar com utilizadores ou utilizadores remotos...", - "Share with users, remote users or by mail..." : "Partilhar com utilizadores, utilizadores remotos ou por email...", - "Share with users or groups..." : "PArtilhar com utilizadores ou grupos...", - "Share with users, groups or by mail..." : "Partilhar com utilizadores, grupos ou por email...", - "Share with users, groups or remote users..." : "Partilhar com utilizadores, grupos ou utilizadores remotos...", - "Share with users, groups, remote users or by mail..." : "Partilhar com utilizadores, grupos, utilizadores remotos oupor email...", - "Share with users..." : "Partilhar com utilizadores...", - "The object type is not specified." : "O tipo de objeto não está especificado.", - "Enter new" : "Introduza novo", - "Add" : "Adicionar", - "Edit tags" : "Editar etiquetas", - "Error loading dialog template: {error}" : "Ocorreu um erro ao carregar o modelo de janela: {error}", - "No tags selected for deletion." : "Não foram selecionadas etiquetas para eliminação.", - "The update was successful. Redirecting you to Nextcloud now." : "A actualização foi bem sucedida. A redireccionar para Nextcloud agora.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Olá,\n\napenas para informar que %s partilhou »%s« consigo.\nConsulte aqui: %s\n", - "The share will expire on %s." : "Esta partilha irá expirar em %s.", - "Cheers!" : "Parabéns!", - "The server encountered an internal error and was unable to complete your request." : "O servidor encontrou um erro interno e não conseguiu concluir o seu pedido.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Entra em contacto com o administrador do servidor se este erro aparecer várias vezes, inclui também os detalhes técnicos abaixo no seu contacto.", - "For information how to properly configure your server, please see the documentation." : "Para obter informações de como configurar correctamente o servidor, veja em: documentação.", - "Log out" : "Terminar sessão", - "This action requires you to confirm your password:" : "Esta acção requer a confirmação da senha:", - "Wrong password. Reset it?" : "Senha errada. Redefini-la?", - "Use the following link to reset your password: {link}" : "Utilize a seguinte hiperligação para repor a sua senha: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Olá,

apenas para informar que %s partilhou %s consigo.
Consulte aqui!

", - "This Nextcloud instance is currently in single user mode." : "Esta instância do Nextcloud está atualmente configurada no modo de único utilizador.", - "This means only administrators can use the instance." : "Isto significa que apenas os administradores podem utilizar a instância.", - "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como um administrador também pode conseguir utilizar o botão abaixo para confiar neste domínio.", - "Please use the command line updater because you have a big instance." : "Por favor, utilize o atualizador de linha de comando porque a sua instância é grande.", - "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", - "There was an error loading your contacts" : "Erro ao carregar os seus contactos", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isso pode resultar na paragem dos scripts a meio da execução, impedindo a instalação. Recomenda-se vivamente activar esta função.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da Internet. O ficheiro .htaccess não funciona. É altamente recomendado que configure o seu servidor web de forma a que a pasta de dados deixe de estar acessível ou mova a pasta de dados para fora da raiz do servidor web." -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/core/l10n/ro.js b/core/l10n/ro.js index 4eed67775223c..eae1ba61a3a8b 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -285,70 +285,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Instanța %s este acum în modul de mentenanță, ceea ce ar putea dura o vreme.", "This page will refresh itself when the %s instance is available again." : "Această pagină se va reîmprospăta atunci când %s instance e disponibil din nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contactează-ți administratorul de sistem dacă acest mesaj persistă sau a apărut neașteptat.", - "Thank you for your patience." : "Îți mulțumim pentru răbdare.", - "%s (3rdparty)" : "%s (terță parte)", - "Problem loading page, reloading in 5 seconds" : "A apărut o problemă la încărcarea paginii, se reîncearcă în 5 secunde", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Fișierele tale sunt criptate. Dacă nu ai activat o cheie de restabilire, e posibil să nu mai poți accesa informațiile tale după o resetare a parolei.
Dacă nu ești sigur ce trebuie să faci, contactează administratorul înainte de a continua.
Sigur vrei să continui?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Serverul tău web nu este încă configurat corespunzător pentru a permite sincronizarea de fișiere, deoarece interfața WebDAV pare să fie defectă.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Serverul tău web nu este configurat corespunzător pentru a rezolva \"{url}\". Mai multe informații pot fi găsite în documentație.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Acest server nu dispune de o conexiune la Internet funcțională: Mai multe destinații nu au putut fi accesate. Aceasta înseamnă că unele funcții cum ar fi încărcarea de stocări externe, notificări despre actualizări sau instalarea de aplicații de la terți nu vor funcționa. Accesarea de la distanță a fișierelor și trimiterea de emailuri de notificare s-ar putea să fie tot nefuncționale. Îți sugerăm activarea conexiunii la Internet pentru acest server dacă dorești să folosești toate facilitățile.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nu a fost configurat un cache de memorie. Pentru îmbunătățirea performanței, configurează un memcache, dacă este disponibil. Mai multe informații pot fi găsite în documentație", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom nu poate fi citit de către PHP, lucru nerecomandat din motive de securitate. Mai multe informații pot fi găsite în documentație.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Momentan rulezi PHP {version}. Este recomandată actualizarea versiunii de PHP pentru a beneficia de avantajele actualizărilor de performanță și securitate ale Grupului PHP imediat ce acestea sunt disponibile pentru sistemul tău.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Configurarea headerelor pentru reverse proxy sunt incorecte, sau accesezi Nextcloud printr-un proxy de încredere. Dacă nu accesezi Nextcloud printr-un proxy de încredere, aceasta este o problemă de securitate și poate permite unui atacator mascarea adresei IP vizibile pentru Nextcloud. Mai multe informații pot fi găsite în documentație.", - "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 memcached wiki about both modules." : "Memcached este configurat ca și cache distribuit, dar este instalat un modul PHP greșit pentru ”memcache”. \\OC\\Memcache\\Memcached suportă numai ”memcached” și nu ”memcache”. Vezi și wiki-ul memcached despre ambele module.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Unele fișiere nu au trecut de verificarea de integritate. Mai multe informații despre cum se rezolvă această problemă pot fi găsite în documentație. (Lista fișierelor non-valide… / Rescanează…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Directorul de date și fișierele tale sunt probabil accesibile de pe Internet. Fișierul .htaccess nu funcționează. Îți recomandăm cu tărie să configurezi serverul web astfel încât folderul de date să nu mai fie accesibil, sau să muți folderul în afara rădăcinii de documente a serverului web.", - "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." : "Header-ul HTTP ”{header}” nu este configurat să fie identic cu \"{expected}\". Aceasta reprezintă un potențial risc de securitate sau de confidențialitate și recomandăm modificarea corespunzătoare a acestei setări.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Header-ul HTTP \"Strict-Transport-Security\" nu este configurat cu cel puțin \"{seconds}\" secunde. Pentru o securitate îmbunătățită recomandăm activarea HSTS așa cum este descris în sfaturile de securitate.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Accesezi acest site prin HTTP. Îți sugerăm cu tărie să configurezi serverul tău să foloseasca HTTPS, așa cum este descris în sfaturile de securitate.", - "Shared with {recipients}" : "Partajat cu {recipients}", - "Error while unsharing" : "Eroare la anularea partajării", - "can reshare" : "poate partaja mai departe", - "can edit" : "poate edita", - "can create" : "poate crea", - "can change" : "poate schimba", - "can delete" : "poate șterge", - "access control" : "control acces", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partajează cu alți utilizatori de pe alte servere utilizând ID-ul Cloud-ului lor de forma username@example.com/nextcloud.", - "Share with users or by mail..." : "Partajează cu alți utilizatori sau prin mail...", - "Share with users or remote users..." : "Partajează cu alți utilizatori sau cu utilizatori la distanță...", - "Share with users, remote users or by mail..." : "Partajează cu alți utilizatori, utilizatori la distanță sau prin mail...", - "Share with users or groups..." : "Partajează cu alți utilizatori sau grupuri...", - "Share with users, groups or by mail..." : "Partajează cu alți utilizatori, grupuri sau prin mail...", - "Share with users, groups or remote users..." : "Partajează cu alți utilizatori, grupuri sau utilizatori la distanță...", - "Share with users, groups, remote users or by mail..." : "Partajează cu alți utilizatori, grupuri, utilizatori la distanță sau prin mail...", - "Share with users..." : "Partajează cu alți utilizatori...", - "The object type is not specified." : "Tipul obiectului nu este specificat.", - "Enter new" : "Introducere nou", - "Add" : "Adaugă", - "Edit tags" : "Editează etichete", - "Error loading dialog template: {error}" : "Eroare la încărcarea șablonului de dialog: {error}", - "No tags selected for deletion." : "Nu au fost selectate etichete pentru ștergere.", - "The update was successful. Redirecting you to Nextcloud now." : "Actualizarea a reușit. Te redirecționăm acum la Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Salutare,\n\nvrem să te anunțăm că %s a partajat %s cu tine.\nPoți vedea aici: %s\n\n", - "The share will expire on %s." : "Partajarea va expira în data de %s.", - "Cheers!" : "Noroc!", - "The server encountered an internal error and was unable to complete your request." : "Serverul a întâmpinat o eroare și nu îți poate îndeplini cererea.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Te rugăm să contactezi administratorul serverului dacă această eroare apare de mai multe ori, incluzând și următoarele detalii tehnice în raportul tău.", - "For information how to properly configure your server, please see the documentation." : "Pentru mai multe informații despre configurarea recomandată a serverului, te rugăm să consulți documentația.", - "Log out" : "Ieșire", - "This action requires you to confirm your password:" : "Această acțiune necesită confirmarea parolei tale:", - "Wrong password. Reset it?" : "Parolă greșită. O resetezi?", - "Use the following link to reset your password: {link}" : "Folosește următorul link pentru a reseta parola: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Salutare,

te anunțăm pe această cale că %s a partajat %s cu tine.
Accesează!

", - "This Nextcloud instance is currently in single user mode." : "Această instanță de Nextcloud funcționează momentan în modul single user.", - "This means only administrators can use the instance." : "Asta înseamnă că doar administratorii pot folosi instanța.", - "You are accessing the server from an untrusted domain." : "Accesezi serverul dintr-un domeniu care nu a fost configurat ca fiind de încredere.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Te rugăm să contactezi administratorul. Dacă ești administratorul acestei instanțe, configurează setarea ”trusted_domains” în config/config.php. Un exemplu de configurare se găsește în config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "În funcție de configurare, ca și administrator poți utiliza butonul de mai jos pentru a acorda încredere acestui domeniu.", - "Please use the command line updater because you have a big instance." : "Folosește actualizarea din linia de comandă deoarece ai o instanță mare.", - "For help, see the documentation." : "Pentru ajutor, verifică documentația.", - "There was an error loading your contacts" : "A apărut o eroare la încărcarea contactelor ", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "OPcache pentru PHP nu este configurat corespunzător. Pentru o performanță mai bună recomandăm folosirea următoarelor setări în php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funcția PHP \"set_time_limit\" nu este disponibilă. Aceasta ar putea determina oprirea scripturilor în timpul rulării, blocarea instalării. Recomandăm insistent activarea acestei funcții.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Directorul de date și fișierele tale sunt probabil accesibile de pe Internet. Fișierul .htaccess nu funcționează. Îți recomandăm cu tărie să configurezi serverul web astfel încât directorul de date să nu mai fie accesibil, sau să muți folderul în afara rădăcinii serverului web.", - "You are about to grant \"%s\" access to your %s account." : "Ești pe cale sa permiți \"%s\" accesul la %s contul tău." + "Thank you for your patience." : "Îți mulțumim pentru răbdare." }, "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); diff --git a/core/l10n/ro.json b/core/l10n/ro.json index ea47ca7317dd2..a1ea2d293b6bd 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -283,70 +283,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Instanța %s este acum în modul de mentenanță, ceea ce ar putea dura o vreme.", "This page will refresh itself when the %s instance is available again." : "Această pagină se va reîmprospăta atunci când %s instance e disponibil din nou.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contactează-ți administratorul de sistem dacă acest mesaj persistă sau a apărut neașteptat.", - "Thank you for your patience." : "Îți mulțumim pentru răbdare.", - "%s (3rdparty)" : "%s (terță parte)", - "Problem loading page, reloading in 5 seconds" : "A apărut o problemă la încărcarea paginii, se reîncearcă în 5 secunde", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Fișierele tale sunt criptate. Dacă nu ai activat o cheie de restabilire, e posibil să nu mai poți accesa informațiile tale după o resetare a parolei.
Dacă nu ești sigur ce trebuie să faci, contactează administratorul înainte de a continua.
Sigur vrei să continui?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Serverul tău web nu este încă configurat corespunzător pentru a permite sincronizarea de fișiere, deoarece interfața WebDAV pare să fie defectă.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Serverul tău web nu este configurat corespunzător pentru a rezolva \"{url}\". Mai multe informații pot fi găsite în documentație.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Acest server nu dispune de o conexiune la Internet funcțională: Mai multe destinații nu au putut fi accesate. Aceasta înseamnă că unele funcții cum ar fi încărcarea de stocări externe, notificări despre actualizări sau instalarea de aplicații de la terți nu vor funcționa. Accesarea de la distanță a fișierelor și trimiterea de emailuri de notificare s-ar putea să fie tot nefuncționale. Îți sugerăm activarea conexiunii la Internet pentru acest server dacă dorești să folosești toate facilitățile.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nu a fost configurat un cache de memorie. Pentru îmbunătățirea performanței, configurează un memcache, dacă este disponibil. Mai multe informații pot fi găsite în documentație", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom nu poate fi citit de către PHP, lucru nerecomandat din motive de securitate. Mai multe informații pot fi găsite în documentație.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Momentan rulezi PHP {version}. Este recomandată actualizarea versiunii de PHP pentru a beneficia de avantajele actualizărilor de performanță și securitate ale Grupului PHP imediat ce acestea sunt disponibile pentru sistemul tău.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Configurarea headerelor pentru reverse proxy sunt incorecte, sau accesezi Nextcloud printr-un proxy de încredere. Dacă nu accesezi Nextcloud printr-un proxy de încredere, aceasta este o problemă de securitate și poate permite unui atacator mascarea adresei IP vizibile pentru Nextcloud. Mai multe informații pot fi găsite în documentație.", - "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 memcached wiki about both modules." : "Memcached este configurat ca și cache distribuit, dar este instalat un modul PHP greșit pentru ”memcache”. \\OC\\Memcache\\Memcached suportă numai ”memcached” și nu ”memcache”. Vezi și wiki-ul memcached despre ambele module.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Unele fișiere nu au trecut de verificarea de integritate. Mai multe informații despre cum se rezolvă această problemă pot fi găsite în documentație. (Lista fișierelor non-valide… / Rescanează…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Directorul de date și fișierele tale sunt probabil accesibile de pe Internet. Fișierul .htaccess nu funcționează. Îți recomandăm cu tărie să configurezi serverul web astfel încât folderul de date să nu mai fie accesibil, sau să muți folderul în afara rădăcinii de documente a serverului web.", - "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." : "Header-ul HTTP ”{header}” nu este configurat să fie identic cu \"{expected}\". Aceasta reprezintă un potențial risc de securitate sau de confidențialitate și recomandăm modificarea corespunzătoare a acestei setări.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Header-ul HTTP \"Strict-Transport-Security\" nu este configurat cu cel puțin \"{seconds}\" secunde. Pentru o securitate îmbunătățită recomandăm activarea HSTS așa cum este descris în sfaturile de securitate.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Accesezi acest site prin HTTP. Îți sugerăm cu tărie să configurezi serverul tău să foloseasca HTTPS, așa cum este descris în sfaturile de securitate.", - "Shared with {recipients}" : "Partajat cu {recipients}", - "Error while unsharing" : "Eroare la anularea partajării", - "can reshare" : "poate partaja mai departe", - "can edit" : "poate edita", - "can create" : "poate crea", - "can change" : "poate schimba", - "can delete" : "poate șterge", - "access control" : "control acces", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Partajează cu alți utilizatori de pe alte servere utilizând ID-ul Cloud-ului lor de forma username@example.com/nextcloud.", - "Share with users or by mail..." : "Partajează cu alți utilizatori sau prin mail...", - "Share with users or remote users..." : "Partajează cu alți utilizatori sau cu utilizatori la distanță...", - "Share with users, remote users or by mail..." : "Partajează cu alți utilizatori, utilizatori la distanță sau prin mail...", - "Share with users or groups..." : "Partajează cu alți utilizatori sau grupuri...", - "Share with users, groups or by mail..." : "Partajează cu alți utilizatori, grupuri sau prin mail...", - "Share with users, groups or remote users..." : "Partajează cu alți utilizatori, grupuri sau utilizatori la distanță...", - "Share with users, groups, remote users or by mail..." : "Partajează cu alți utilizatori, grupuri, utilizatori la distanță sau prin mail...", - "Share with users..." : "Partajează cu alți utilizatori...", - "The object type is not specified." : "Tipul obiectului nu este specificat.", - "Enter new" : "Introducere nou", - "Add" : "Adaugă", - "Edit tags" : "Editează etichete", - "Error loading dialog template: {error}" : "Eroare la încărcarea șablonului de dialog: {error}", - "No tags selected for deletion." : "Nu au fost selectate etichete pentru ștergere.", - "The update was successful. Redirecting you to Nextcloud now." : "Actualizarea a reușit. Te redirecționăm acum la Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Salutare,\n\nvrem să te anunțăm că %s a partajat %s cu tine.\nPoți vedea aici: %s\n\n", - "The share will expire on %s." : "Partajarea va expira în data de %s.", - "Cheers!" : "Noroc!", - "The server encountered an internal error and was unable to complete your request." : "Serverul a întâmpinat o eroare și nu îți poate îndeplini cererea.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Te rugăm să contactezi administratorul serverului dacă această eroare apare de mai multe ori, incluzând și următoarele detalii tehnice în raportul tău.", - "For information how to properly configure your server, please see the documentation." : "Pentru mai multe informații despre configurarea recomandată a serverului, te rugăm să consulți documentația.", - "Log out" : "Ieșire", - "This action requires you to confirm your password:" : "Această acțiune necesită confirmarea parolei tale:", - "Wrong password. Reset it?" : "Parolă greșită. O resetezi?", - "Use the following link to reset your password: {link}" : "Folosește următorul link pentru a reseta parola: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Salutare,

te anunțăm pe această cale că %s a partajat %s cu tine.
Accesează!

", - "This Nextcloud instance is currently in single user mode." : "Această instanță de Nextcloud funcționează momentan în modul single user.", - "This means only administrators can use the instance." : "Asta înseamnă că doar administratorii pot folosi instanța.", - "You are accessing the server from an untrusted domain." : "Accesezi serverul dintr-un domeniu care nu a fost configurat ca fiind de încredere.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Te rugăm să contactezi administratorul. Dacă ești administratorul acestei instanțe, configurează setarea ”trusted_domains” în config/config.php. Un exemplu de configurare se găsește în config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "În funcție de configurare, ca și administrator poți utiliza butonul de mai jos pentru a acorda încredere acestui domeniu.", - "Please use the command line updater because you have a big instance." : "Folosește actualizarea din linia de comandă deoarece ai o instanță mare.", - "For help, see the documentation." : "Pentru ajutor, verifică documentația.", - "There was an error loading your contacts" : "A apărut o eroare la încărcarea contactelor ", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "OPcache pentru PHP nu este configurat corespunzător. Pentru o performanță mai bună recomandăm folosirea următoarelor setări în php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funcția PHP \"set_time_limit\" nu este disponibilă. Aceasta ar putea determina oprirea scripturilor în timpul rulării, blocarea instalării. Recomandăm insistent activarea acestei funcții.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Directorul de date și fișierele tale sunt probabil accesibile de pe Internet. Fișierul .htaccess nu funcționează. Îți recomandăm cu tărie să configurezi serverul web astfel încât directorul de date să nu mai fie accesibil, sau să muți folderul în afara rădăcinii serverului web.", - "You are about to grant \"%s\" access to your %s account." : "Ești pe cale sa permiți \"%s\" accesul la %s contul tău." + "Thank you for your patience." : "Îți mulțumim pentru răbdare." },"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" } \ No newline at end of file diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 5b53cef8b7000..5da8e5103c54e 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -315,71 +315,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Этот сервер %s находится в режиме технического обслуживания, которое может занять некоторое время.", "This page will refresh itself when the %s instance is available again." : "Эта страница обновится автоматически когда сервер %s снова станет доступен.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", - "Thank you for your patience." : "Спасибо за терпение.", - "%s (3rdparty)" : "%s (стороннее)", - "Problem loading page, reloading in 5 seconds" : "Возникла проблема при загрузке страницы, повторная попытка через 5 секунд", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваши файлы зашифрованы. Если вы не включили ключ восстановления, то ваши данные будут недоступны после сброса пароля.
Если вы не уверены что делать дальше - обратитесь к вашему администратору.
Вы действительно хотите продолжить?", - "Ok" : "Ок", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш веб-сервер ещё не настроен должным образом для синхронизации файлов — интерфейс WebDAV, кажется, испорчен.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Ваш веб-сервер настроен не корректно для разрешения «{url}». Дополнительная информация может быть найдена в нашей документации.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Этот сервер не имеет подключения к Интернету: множество конечных устройств не могут быть доступны. Это означает, что некоторые из функций, таких как подключение внешнего хранилища, уведомления об обновлениях или установка сторонних приложений не будут работать. Удалённый доступ к файлам и отправка уведомлений по электронной почте также могут не работать. Рекомендуется разрешить данному серверу доступ в Интернет, если хотите, чтобы все функции работали.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Не настроена система кеширования. Для увеличения производительности сервера, по возможности, настройте memcache. Более подробная информация в нашей документации.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP не имеет доступа на чтение к /dev/urandom, что крайне нежелательно по соображениям безопасности. Дополнительную информацию можно найти в нашей документации .", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Вы используете PHP {version}. Рекомендуется обновить версию PHP, чтобы воспользоваться улучшениями производительности и безопасности, внедрёнными PHP Group как только новая версия будет доступна в Вашем дистрибутиве. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Заголовки обратного прокси настроены неправильно, либо вы пытаетесь получить доступ к NextCloud через доверенный прокси. Если NextCloud открыт не через доверенный прокси, это проблема безопасности, которая может позволить атакующему подделать IP-адрес, который видит NextCloud. Для получения дополнительной информации смотрите нашу документацию.", - "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 memcached wiki about both modules." : "Memcached настроен на распределенный кеш, но установлен неподдерживаемый модуль PHP «memcache». \\OC\\Memcache\\Memcached поддерживает только модуль «memcached», но не «memcache». Дополнительная информации на wiki странице memcached об обоих модулях.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о том, как устранить данную проблему доступна в нашей документации. (Список проблемных файлов… / Сканировать ещё раз…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Мы настоятельно рекомендуем Вам настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб сервера.", - "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 at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Заголовок HTTP «Strict-Transport-Security» должен быть настроен как минимум на «{seconds}» секунд. Для улучшения безопасности рекомендуется включить HSTS согласно нашим подсказкам по безопасности.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Вы зашли на этот сайт через HTTP. Мы настоятельно рекомендуем настроить ваш сервер на использование HTTPS согласно нашим подсказкам по безопасности.", - "Shared with {recipients}" : "Вы поделились с {recipients}", - "Error while unsharing" : "При закрытии доступа произошла ошибка", - "can reshare" : "можно делиться", - "can edit" : "можно редактировать", - "can create" : "можно создавать", - "can change" : "можно изменять", - "can delete" : "можно удалять", - "access control" : "контроль доступа", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Поделиться с людьми на других серверах используя Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Поделиться с пользователями или по почте...", - "Share with users or remote users..." : "Общий доступ с пользователями или удаленными пользователями", - "Share with users, remote users or by mail..." : "Поделиться с пользователями, удаленными пользователями или по почте...", - "Share with users or groups..." : "Общий доступ с пользователями или группами", - "Share with users, groups or by mail..." : "Поделиться с пользователями, группами или по почте...", - "Share with users, groups or remote users..." : "Поделиться с пользователями, группами или удаленными пользователями...", - "Share with users, groups, remote users or by mail..." : "Поделиться с пользователями, группами, удалёнными пользователями или по почте...", - "Share with users..." : "Поделиться с пользователями...", - "The object type is not specified." : "Тип объекта не указан", - "Enter new" : "Ввести новое", - "Add" : "Добавить", - "Edit tags" : "Изменить метки", - "Error loading dialog template: {error}" : "Ошибка загрузки шаблона диалога: {error}", - "No tags selected for deletion." : "Не выбраны метки для удаления.", - "The update was successful. Redirecting you to Nextcloud now." : "Обновление прошло успешно. Перенаправляем вас на Nextcloud прямо сейчас.", - "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!" : "Всего наилучшего!", - "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." : "Пожалуйста, свяжитесь с администратором сервера если эта ошибка будет повторяться. Прикрепите указанную ниже информацию к своему сообщению.", - "For information how to properly configure your server, please see the documentation." : "Информацию о правильной настройке сервера можно найти в документации.", - "Log out" : "Выйти", - "This action requires you to confirm your password:" : "Это действие требует подтверждения вашего пароля:", - "Wrong password. Reset it?" : "Неправильный пароль. Сбросить его?", - "Use the following link to reset your password: {link}" : "Используйте следующую ссылку чтобы сбросить пароль: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Здравствуйте!

%s поделился с вами %s.
Перейдите по ссылке, чтобы посмотреть

", - "This Nextcloud instance is currently in single user mode." : "Сервер Nextcloud в настоящее время работает в однопользовательском режиме.", - "This means only administrators can use the instance." : "Это значит, что только администраторы могут использовать сервер.", - "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Пожалуйста, обратитесь к администратору. Если вы являетесь администратором этого сервера, настройте параметры \"trusted_domains\" в файле config/config.php. Пример настройки можно найти в config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимости от конфигурации, как администратор вы можете также внести домен в доверенные с помощью кнопки, расположенной ниже.", - "Please use the command line updater because you have a big instance." : "Используйте для обновления инструмент для командной строки, т.к. это развёртывание сервера Nextcloud является достаточно крупным.", - "For help, see the documentation." : "Для помощи, ознакомьтесь с документацией.", - "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется использовать следующие настройки в php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы, это может привести к повреждению установки. Настойчиво рекомендуется включить эту функция. ", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб-сервера.Save", - "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить пользователю %s доступ к вашему аккаунту %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддерживает библиотеку freetype, что приводит к неверному отображению изображений профиля и интерфейса настроек." + "Thank you for your patience." : "Спасибо за терпение." }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/core/l10n/ru.json b/core/l10n/ru.json index 67c1d008a93fa..9fb9c4643b34d 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -313,71 +313,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Этот сервер %s находится в режиме технического обслуживания, которое может занять некоторое время.", "This page will refresh itself when the %s instance is available again." : "Эта страница обновится автоматически когда сервер %s снова станет доступен.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", - "Thank you for your patience." : "Спасибо за терпение.", - "%s (3rdparty)" : "%s (стороннее)", - "Problem loading page, reloading in 5 seconds" : "Возникла проблема при загрузке страницы, повторная попытка через 5 секунд", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Ваши файлы зашифрованы. Если вы не включили ключ восстановления, то ваши данные будут недоступны после сброса пароля.
Если вы не уверены что делать дальше - обратитесь к вашему администратору.
Вы действительно хотите продолжить?", - "Ok" : "Ок", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш веб-сервер ещё не настроен должным образом для синхронизации файлов — интерфейс WebDAV, кажется, испорчен.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Ваш веб-сервер настроен не корректно для разрешения «{url}». Дополнительная информация может быть найдена в нашей документации.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Этот сервер не имеет подключения к Интернету: множество конечных устройств не могут быть доступны. Это означает, что некоторые из функций, таких как подключение внешнего хранилища, уведомления об обновлениях или установка сторонних приложений не будут работать. Удалённый доступ к файлам и отправка уведомлений по электронной почте также могут не работать. Рекомендуется разрешить данному серверу доступ в Интернет, если хотите, чтобы все функции работали.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Не настроена система кеширования. Для увеличения производительности сервера, по возможности, настройте memcache. Более подробная информация в нашей документации.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP не имеет доступа на чтение к /dev/urandom, что крайне нежелательно по соображениям безопасности. Дополнительную информацию можно найти в нашей документации .", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Вы используете PHP {version}. Рекомендуется обновить версию PHP, чтобы воспользоваться улучшениями производительности и безопасности, внедрёнными PHP Group как только новая версия будет доступна в Вашем дистрибутиве. ", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Заголовки обратного прокси настроены неправильно, либо вы пытаетесь получить доступ к NextCloud через доверенный прокси. Если NextCloud открыт не через доверенный прокси, это проблема безопасности, которая может позволить атакующему подделать IP-адрес, который видит NextCloud. Для получения дополнительной информации смотрите нашу документацию.", - "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 memcached wiki about both modules." : "Memcached настроен на распределенный кеш, но установлен неподдерживаемый модуль PHP «memcache». \\OC\\Memcache\\Memcached поддерживает только модуль «memcached», но не «memcache». Дополнительная информации на wiki странице memcached об обоих модулях.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о том, как устранить данную проблему доступна в нашей документации. (Список проблемных файлов… / Сканировать ещё раз…)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Мы настоятельно рекомендуем Вам настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб сервера.", - "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 at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Заголовок HTTP «Strict-Transport-Security» должен быть настроен как минимум на «{seconds}» секунд. Для улучшения безопасности рекомендуется включить HSTS согласно нашим подсказкам по безопасности.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Вы зашли на этот сайт через HTTP. Мы настоятельно рекомендуем настроить ваш сервер на использование HTTPS согласно нашим подсказкам по безопасности.", - "Shared with {recipients}" : "Вы поделились с {recipients}", - "Error while unsharing" : "При закрытии доступа произошла ошибка", - "can reshare" : "можно делиться", - "can edit" : "можно редактировать", - "can create" : "можно создавать", - "can change" : "можно изменять", - "can delete" : "можно удалять", - "access control" : "контроль доступа", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Поделиться с людьми на других серверах используя Federated Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Поделиться с пользователями или по почте...", - "Share with users or remote users..." : "Общий доступ с пользователями или удаленными пользователями", - "Share with users, remote users or by mail..." : "Поделиться с пользователями, удаленными пользователями или по почте...", - "Share with users or groups..." : "Общий доступ с пользователями или группами", - "Share with users, groups or by mail..." : "Поделиться с пользователями, группами или по почте...", - "Share with users, groups or remote users..." : "Поделиться с пользователями, группами или удаленными пользователями...", - "Share with users, groups, remote users or by mail..." : "Поделиться с пользователями, группами, удалёнными пользователями или по почте...", - "Share with users..." : "Поделиться с пользователями...", - "The object type is not specified." : "Тип объекта не указан", - "Enter new" : "Ввести новое", - "Add" : "Добавить", - "Edit tags" : "Изменить метки", - "Error loading dialog template: {error}" : "Ошибка загрузки шаблона диалога: {error}", - "No tags selected for deletion." : "Не выбраны метки для удаления.", - "The update was successful. Redirecting you to Nextcloud now." : "Обновление прошло успешно. Перенаправляем вас на Nextcloud прямо сейчас.", - "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!" : "Всего наилучшего!", - "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." : "Пожалуйста, свяжитесь с администратором сервера если эта ошибка будет повторяться. Прикрепите указанную ниже информацию к своему сообщению.", - "For information how to properly configure your server, please see the documentation." : "Информацию о правильной настройке сервера можно найти в документации.", - "Log out" : "Выйти", - "This action requires you to confirm your password:" : "Это действие требует подтверждения вашего пароля:", - "Wrong password. Reset it?" : "Неправильный пароль. Сбросить его?", - "Use the following link to reset your password: {link}" : "Используйте следующую ссылку чтобы сбросить пароль: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Здравствуйте!

%s поделился с вами %s.
Перейдите по ссылке, чтобы посмотреть

", - "This Nextcloud instance is currently in single user mode." : "Сервер Nextcloud в настоящее время работает в однопользовательском режиме.", - "This means only administrators can use the instance." : "Это значит, что только администраторы могут использовать сервер.", - "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Пожалуйста, обратитесь к администратору. Если вы являетесь администратором этого сервера, настройте параметры \"trusted_domains\" в файле config/config.php. Пример настройки можно найти в config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимости от конфигурации, как администратор вы можете также внести домен в доверенные с помощью кнопки, расположенной ниже.", - "Please use the command line updater because you have a big instance." : "Используйте для обновления инструмент для командной строки, т.к. это развёртывание сервера Nextcloud является достаточно крупным.", - "For help, see the documentation." : "Для помощи, ознакомьтесь с документацией.", - "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется использовать следующие настройки в php.ini:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы, это может привести к повреждению установки. Настойчиво рекомендуется включить эту функция. ", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш каталог данных и ваши файлы возможно доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб сервер таким образом, чтобы каталог данных не был больше доступен или переместить каталог данных за пределы корня веб-сервера.Save", - "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить пользователю %s доступ к вашему аккаунту %s.", - "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP не поддерживает библиотеку freetype, что приводит к неверному отображению изображений профиля и интерфейса настроек." + "Thank you for your patience." : "Спасибо за терпение." },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/core/l10n/sk.js b/core/l10n/sk.js index a013283e2aed4..e5e5cdc9c39cd 100644 --- a/core/l10n/sk.js +++ b/core/l10n/sk.js @@ -295,70 +295,6 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Táto %s inštancia je v súčasnej dobe v režime údržby. Počkajte prosím.", "This page will refresh itself when the %s instance is available again." : "Táto stránka sa obnoví sama hneď ako bude %s inštancia znovu dostupná.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správcu systému, ak sa táto správa objavuje opakovane alebo neočakávane.", - "Thank you for your patience." : "Ďakujeme za Vašu trpezlivosť.", - "%s (3rdparty)" : "%s (od tretej strany)", - "Problem loading page, reloading in 5 seconds" : "Nastal problém pri načítaní stránky, pokus sa zopakuje o 5 sekúnd", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Súbory sú zašifrované. Ak ste nepovolili kľúč pre obnovenie, neexistuje žiadny spôsob, ako obnoviť vaše dáta po obnovení vášho hesla.
Ak si nie ste istí čo urobiť, prosím skôr než budete pokračovať, obráťte sa na administrátora.
Naozaj chcete pokračovať?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Váš webový server nie je zatiaľ správne nastavený, aby umožnil synchronizáciu súborov, pretože rozhranie WebDAV sa zdá byť nefunkčné.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Nemáte nakonfigurovaný web server, aby správe rozpoznával \"{url}\". Viac informácií nájdete v našej dokumentácii.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Server nemá funkčné pripojenie k internetu. Niektoré moduly ako napr. externé úložisko, oznámenie o dostupných aktualizáciách alebo inštalácia aplikácií tretích strán nebudú fungovať. Vzdialený prístup k súborom a odosielanie oznamovacích emailov tiež nemusí fungovať. Ak chcete využívať všetky funkcie, odporúčame povoliť tomuto serveru pripojenie k internetu.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nie je nakonfigurované žiadna memory cache. Ak je dostupná aplikácia memchache, jej správnou konfiguráciou zvýšite výkon. Viac informácií nájdete v našej dokumentácii.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "dev/urandom nie je prístupný na čítanie procesom PHP, čo z bezpečnostných dôvodov nie je vôbec odporúčané. Viac informácií nájdete v našej dokumentácii.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Aktuálne používate PHP {version}. Dôrazne odporúčame prechod na vyššiu verziu ihneď, ako to vaša distribúcia dovolí, aby ste využili všetky výkonnostné a bezpečnostné možnosti novej verzie PHP od PHP Group.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurácia hlavičiek reverse proxy nie je správna alebo pristupujete k NextCloud z dôveryhodného proxy servera. Ak k NextCloud nepristupujete z dôveryhodného proxy servera, vzniká bezpečnostné riziko - IP adresa potenciálneho útočníka, ktorú vidí NextCloud, môže byť falošná. Viac informácií nájdete v našej dokumentácii.", - "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 memcached wiki about both modules." : "Memcached je nakonfigurovaný ako distribuovaná vyrovnávacia pamäť, ale v PHP je nainštalovaný nesprávny modul - \"memcache\". \\OC\\Memcache\\Memcached podporuje len modul \"memcached\", \"memcache\" nie je podporovaný. Viac informácií nájdete na memcached wiki stránke o oboch moduloch.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Niektoré zo súborov neprešli kontrolou integrity. Viac informácii, aku napraviť túto situáciu, nájdete v našej dokumentácii. (Zobraziť zoznam podozrivých súborov / a href=\"{rescanEndpoint}\"Verifikovať znovu...)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Dôrazne odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný alebo presunúť priečinok s dátami mimo priestoru, ktorý webový server sprístupňuje.", - "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." : "Hlavička HTTP \"{header}\" nie je nakonfigurovaná tak, aby sa rovnala \"{expected}\". Toto je potenciálne riziko pre bezpečnosť alebo ochranu osobných údajov a preto odporúčame toto nastavenie upraviť.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Hlavička HTTP \"Strict-Transport-Security\" nie je nakonfigurovaná aspoň na \"{seconds}\" sekúnd. Pre zvýšenie bezpečnosti odporúčame povoliť HSTS tak, ako je to popísané v našich bezpečnostných tipoch.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Prístup na túto stránku sa uskutočňuje prostredníctvom protokolu HTTP. Dôrazne odporúčame, aby ste namiesto toho nakonfigurovali server tak, aby vyžadoval použitie HTTPS, ako je to popísané v našich bezpečnostných tipoch.", - "Shared with {recipients}" : "Sprístupnené {recipients}", - "Error while unsharing" : "Chyba počas odobratia sprístupnenia", - "can reshare" : "Môže opätovne zdieľať", - "can edit" : "môže upraviť", - "can create" : "môže vytvoriť", - "can change" : "môže zmeniť", - "can delete" : "môže odstrániť", - "access control" : "prístupové práva", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Sprístupniť ľuďom na iných serveroch pomocou Federatívneho Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Zdieľať s používateľmi alebo prostredníctvom pošty...", - "Share with users or remote users..." : "Sprístupniť používateľom alebo vzdialeným používateľom...", - "Share with users, remote users or by mail..." : "Zdieľať spoužívateľmi, vzdialenými používateľmi alebo prostredníctvom pošty...", - "Share with users or groups..." : "Sprístupniť používateľom alebo skupinám", - "Share with users, groups or by mail..." : "Zdieľať s používateľmi, skupinami alebo prostredníctvom pošty..", - "Share with users, groups or remote users..." : "Sprístupniť používateľom, skupinám alebo vzdialeným používateľom...", - "Share with users, groups, remote users or by mail..." : "Zdieľať s používateľmi, skupinami, vzdialenými používateľmi alebo prostredníctvom pošty..", - "Share with users..." : "Sprístupniť používateľom...", - "The object type is not specified." : "Nešpecifikovaný typ objektu.", - "Enter new" : "Zadať nový", - "Add" : "Pridať", - "Edit tags" : "Upraviť štítky", - "Error loading dialog template: {error}" : "Chyba pri načítaní šablóny dialógu: {error}", - "No tags selected for deletion." : "Nie sú vybraté štítky na zmazanie.", - "The update was successful. Redirecting you to Nextcloud now." : "Aktualizácia bola úspešná. Presmerovávam na Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Dobrý deň,\n\npoužívateľ %s Vám sprístupnil položku s názvom %s.\nPre zobrazenie kliknite na odkaz: %s\n", - "The share will expire on %s." : "Sprístupnenie vyprší %s.", - "Cheers!" : "Pekný deň!", - "The server encountered an internal error and was unable to complete your request." : "Na serveri došlo k vnútornej chybe a nebol schopný dokončiť vašu požiadavku.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Obráťte sa na správcu servera, ak sa táto chyba objaví znovu viackrát, uveďte nižšie zobrazené technické údaje vo svojej správe.", - "For information how to properly configure your server, please see the documentation." : "Informácie o tom, ako správne nakonfigurovať server, nájdete v dokumentácii.", - "Log out" : "Odhlásiť", - "This action requires you to confirm your password:" : "Táto akcia vyžaduje potvrdenie vášho hesla:", - "Wrong password. Reset it?" : "Chybné heslo. Chcete ho obnoviť?", - "Use the following link to reset your password: {link}" : "Použite nasledujúci odkaz pre obnovenie vášho hesla: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Dobrý deň,

používateľ %s Vám sprístupnil položku s názvom »%s«.
Zobraziť!

", - "This Nextcloud instance is currently in single user mode." : "Táto inštancia Nextcloudu je teraz v jednopoužívateľskom móde.", - "This means only administrators can use the instance." : "Len správca systému môže používať túto inštanciu.", - "You are accessing the server from an untrusted domain." : "Pristupujete na server v nedôveryhodnej doméne.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontaktujte svojho správcu. Ak ste správcom tejto inštancie vy, nakonfigurujte nastavenie \"trusted_domains\" v config/config.php. Príklad konfigurácie je uvedený v config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na konfigurácii, vám môže byť ako správcovi umožnené použitie tlačidla nižšie pre označenie tejto domény ako dôveryhodnej.", - "Please use the command line updater because you have a big instance." : "Vaša inštancia je veľká, použite prosím aktualizáciu cez príkazový riadok.", - "For help, see the documentation." : "Pomoc nájdete v dokumentácii.", - "There was an error loading your contacts" : "Pri otváraní kontaktov došlo k chybe", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie je nakonfigurovaná správne. Pre zvýšenie výkonu použite v php.ini nasledovné odporúčané nastavenia:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcia PHP \"set_time_limit\" nie je k dispozícii. To by mohlo viesť k zastaveniu skriptov v polovici vykonávania, čím by došlo k prerušeniu inštalácie. Dôrazne odporúčame povoliť túto funkciu.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Dôrazne odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný alebo presunúť priečinok s dátami mimo priestoru, ktorý webový server sprístupňuje.", - "You are about to grant \"%s\" access to your %s account." : "Chystáte sa povoliť prístup \"%s\" k vášmu účtu %s." + "Thank you for your patience." : "Ďakujeme za Vašu trpezlivosť." }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/core/l10n/sk.json b/core/l10n/sk.json index bbb4ae284838f..ff8c2d16056d4 100644 --- a/core/l10n/sk.json +++ b/core/l10n/sk.json @@ -293,70 +293,6 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Táto %s inštancia je v súčasnej dobe v režime údržby. Počkajte prosím.", "This page will refresh itself when the %s instance is available again." : "Táto stránka sa obnoví sama hneď ako bude %s inštancia znovu dostupná.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontaktujte prosím správcu systému, ak sa táto správa objavuje opakovane alebo neočakávane.", - "Thank you for your patience." : "Ďakujeme za Vašu trpezlivosť.", - "%s (3rdparty)" : "%s (od tretej strany)", - "Problem loading page, reloading in 5 seconds" : "Nastal problém pri načítaní stránky, pokus sa zopakuje o 5 sekúnd", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Súbory sú zašifrované. Ak ste nepovolili kľúč pre obnovenie, neexistuje žiadny spôsob, ako obnoviť vaše dáta po obnovení vášho hesla.
Ak si nie ste istí čo urobiť, prosím skôr než budete pokračovať, obráťte sa na administrátora.
Naozaj chcete pokračovať?", - "Ok" : "Ok", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Váš webový server nie je zatiaľ správne nastavený, aby umožnil synchronizáciu súborov, pretože rozhranie WebDAV sa zdá byť nefunkčné.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Nemáte nakonfigurovaný web server, aby správe rozpoznával \"{url}\". Viac informácií nájdete v našej dokumentácii.", - "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Server nemá funkčné pripojenie k internetu. Niektoré moduly ako napr. externé úložisko, oznámenie o dostupných aktualizáciách alebo inštalácia aplikácií tretích strán nebudú fungovať. Vzdialený prístup k súborom a odosielanie oznamovacích emailov tiež nemusí fungovať. Ak chcete využívať všetky funkcie, odporúčame povoliť tomuto serveru pripojenie k internetu.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Nie je nakonfigurované žiadna memory cache. Ak je dostupná aplikácia memchache, jej správnou konfiguráciou zvýšite výkon. Viac informácií nájdete v našej dokumentácii.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "dev/urandom nie je prístupný na čítanie procesom PHP, čo z bezpečnostných dôvodov nie je vôbec odporúčané. Viac informácií nájdete v našej dokumentácii.", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Aktuálne používate PHP {version}. Dôrazne odporúčame prechod na vyššiu verziu ihneď, ako to vaša distribúcia dovolí, aby ste využili všetky výkonnostné a bezpečnostné možnosti novej verzie PHP od PHP Group.", - "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Konfigurácia hlavičiek reverse proxy nie je správna alebo pristupujete k NextCloud z dôveryhodného proxy servera. Ak k NextCloud nepristupujete z dôveryhodného proxy servera, vzniká bezpečnostné riziko - IP adresa potenciálneho útočníka, ktorú vidí NextCloud, môže byť falošná. Viac informácií nájdete v našej dokumentácii.", - "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 memcached wiki about both modules." : "Memcached je nakonfigurovaný ako distribuovaná vyrovnávacia pamäť, ale v PHP je nainštalovaný nesprávny modul - \"memcache\". \\OC\\Memcache\\Memcached podporuje len modul \"memcached\", \"memcache\" nie je podporovaný. Viac informácií nájdete na memcached wiki stránke o oboch moduloch.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Niektoré zo súborov neprešli kontrolou integrity. Viac informácii, aku napraviť túto situáciu, nájdete v našej dokumentácii. (Zobraziť zoznam podozrivých súborov / a href=\"{rescanEndpoint}\"Verifikovať znovu...)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Dôrazne odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný alebo presunúť priečinok s dátami mimo priestoru, ktorý webový server sprístupňuje.", - "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." : "Hlavička HTTP \"{header}\" nie je nakonfigurovaná tak, aby sa rovnala \"{expected}\". Toto je potenciálne riziko pre bezpečnosť alebo ochranu osobných údajov a preto odporúčame toto nastavenie upraviť.", - "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Hlavička HTTP \"Strict-Transport-Security\" nie je nakonfigurovaná aspoň na \"{seconds}\" sekúnd. Pre zvýšenie bezpečnosti odporúčame povoliť HSTS tak, ako je to popísané v našich bezpečnostných tipoch.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Prístup na túto stránku sa uskutočňuje prostredníctvom protokolu HTTP. Dôrazne odporúčame, aby ste namiesto toho nakonfigurovali server tak, aby vyžadoval použitie HTTPS, ako je to popísané v našich bezpečnostných tipoch.", - "Shared with {recipients}" : "Sprístupnené {recipients}", - "Error while unsharing" : "Chyba počas odobratia sprístupnenia", - "can reshare" : "Môže opätovne zdieľať", - "can edit" : "môže upraviť", - "can create" : "môže vytvoriť", - "can change" : "môže zmeniť", - "can delete" : "môže odstrániť", - "access control" : "prístupové práva", - "Share with people on other servers using their Federated Cloud ID username@example.com/nextcloud" : "Sprístupniť ľuďom na iných serveroch pomocou Federatívneho Cloud ID username@example.com/nextcloud", - "Share with users or by mail..." : "Zdieľať s používateľmi alebo prostredníctvom pošty...", - "Share with users or remote users..." : "Sprístupniť používateľom alebo vzdialeným používateľom...", - "Share with users, remote users or by mail..." : "Zdieľať spoužívateľmi, vzdialenými používateľmi alebo prostredníctvom pošty...", - "Share with users or groups..." : "Sprístupniť používateľom alebo skupinám", - "Share with users, groups or by mail..." : "Zdieľať s používateľmi, skupinami alebo prostredníctvom pošty..", - "Share with users, groups or remote users..." : "Sprístupniť používateľom, skupinám alebo vzdialeným používateľom...", - "Share with users, groups, remote users or by mail..." : "Zdieľať s používateľmi, skupinami, vzdialenými používateľmi alebo prostredníctvom pošty..", - "Share with users..." : "Sprístupniť používateľom...", - "The object type is not specified." : "Nešpecifikovaný typ objektu.", - "Enter new" : "Zadať nový", - "Add" : "Pridať", - "Edit tags" : "Upraviť štítky", - "Error loading dialog template: {error}" : "Chyba pri načítaní šablóny dialógu: {error}", - "No tags selected for deletion." : "Nie sú vybraté štítky na zmazanie.", - "The update was successful. Redirecting you to Nextcloud now." : "Aktualizácia bola úspešná. Presmerovávam na Nextcloud.", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Dobrý deň,\n\npoužívateľ %s Vám sprístupnil položku s názvom %s.\nPre zobrazenie kliknite na odkaz: %s\n", - "The share will expire on %s." : "Sprístupnenie vyprší %s.", - "Cheers!" : "Pekný deň!", - "The server encountered an internal error and was unable to complete your request." : "Na serveri došlo k vnútornej chybe a nebol schopný dokončiť vašu požiadavku.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Obráťte sa na správcu servera, ak sa táto chyba objaví znovu viackrát, uveďte nižšie zobrazené technické údaje vo svojej správe.", - "For information how to properly configure your server, please see the documentation." : "Informácie o tom, ako správne nakonfigurovať server, nájdete v dokumentácii.", - "Log out" : "Odhlásiť", - "This action requires you to confirm your password:" : "Táto akcia vyžaduje potvrdenie vášho hesla:", - "Wrong password. Reset it?" : "Chybné heslo. Chcete ho obnoviť?", - "Use the following link to reset your password: {link}" : "Použite nasledujúci odkaz pre obnovenie vášho hesla: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Dobrý deň,

používateľ %s Vám sprístupnil položku s názvom »%s«.
Zobraziť!

", - "This Nextcloud instance is currently in single user mode." : "Táto inštancia Nextcloudu je teraz v jednopoužívateľskom móde.", - "This means only administrators can use the instance." : "Len správca systému môže používať túto inštanciu.", - "You are accessing the server from an untrusted domain." : "Pristupujete na server v nedôveryhodnej doméne.", - "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontaktujte svojho správcu. Ak ste správcom tejto inštancie vy, nakonfigurujte nastavenie \"trusted_domains\" v config/config.php. Príklad konfigurácie je uvedený v config/config.sample.php.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "V závislosti na konfigurácii, vám môže byť ako správcovi umožnené použitie tlačidla nižšie pre označenie tejto domény ako dôveryhodnej.", - "Please use the command line updater because you have a big instance." : "Vaša inštancia je veľká, použite prosím aktualizáciu cez príkazový riadok.", - "For help, see the documentation." : "Pomoc nájdete v dokumentácii.", - "There was an error loading your contacts" : "Pri otváraní kontaktov došlo k chybe", - "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache nie je nakonfigurovaná správne. Pre zvýšenie výkonu použite v php.ini nasledovné odporúčané nastavenia:", - "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Funkcia PHP \"set_time_limit\" nie je k dispozícii. To by mohlo viesť k zastaveniu skriptov v polovici vykonávania, čím by došlo k prerušeniu inštalácie. Dôrazne odporúčame povoliť túto funkciu.", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Váš priečinok s dátami aj vaše súbory sú pravdepodobne prístupné z internetu. Súbor .htaccess nefunguje. Dôrazne odporúčame nakonfigurovať webový server tak, aby priečinok s dátami nebol naďalej prístupný alebo presunúť priečinok s dátami mimo priestoru, ktorý webový server sprístupňuje.", - "You are about to grant \"%s\" access to your %s account." : "Chystáte sa povoliť prístup \"%s\" k vášmu účtu %s." + "Thank you for your patience." : "Ďakujeme za Vašu trpezlivosť." },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/core/l10n/sl.js b/core/l10n/sl.js deleted file mode 100644 index 812d861c020b4..0000000000000 --- a/core/l10n/sl.js +++ /dev/null @@ -1,321 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Izberite datoteko", - "File is too big" : "Datoteka je prevelika", - "The selected file is not an image." : "Izbrana datoteka ni slika.", - "The selected file cannot be read." : "Izbrane datoteke ni mogoče prebrati.", - "Invalid file provided" : "Predložena je neveljavna datoteka", - "No image or file provided" : "Ni podane datoteke ali slike", - "Unknown filetype" : "Neznana vrsta datoteke", - "Invalid image" : "Neveljavna slika", - "An error occurred. Please contact your admin." : "Prišlo je do napake. Stopite v stik s skrbnikom sistema.", - "No temporary profile picture available, try again" : "Na voljo ni nobene začasne slike za profil. Poskusite znova.", - "No crop data provided" : "Ni podanih podatkov obreza", - "No valid crop data provided" : "Navedeni so neveljavni podatki obrez slike", - "Crop is not square" : "Obrez ni pravokoten", - "Password reset is disabled" : "Ponastavitev gesla je izključena", - "Couldn't reset password because the token is invalid" : "Ni mogoče ponastaviti gesla zaradi neustreznega žetona.", - "Couldn't reset password because the token is expired" : "Ni mogoče ponastaviti gesla, ker je žeton potekel.", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Ni mogoče poslati elektronskega sporočila za ponastavitev gesla, ker ni navedenega elektronskega naslova. Stopite v stik s skrbnikom sistema.", - "%s password reset" : "Ponastavitev gesla %s", - "Password reset" : "Ponastavitev gesla", - "Reset your password" : "Ponastavi svoje geslo", - "Couldn't send reset email. Please contact your administrator." : "Ni mogoče nastaviti elektronskega naslova za ponastavitev. Stopite v stik s skrbnikom sistema.", - "Couldn't send reset email. Please make sure your username is correct." : "Ni mogoče poslati elektronskega sporočila. Prepričajte se, da je uporabniško ime pravilno.", - "Preparing update" : "Pripravljanje posodobitve", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Opozorilo popravila:", - "Repair error: " : "Napaka popravila:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Posodobitev sistema je treba izvesti prek ukazne vrstice, ker je nastavitev samodejne posodobitve v config.php onemogočena.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Poteka preverjanje razpredelnice %s", - "Turned on maintenance mode" : "Vzdrževalni način je omogočen", - "Turned off maintenance mode" : "Vzdrževalni način je onemogočen", - "Maintenance mode is kept active" : "Vzdrževalni način je še vedno dejaven", - "Updating database schema" : "Poteka posodabljanje sheme podatkovne zbirke", - "Updated database" : "Posodobljena podatkovna zbirka", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke mogoče posodobiti (zaradi velikosti je lahko opravilo dolgotrajno).", - "Checked database schema update" : "Izbrana posodobitev sheme podatkovne zbirke", - "Checking updates of apps" : "Poteka preverjanje za posodobitve programov", - "Checking for update of app \"%s\" in appstore" : "Preverjam posodobitev za aplikacijo \"%s\" v trgovini", - "Update app \"%s\" from appstore" : "Posodobi aplikacijo \"%s\" iz trgovine", - "Checked for update of app \"%s\" in appstore" : "Preverjena posodobitev za \"%s\" v trgovini", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke za %s mogoče posodobiti (trajanje posodobitve je odvisno od velikosti zbirke).", - "Checked database schema update for apps" : "Izbrana posodobitev sheme podatkovne zbirke za programe", - "Updated \"%s\" to %s" : "Datoteka \"%s\" je posodobljena na %s", - "Set log level to debug" : "Nastavi raven beleženja za razhroščevanje", - "Reset log level" : "Počisti raven beleženja", - "Starting code integrity check" : "Začenjanje preverjanja stanja kode", - "Finished code integrity check" : "Končano preverjanje stanja kode", - "%s (incompatible)" : "%s (neskladno)", - "Following apps have been disabled: %s" : "Navedeni programi so onemogočeni: %s", - "Already up to date" : "Sistem je že posodobljen", - "Search contacts …" : "Iščem stike...", - "No contacts found" : "Ne najdem stikov", - "Show all contacts …" : "Prikaži vse kontakte", - "Loading your contacts …" : "Nalagam tvoje stike...", - "Looking for {term} …" : "Iščem {term} …", - "There were problems with the code integrity check. More information…" : "Med preverjanjem celovitosti kode je prišlo do napak. Več podrobnosti …", - "No action available" : "Ni akcij na voljo", - "Error fetching contact actions" : "Napaka pri branju operacij stikov", - "Settings" : "Nastavitve", - "Connection to server lost" : "Povezava s strežnikom spodletela", - "Saving..." : "Poteka shranjevanje ...", - "Dismiss" : "Opusti", - "This action requires you to confirm your password" : "Ta operacija zahteva potrditev tvojega gesla", - "Authentication required" : "Zahteva za avtentikacijo", - "Password" : "Geslo", - "Cancel" : "Prekliči", - "Confirm" : "Potrdi", - "seconds ago" : "pred nekaj sekundami", - "Logging in …" : "Prijava...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Povezava za ponastavitev gesla je bila poslana na naveden elektronski naslov. V kolikor sporočila ne dobite v kratkem, preverite tudi mapo neželene pošte.
Če sporočila ni niti v tej mapi, stopite v stik s skrbnikom.", - "I know what I'm doing" : "Vem, kaj delam!", - "Password can not be changed. Please contact your administrator." : "Gesla ni mogoče spremeniti. Stopite v stik s skrbnikom.", - "Reset password" : "Ponastavi geslo", - "Sending email …" : "Pošiljanje e-pošte ...", - "No" : "Ne", - "Yes" : "Da", - "No files in here" : "Tukaj ni datotek", - "Choose" : "Izbor", - "Copy" : "Kopiraj", - "Move" : "Premakni", - "Error loading file picker template: {error}" : "Napaka nalaganja predloge izbirnika datotek: {error}", - "OK" : "V redu", - "Error loading message template: {error}" : "Napaka nalaganja predloge sporočil: {error}", - "read-only" : "le za branje", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} spor datotek","{count} spora datotek","{count} spori datotek","{count} sporov datotek"], - "One file conflict" : "En spor datotek", - "New Files" : "Nove datoteke", - "Already existing files" : "Obstoječe datoteke", - "Which files do you want to keep?" : "Katare datoteke želite ohraniti?", - "If you select both versions, the copied file will have a number added to its name." : "Če izberete obe različici, bo kopirani datoteki k imenu dodana številka.", - "Continue" : "Nadaljuj", - "(all selected)" : "(vse izbrano)", - "({count} selected)" : "({count} izbranih)", - "Error loading file exists template" : "Napaka nalaganja predloge obstoječih datotek", - "Pending" : "Na čakanju", - "Very weak password" : "Zelo šibko geslo", - "Weak password" : "Šibko geslo", - "So-so password" : "Slabo geslo", - "Good password" : "Dobro geslo", - "Strong password" : "Odlično geslo", - "Error occurred while checking server setup" : "Prišlo je do napake med preverjanjem nastavitev strežnika", - "Shared" : "V souporabi", - "Shared with" : "V skupni rabi z", - "Error setting expiration date" : "Napaka nastavljanja datuma preteka", - "The public link will expire no later than {days} days after it is created" : "Javna povezava bo potekla {days} dni po ustvarjanju.", - "Set expiration date" : "Nastavi datum preteka", - "Expiration" : "Datum preteka", - "Expiration date" : "Datum preteka", - "Choose a password for the public link" : "Izberite geslo za javno povezavo", - "Copied!" : "Skopirano!", - "Not supported!" : "Ni podprto!", - "Press ⌘-C to copy." : "Pritisni ⌘-C za kopiranje.", - "Press Ctrl-C to copy." : "Pritisni Ctrl-C za kopiranje.", - "Resharing is not allowed" : "Nadaljnja souporaba ni dovoljena", - "Share to {name}" : "Deli z {name}", - "Share link" : "Povezava za prejem", - "Link" : "Povezava", - "Password protect" : "Zaščiti z geslom", - "Allow editing" : "Dovoli urejanje", - "Email link to person" : "Posreduj povezavo po elektronski pošti", - "Send" : "Pošlji", - "Allow upload and editing" : "Dovoli nalaganje in urejanje", - "Read only" : "Samo branje", - "File drop (upload only)" : "File drop (samo nalaganje)", - "Shared with you and the group {group} by {owner}" : "V souporabi z vami in skupino {group}. Lastnik je {owner}.", - "Shared with you by {owner}" : "V souporabi z vami. Lastnik je {owner}.", - "group" : "skupina", - "remote" : "oddaljeno", - "email" : "e-pošta", - "shared by {sharer}" : "deli {sharer}", - "Unshare" : "Prekliči souporabo", - "Can reshare" : "Lahko deli naprej", - "Can edit" : "Lahko popravlja", - "Can create" : "Lahko ustvari", - "Can change" : "Lahko spremeni", - "Can delete" : "Lahko pobriše", - "Access control" : "Nadzor dostopa", - "Could not unshare" : "Ni mogoče prekiniti souporabe", - "Error while sharing" : "Napaka med souporabo", - "Share details could not be loaded for this item." : "Podrobnosti souporabe za te predmet ni mogoče naložiti.", - "No users or groups found for {search}" : "Ni najdenih uporabnikov ali skupin za {search}", - "No users found for {search}" : "Ni uporabnikov, skladnih z iskalnim nizom {search}", - "An error occurred. Please try again" : "Prišlo je do napake. Poskusite znova.", - "{sharee} (group)" : "{sharee} (skupina)", - "{sharee} (remote)" : "{sharee} (oddaljeno)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Souporaba", - "Name or email address..." : "Ime ali e-poštni naslov...", - "Name or federated cloud ID..." : "Ime ali ID oblaka...", - "Name, federated cloud ID or email address..." : "Ime, ID oblaka ali e-poštni naslov...", - "Name..." : "Ime...", - "Error" : "Napaka", - "Error removing share" : "Napaka odstranjevanja souporabe", - "Non-existing tag #{tag}" : "Neobstoječa oznaka #{tag}", - "restricted" : "omejeno", - "invisible" : "nevidno", - "({scope})" : "({scope})", - "Delete" : "Izbriši", - "Rename" : "Preimenuj", - "Collaborative tags" : "Oznake sodelovanja", - "No tags found" : "Ne najdem oznak", - "unknown text" : "neznano besedilo", - "Hello world!" : "Pozdravljen svet!", - "sunny" : "sončno", - "Hello {name}, the weather is {weather}" : "Pozdravljeni, {name}, vreme je {weather}", - "Hello {name}" : "Pozdravljeni, {name}", - "new" : "novo", - "_download %n file_::_download %n files_" : ["prejmi %n datoteko","prejmi %n datoteki","prejmi %n datoteke","prejmi %n datotek"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Posodobitev je v teku. Če zapustiš to stran, lahko, v določenih okoljih, prekineš proces", - "Update to {version}" : "Posodobi na {version}", - "An error occurred." : "Prišlo je do napake.", - "Please reload the page." : "Stran je treba ponovno naložiti", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Posodobitev je spodletela. Za več podrobnosti o napaki je objavljenih na forumu.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Posodobitev ni bila uspešna. Prosimo, prijavite to situacijo na Nextcloud skupnost.", - "Continue to Nextcloud" : "Nadaljuj na Nextcloud", - "Searching other places" : "Iskanje drugih mest", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} rezultat v drugih mapah","{count} rezultata v drugih mapah","{count} rezultatov v drugih mapah","{count} rezultatov v drugih mapah"], - "Personal" : "Osebno", - "Users" : "Uporabniki", - "Apps" : "Programi", - "Admin" : "Skrbništvo", - "Help" : "Pomoč", - "Access forbidden" : "Dostop je prepovedan", - "File not found" : "Datoteke ni mogoče najti", - "The specified document has not been found on the server." : "Določenega dokumenta na strežniku ni mogoče najti.", - "You can click here to return to %s." : "S klikom na povezavo boste vrnjeni na %s.", - "Internal Server Error" : "Notranja napaka strežnika", - "More details can be found in the server log." : "Več podrobnosti je zabeleženih v dnevniku strežnika.", - "Technical details" : "Tehnične podrobnosti", - "Remote Address: %s" : "Oddaljen naslov: %s", - "Request ID: %s" : "ID zahteve: %s", - "Type: %s" : "Vrsta: %s", - "Code: %s" : "Koda: %s", - "Message: %s" : "Sporočilo: %s", - "File: %s" : "Datoteka: %s", - "Line: %s" : "Vrstica: %s", - "Trace" : "Sledenje povezav", - "Security warning" : "Varnostno opozorilo", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Podatkovna mapa in datoteke so najverjetneje javno dostopni preko interneta, saj datoteka .htaccess ni ustrezno nastavljena.", - "Create an admin account" : "Ustvari skrbniški račun", - "Username" : "Uporabniško ime", - "Storage & database" : "Shramba in podatkovna zbirka", - "Data folder" : "Podatkovna mapa", - "Configure the database" : "Nastavi podatkovno zbirko", - "Only %s is available." : "Le %s je na voljo.", - "Install and activate additional PHP modules to choose other database types." : "Namestite in omogočite dodatne module PHP za izbor drugih vrst podatkovnih zbirk.", - "For more details check out the documentation." : "Za več podrobnosti preverite dokumentacijo.", - "Database user" : "Uporabnik podatkovne zbirke", - "Database password" : "Geslo podatkovne zbirke", - "Database name" : "Ime podatkovne zbirke", - "Database tablespace" : "Razpredelnica podatkovne zbirke", - "Database host" : "Gostitelj podatkovne zbirke", - "Performance warning" : "Opozorilo učinkovitosti delovanja", - "SQLite will be used as database." : "Kot podatkovna zbirka bo uporabljena zbirka SQLite", - "For larger installations we recommend to choose a different database backend." : "Za večje namestitve je priporočljivo uporabiti drugo ozadnji program zbirke podatkov.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Uporaba SQLite ni priporočljiva iz varnostnih razlogov, še posebej če se sistem krajevno usklajuje z namizjem prek odjemalca.", - "Finish setup" : "Končaj nastavitev", - "Finishing …" : "Poteka zaključevanje opravila ...", - "Need help?" : "Ali potrebujete pomoč?", - "See the documentation" : "Preverite dokumentacijo", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Program zahteva podporo JavaScript za pravilno delovanje. Med nastavitvami omogočite {linkstart}JavaScript{linkend} in osvežite spletno stran.", - "More apps" : "Več aplikacij", - "Search" : "Poišči", - "Confirm your password" : "Potrdi svoje geslo", - "Server side authentication failed!" : "Overitev s strežnika je spodletela!", - "Please contact your administrator." : "Stopite v stik s skrbnikom sistema.", - "An internal error occurred." : "Prišlo je do notranje napake.", - "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", - "Username or email" : "Uporabniško ime ali elektronski naslov", - "Log in" : "Prijava", - "Wrong password." : "Napačno geslo!", - "Stay logged in" : "Ohrani prijavo", - "Forgot password?" : "Pozabili geslo?", - "Back to log in" : "Nazaj na prijavo", - "Alternative Logins" : "Druge prijavne možnosti", - "Grant access" : "Odobri dostop", - "App token" : "Ključ aplikacije", - "Redirecting …" : "Presumerjam...", - "New password" : "Novo geslo", - "New Password" : "Novo geslo", - "Two-factor authentication" : "Dvo-stopenjska prijava", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Na tvojem računu je vključena napredna varnost. Prosim, prijavi se z drugim korakom.", - "Cancel log in" : "Prekini prijavo", - "Use backup code" : "Uporabi rezervno šifro", - "Error while validating your second factor" : "Napaka med preverjanjem drugega koraka", - "Add \"%s\" as trusted domain" : "Dodaj \"%s\" kot varno domeno", - "App update required" : "Zahtevana je posodobitev programa", - "%s will be updated to version %s" : "%s bo posodobljen na različico %s.", - "These apps will be updated:" : "Posodobljeni bodo naslednji vstavki:", - "These incompatible apps will be disabled:" : "Ti neskladni vstavki bodo onemogočeni:", - "The theme %s has been disabled." : "Tema %s je onemogočena za uporabo.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pred nadaljevanjem se prepričajte se, da je ustvarjena varnostna kopija podatkovne zbirke, nastavitvenih datotek in podatkovne mape.", - "Start update" : "Začni posodobitev", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Za razreševanje časovnih zahtev večjih namestitev lahko uporabite ukaz iz namestitvene mape:", - "Detailed logs" : "Podrobni dnevniški zapisi", - "Update needed" : "Zahtevana je posodobitev", - "Upgrade via web on my own risk" : "Posodobi preko spleta na moje tveganje", - "This %s instance is currently in maintenance mode, which may take a while." : "Strežnik %s je trenutno v načinu vzdrževanja, kar lahko traja.", - "This page will refresh itself when the %s instance is available again." : "Stran bo osvežena ko bo %s spet na voljo.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", - "Thank you for your patience." : "Hvala za potrpežljivost!", - "%s (3rdparty)" : "%s (zunanje)", - "Problem loading page, reloading in 5 seconds" : "Napaka nalaganja strani! Poskus ponovnega nalaganja bo izveden čez 5 sekund.", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Datoteke so šifrirane. Če niste omogočili obnovitvenega ključa, po ponastavitvi gesla ne bo mogoč dostop do datotek.
V primeru, da niste prepričani, kaj storiti, stopite v stik s skrbnikom sistema.
Ali ste prepričani, da želite nadaljevati?", - "Ok" : "V redu", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Spletni stražnik še ni ustrezno nastavljen in ne omogoča usklajevanja, saj je vmesnik WebDAV videti okvarjen.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Spletni strežnik ni ustrezno nastavljen za razreševanje \"{url}\". Več pdorobnosti je zapisanih v dokumentaciji.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ni nastavljenega predpomnilnika. Za izboljšanje hitrosti delovanja je treba predpomnilnik memcache, če je na voljo, ustrezno nastaviti. Več podrobnosti je na voljo v dokumentaciji.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "Iz varnostnih razlogov je priporočljivo nastaviti dovoljenja ukaza /dev/urandom za branje prek PHP. Več podrobnosti je zavedenih v dokumentaciji<-a>", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Trenutno je zagnana različica PHP {version}. Priporočljivo je posodobiti sistem na najnovejšo različico in s tem namestiti funkcijske in varnostne posodobitve delovanja, ki jih zagotavlja skupnost PHP. Pakete je priporočljivo posodobiti takoj, ko so na voljo za nameščeno distribucijo.", - "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 memcached wiki about both modules." : "Predpomnilnik memcached je nastavljen kot porazdeljen predpomnilnik, vendar pa je nameščen napačen modul PHP \"memcache\". Modul \\OC\\Memcache\\Memcached podpirao le \"memcached\", ne pa tudi \"memcache\". Več podrobnosti za oba modula je zapisanih na wiki straneh.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Nekatere datoteke ne opravijo preizkusa celovitosti. Več podrobnosti o težavi je opisanih v dokumentaciji. (Seznam neveljavnih datotek … / Ponovni preizkus …)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Podatkovna mapa in datoteke so najverjetneje dostopni prek Interneta, ker datoteka .htaccess ni ustrezno nastavljena. Priporočljivo je nastaviti spletni strežnik tako, da dostop prek zunanjega omrežja ni mogoč, ali pa tako, da podatkovna mapa ni znotraj korenske mape strežnika.", - "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." : "Glava \"{header}\" HTTP ni nastavljena na \"{expected}\". To je potencialno varnostna luknja in vam priporočamo, da to odpravite.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Do spletišča je omogočen dostop prek protokola HTTP. Priporočljivo je omogočiti podporo za varni protokol HTTPS. Več podrobnosti je zapisanih med varnostnimi namigi.", - "Shared with {recipients}" : "V souporabi z {recipients}", - "Error while unsharing" : "Napaka med odstranjevanjem souporabe", - "can reshare" : "lahko deli", - "can edit" : "lahko ureja", - "can create" : "lahko ustvari", - "can change" : "lahko spremeni", - "can delete" : "lahko pobriše", - "access control" : "nadzor dostopa", - "Share with users or by mail..." : "Deli z uporabniki ali preko e-pošte...", - "Share with users or remote users..." : "Deli z uporabniki ali oddaljenimi uporabniki...", - "Share with users, remote users or by mail..." : "Deli z uporabniki, oddaljenimi uporabniki ali preko e-pošte...", - "Share with users or groups..." : "Deli z uporabniki ali skupinami...", - "Share with users, groups or by mail..." : "Deli z uporabniki, skupinami ali preko e-pošte...", - "Share with users, groups or remote users..." : "Souporaba z uporabniki, skupinami ali oddaljenimi uporabniki ...", - "Share with users, groups, remote users or by mail..." : "Deli z uporabniki, skupinami, oddaljenimi uporabniki ali preko e-pošte...", - "Share with users..." : "Deli z uporabniki...", - "The object type is not specified." : "Vrsta predmeta ni podana.", - "Enter new" : "Vnesite novo", - "Add" : "Dodaj", - "Edit tags" : "Uredi oznake", - "Error loading dialog template: {error}" : "Napaka nalaganja predloge pogovornega okna: {error}", - "No tags selected for deletion." : "Ni izbranih oznak za izbris.", - "The update was successful. Redirecting you to Nextcloud now." : "Posodobitev je bila uspešna. Stran bo preusmerjena na NextCloud", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Pozdravljeni,\n\noseba %s vam je omogočila souporabo %s.\nVir si lahko ogledate: %s\n\n", - "The share will expire on %s." : "Povezava souporabe bo potekla %s.", - "Cheers!" : "Lep pozdrav!", - "The server encountered an internal error and was unable to complete your request." : "Prišlo je do notranje napake, zato ni mogoče končati zahteve.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Stopite v stik s skrbnikom sistema, če se napaka pojavlja pogosto. V poročilo vključite tudi tehnične podatke v dnevniški datoteki.", - "For information how to properly configure your server, please see the documentation." : "Za več podrobnosti o pravilnem nastavljanju strežnika si oglejte dokumentacijo.", - "Log out" : "Odjava", - "This action requires you to confirm your password:" : "Ta operacija zahteva potrditev tvojega gesla:", - "Wrong password. Reset it?" : "Napačno geslo. Ali ga želite ponastaviti?", - "Use the following link to reset your password: {link}" : "Za ponastavitev gesla uporabite povezavo: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Pozdravljeni,

uporabnik %s vam je omogočil souporabo %s.
Oglejte si vsebino!

", - "This Nextcloud instance is currently in single user mode." : "Ta seja oblaka Nextcloud je trenutno v načinu enega sočasnega uporabnika.", - "This means only administrators can use the instance." : "To pomeni, da lahko oblak uporabljajo le osebe s skrbniškimi dovoljenji.", - "You are accessing the server from an untrusted domain." : "Trenutno je vzpostavljena povezava s strežnikom preko ne-varne domene.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Glede na nastavitve bi lahko kot skrbnik uporabili spodnji gumb in domeno ročno določili kot varno.", - "Please use the command line updater because you have a big instance." : "Posodobitev večjih namestitev je priporočljivo izvesti prek ukazne vrstice.", - "For help, see the documentation." : "Za več podrobnosti si oglejte dokumentacijo.", - "There was an error loading your contacts" : "Prišlo je do napake pri nalaganju tvojih stikov" -}, -"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/core/l10n/sl.json b/core/l10n/sl.json deleted file mode 100644 index 98e6f4139346c..0000000000000 --- a/core/l10n/sl.json +++ /dev/null @@ -1,319 +0,0 @@ -{ "translations": { - "Please select a file." : "Izberite datoteko", - "File is too big" : "Datoteka je prevelika", - "The selected file is not an image." : "Izbrana datoteka ni slika.", - "The selected file cannot be read." : "Izbrane datoteke ni mogoče prebrati.", - "Invalid file provided" : "Predložena je neveljavna datoteka", - "No image or file provided" : "Ni podane datoteke ali slike", - "Unknown filetype" : "Neznana vrsta datoteke", - "Invalid image" : "Neveljavna slika", - "An error occurred. Please contact your admin." : "Prišlo je do napake. Stopite v stik s skrbnikom sistema.", - "No temporary profile picture available, try again" : "Na voljo ni nobene začasne slike za profil. Poskusite znova.", - "No crop data provided" : "Ni podanih podatkov obreza", - "No valid crop data provided" : "Navedeni so neveljavni podatki obrez slike", - "Crop is not square" : "Obrez ni pravokoten", - "Password reset is disabled" : "Ponastavitev gesla je izključena", - "Couldn't reset password because the token is invalid" : "Ni mogoče ponastaviti gesla zaradi neustreznega žetona.", - "Couldn't reset password because the token is expired" : "Ni mogoče ponastaviti gesla, ker je žeton potekel.", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Ni mogoče poslati elektronskega sporočila za ponastavitev gesla, ker ni navedenega elektronskega naslova. Stopite v stik s skrbnikom sistema.", - "%s password reset" : "Ponastavitev gesla %s", - "Password reset" : "Ponastavitev gesla", - "Reset your password" : "Ponastavi svoje geslo", - "Couldn't send reset email. Please contact your administrator." : "Ni mogoče nastaviti elektronskega naslova za ponastavitev. Stopite v stik s skrbnikom sistema.", - "Couldn't send reset email. Please make sure your username is correct." : "Ni mogoče poslati elektronskega sporočila. Prepričajte se, da je uporabniško ime pravilno.", - "Preparing update" : "Pripravljanje posodobitve", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Opozorilo popravila:", - "Repair error: " : "Napaka popravila:", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Posodobitev sistema je treba izvesti prek ukazne vrstice, ker je nastavitev samodejne posodobitve v config.php onemogočena.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Poteka preverjanje razpredelnice %s", - "Turned on maintenance mode" : "Vzdrževalni način je omogočen", - "Turned off maintenance mode" : "Vzdrževalni način je onemogočen", - "Maintenance mode is kept active" : "Vzdrževalni način je še vedno dejaven", - "Updating database schema" : "Poteka posodabljanje sheme podatkovne zbirke", - "Updated database" : "Posodobljena podatkovna zbirka", - "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke mogoče posodobiti (zaradi velikosti je lahko opravilo dolgotrajno).", - "Checked database schema update" : "Izbrana posodobitev sheme podatkovne zbirke", - "Checking updates of apps" : "Poteka preverjanje za posodobitve programov", - "Checking for update of app \"%s\" in appstore" : "Preverjam posodobitev za aplikacijo \"%s\" v trgovini", - "Update app \"%s\" from appstore" : "Posodobi aplikacijo \"%s\" iz trgovine", - "Checked for update of app \"%s\" in appstore" : "Preverjena posodobitev za \"%s\" v trgovini", - "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke za %s mogoče posodobiti (trajanje posodobitve je odvisno od velikosti zbirke).", - "Checked database schema update for apps" : "Izbrana posodobitev sheme podatkovne zbirke za programe", - "Updated \"%s\" to %s" : "Datoteka \"%s\" je posodobljena na %s", - "Set log level to debug" : "Nastavi raven beleženja za razhroščevanje", - "Reset log level" : "Počisti raven beleženja", - "Starting code integrity check" : "Začenjanje preverjanja stanja kode", - "Finished code integrity check" : "Končano preverjanje stanja kode", - "%s (incompatible)" : "%s (neskladno)", - "Following apps have been disabled: %s" : "Navedeni programi so onemogočeni: %s", - "Already up to date" : "Sistem je že posodobljen", - "Search contacts …" : "Iščem stike...", - "No contacts found" : "Ne najdem stikov", - "Show all contacts …" : "Prikaži vse kontakte", - "Loading your contacts …" : "Nalagam tvoje stike...", - "Looking for {term} …" : "Iščem {term} …", - "There were problems with the code integrity check. More information…" : "Med preverjanjem celovitosti kode je prišlo do napak. Več podrobnosti …", - "No action available" : "Ni akcij na voljo", - "Error fetching contact actions" : "Napaka pri branju operacij stikov", - "Settings" : "Nastavitve", - "Connection to server lost" : "Povezava s strežnikom spodletela", - "Saving..." : "Poteka shranjevanje ...", - "Dismiss" : "Opusti", - "This action requires you to confirm your password" : "Ta operacija zahteva potrditev tvojega gesla", - "Authentication required" : "Zahteva za avtentikacijo", - "Password" : "Geslo", - "Cancel" : "Prekliči", - "Confirm" : "Potrdi", - "seconds ago" : "pred nekaj sekundami", - "Logging in …" : "Prijava...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Povezava za ponastavitev gesla je bila poslana na naveden elektronski naslov. V kolikor sporočila ne dobite v kratkem, preverite tudi mapo neželene pošte.
Če sporočila ni niti v tej mapi, stopite v stik s skrbnikom.", - "I know what I'm doing" : "Vem, kaj delam!", - "Password can not be changed. Please contact your administrator." : "Gesla ni mogoče spremeniti. Stopite v stik s skrbnikom.", - "Reset password" : "Ponastavi geslo", - "Sending email …" : "Pošiljanje e-pošte ...", - "No" : "Ne", - "Yes" : "Da", - "No files in here" : "Tukaj ni datotek", - "Choose" : "Izbor", - "Copy" : "Kopiraj", - "Move" : "Premakni", - "Error loading file picker template: {error}" : "Napaka nalaganja predloge izbirnika datotek: {error}", - "OK" : "V redu", - "Error loading message template: {error}" : "Napaka nalaganja predloge sporočil: {error}", - "read-only" : "le za branje", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} spor datotek","{count} spora datotek","{count} spori datotek","{count} sporov datotek"], - "One file conflict" : "En spor datotek", - "New Files" : "Nove datoteke", - "Already existing files" : "Obstoječe datoteke", - "Which files do you want to keep?" : "Katare datoteke želite ohraniti?", - "If you select both versions, the copied file will have a number added to its name." : "Če izberete obe različici, bo kopirani datoteki k imenu dodana številka.", - "Continue" : "Nadaljuj", - "(all selected)" : "(vse izbrano)", - "({count} selected)" : "({count} izbranih)", - "Error loading file exists template" : "Napaka nalaganja predloge obstoječih datotek", - "Pending" : "Na čakanju", - "Very weak password" : "Zelo šibko geslo", - "Weak password" : "Šibko geslo", - "So-so password" : "Slabo geslo", - "Good password" : "Dobro geslo", - "Strong password" : "Odlično geslo", - "Error occurred while checking server setup" : "Prišlo je do napake med preverjanjem nastavitev strežnika", - "Shared" : "V souporabi", - "Shared with" : "V skupni rabi z", - "Error setting expiration date" : "Napaka nastavljanja datuma preteka", - "The public link will expire no later than {days} days after it is created" : "Javna povezava bo potekla {days} dni po ustvarjanju.", - "Set expiration date" : "Nastavi datum preteka", - "Expiration" : "Datum preteka", - "Expiration date" : "Datum preteka", - "Choose a password for the public link" : "Izberite geslo za javno povezavo", - "Copied!" : "Skopirano!", - "Not supported!" : "Ni podprto!", - "Press ⌘-C to copy." : "Pritisni ⌘-C za kopiranje.", - "Press Ctrl-C to copy." : "Pritisni Ctrl-C za kopiranje.", - "Resharing is not allowed" : "Nadaljnja souporaba ni dovoljena", - "Share to {name}" : "Deli z {name}", - "Share link" : "Povezava za prejem", - "Link" : "Povezava", - "Password protect" : "Zaščiti z geslom", - "Allow editing" : "Dovoli urejanje", - "Email link to person" : "Posreduj povezavo po elektronski pošti", - "Send" : "Pošlji", - "Allow upload and editing" : "Dovoli nalaganje in urejanje", - "Read only" : "Samo branje", - "File drop (upload only)" : "File drop (samo nalaganje)", - "Shared with you and the group {group} by {owner}" : "V souporabi z vami in skupino {group}. Lastnik je {owner}.", - "Shared with you by {owner}" : "V souporabi z vami. Lastnik je {owner}.", - "group" : "skupina", - "remote" : "oddaljeno", - "email" : "e-pošta", - "shared by {sharer}" : "deli {sharer}", - "Unshare" : "Prekliči souporabo", - "Can reshare" : "Lahko deli naprej", - "Can edit" : "Lahko popravlja", - "Can create" : "Lahko ustvari", - "Can change" : "Lahko spremeni", - "Can delete" : "Lahko pobriše", - "Access control" : "Nadzor dostopa", - "Could not unshare" : "Ni mogoče prekiniti souporabe", - "Error while sharing" : "Napaka med souporabo", - "Share details could not be loaded for this item." : "Podrobnosti souporabe za te predmet ni mogoče naložiti.", - "No users or groups found for {search}" : "Ni najdenih uporabnikov ali skupin za {search}", - "No users found for {search}" : "Ni uporabnikov, skladnih z iskalnim nizom {search}", - "An error occurred. Please try again" : "Prišlo je do napake. Poskusite znova.", - "{sharee} (group)" : "{sharee} (skupina)", - "{sharee} (remote)" : "{sharee} (oddaljeno)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Souporaba", - "Name or email address..." : "Ime ali e-poštni naslov...", - "Name or federated cloud ID..." : "Ime ali ID oblaka...", - "Name, federated cloud ID or email address..." : "Ime, ID oblaka ali e-poštni naslov...", - "Name..." : "Ime...", - "Error" : "Napaka", - "Error removing share" : "Napaka odstranjevanja souporabe", - "Non-existing tag #{tag}" : "Neobstoječa oznaka #{tag}", - "restricted" : "omejeno", - "invisible" : "nevidno", - "({scope})" : "({scope})", - "Delete" : "Izbriši", - "Rename" : "Preimenuj", - "Collaborative tags" : "Oznake sodelovanja", - "No tags found" : "Ne najdem oznak", - "unknown text" : "neznano besedilo", - "Hello world!" : "Pozdravljen svet!", - "sunny" : "sončno", - "Hello {name}, the weather is {weather}" : "Pozdravljeni, {name}, vreme je {weather}", - "Hello {name}" : "Pozdravljeni, {name}", - "new" : "novo", - "_download %n file_::_download %n files_" : ["prejmi %n datoteko","prejmi %n datoteki","prejmi %n datoteke","prejmi %n datotek"], - "The update is in progress, leaving this page might interrupt the process in some environments." : "Posodobitev je v teku. Če zapustiš to stran, lahko, v določenih okoljih, prekineš proces", - "Update to {version}" : "Posodobi na {version}", - "An error occurred." : "Prišlo je do napake.", - "Please reload the page." : "Stran je treba ponovno naložiti", - "The update was unsuccessful. For more information check our forum post covering this issue." : "Posodobitev je spodletela. Za več podrobnosti o napaki je objavljenih na forumu.", - "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Posodobitev ni bila uspešna. Prosimo, prijavite to situacijo na Nextcloud skupnost.", - "Continue to Nextcloud" : "Nadaljuj na Nextcloud", - "Searching other places" : "Iskanje drugih mest", - "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} rezultat v drugih mapah","{count} rezultata v drugih mapah","{count} rezultatov v drugih mapah","{count} rezultatov v drugih mapah"], - "Personal" : "Osebno", - "Users" : "Uporabniki", - "Apps" : "Programi", - "Admin" : "Skrbništvo", - "Help" : "Pomoč", - "Access forbidden" : "Dostop je prepovedan", - "File not found" : "Datoteke ni mogoče najti", - "The specified document has not been found on the server." : "Določenega dokumenta na strežniku ni mogoče najti.", - "You can click here to return to %s." : "S klikom na povezavo boste vrnjeni na %s.", - "Internal Server Error" : "Notranja napaka strežnika", - "More details can be found in the server log." : "Več podrobnosti je zabeleženih v dnevniku strežnika.", - "Technical details" : "Tehnične podrobnosti", - "Remote Address: %s" : "Oddaljen naslov: %s", - "Request ID: %s" : "ID zahteve: %s", - "Type: %s" : "Vrsta: %s", - "Code: %s" : "Koda: %s", - "Message: %s" : "Sporočilo: %s", - "File: %s" : "Datoteka: %s", - "Line: %s" : "Vrstica: %s", - "Trace" : "Sledenje povezav", - "Security warning" : "Varnostno opozorilo", - "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Podatkovna mapa in datoteke so najverjetneje javno dostopni preko interneta, saj datoteka .htaccess ni ustrezno nastavljena.", - "Create an admin account" : "Ustvari skrbniški račun", - "Username" : "Uporabniško ime", - "Storage & database" : "Shramba in podatkovna zbirka", - "Data folder" : "Podatkovna mapa", - "Configure the database" : "Nastavi podatkovno zbirko", - "Only %s is available." : "Le %s je na voljo.", - "Install and activate additional PHP modules to choose other database types." : "Namestite in omogočite dodatne module PHP za izbor drugih vrst podatkovnih zbirk.", - "For more details check out the documentation." : "Za več podrobnosti preverite dokumentacijo.", - "Database user" : "Uporabnik podatkovne zbirke", - "Database password" : "Geslo podatkovne zbirke", - "Database name" : "Ime podatkovne zbirke", - "Database tablespace" : "Razpredelnica podatkovne zbirke", - "Database host" : "Gostitelj podatkovne zbirke", - "Performance warning" : "Opozorilo učinkovitosti delovanja", - "SQLite will be used as database." : "Kot podatkovna zbirka bo uporabljena zbirka SQLite", - "For larger installations we recommend to choose a different database backend." : "Za večje namestitve je priporočljivo uporabiti drugo ozadnji program zbirke podatkov.", - "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Uporaba SQLite ni priporočljiva iz varnostnih razlogov, še posebej če se sistem krajevno usklajuje z namizjem prek odjemalca.", - "Finish setup" : "Končaj nastavitev", - "Finishing …" : "Poteka zaključevanje opravila ...", - "Need help?" : "Ali potrebujete pomoč?", - "See the documentation" : "Preverite dokumentacijo", - "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Program zahteva podporo JavaScript za pravilno delovanje. Med nastavitvami omogočite {linkstart}JavaScript{linkend} in osvežite spletno stran.", - "More apps" : "Več aplikacij", - "Search" : "Poišči", - "Confirm your password" : "Potrdi svoje geslo", - "Server side authentication failed!" : "Overitev s strežnika je spodletela!", - "Please contact your administrator." : "Stopite v stik s skrbnikom sistema.", - "An internal error occurred." : "Prišlo je do notranje napake.", - "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", - "Username or email" : "Uporabniško ime ali elektronski naslov", - "Log in" : "Prijava", - "Wrong password." : "Napačno geslo!", - "Stay logged in" : "Ohrani prijavo", - "Forgot password?" : "Pozabili geslo?", - "Back to log in" : "Nazaj na prijavo", - "Alternative Logins" : "Druge prijavne možnosti", - "Grant access" : "Odobri dostop", - "App token" : "Ključ aplikacije", - "Redirecting …" : "Presumerjam...", - "New password" : "Novo geslo", - "New Password" : "Novo geslo", - "Two-factor authentication" : "Dvo-stopenjska prijava", - "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Na tvojem računu je vključena napredna varnost. Prosim, prijavi se z drugim korakom.", - "Cancel log in" : "Prekini prijavo", - "Use backup code" : "Uporabi rezervno šifro", - "Error while validating your second factor" : "Napaka med preverjanjem drugega koraka", - "Add \"%s\" as trusted domain" : "Dodaj \"%s\" kot varno domeno", - "App update required" : "Zahtevana je posodobitev programa", - "%s will be updated to version %s" : "%s bo posodobljen na različico %s.", - "These apps will be updated:" : "Posodobljeni bodo naslednji vstavki:", - "These incompatible apps will be disabled:" : "Ti neskladni vstavki bodo onemogočeni:", - "The theme %s has been disabled." : "Tema %s je onemogočena za uporabo.", - "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pred nadaljevanjem se prepričajte se, da je ustvarjena varnostna kopija podatkovne zbirke, nastavitvenih datotek in podatkovne mape.", - "Start update" : "Začni posodobitev", - "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Za razreševanje časovnih zahtev večjih namestitev lahko uporabite ukaz iz namestitvene mape:", - "Detailed logs" : "Podrobni dnevniški zapisi", - "Update needed" : "Zahtevana je posodobitev", - "Upgrade via web on my own risk" : "Posodobi preko spleta na moje tveganje", - "This %s instance is currently in maintenance mode, which may take a while." : "Strežnik %s je trenutno v načinu vzdrževanja, kar lahko traja.", - "This page will refresh itself when the %s instance is available again." : "Stran bo osvežena ko bo %s spet na voljo.", - "Contact your system administrator if this message persists or appeared unexpectedly." : "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", - "Thank you for your patience." : "Hvala za potrpežljivost!", - "%s (3rdparty)" : "%s (zunanje)", - "Problem loading page, reloading in 5 seconds" : "Napaka nalaganja strani! Poskus ponovnega nalaganja bo izveden čez 5 sekund.", - "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Datoteke so šifrirane. Če niste omogočili obnovitvenega ključa, po ponastavitvi gesla ne bo mogoč dostop do datotek.
V primeru, da niste prepričani, kaj storiti, stopite v stik s skrbnikom sistema.
Ali ste prepričani, da želite nadaljevati?", - "Ok" : "V redu", - "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Spletni stražnik še ni ustrezno nastavljen in ne omogoča usklajevanja, saj je vmesnik WebDAV videti okvarjen.", - "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Spletni strežnik ni ustrezno nastavljen za razreševanje \"{url}\". Več pdorobnosti je zapisanih v dokumentaciji.", - "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ni nastavljenega predpomnilnika. Za izboljšanje hitrosti delovanja je treba predpomnilnik memcache, če je na voljo, ustrezno nastaviti. Več podrobnosti je na voljo v dokumentaciji.", - "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "Iz varnostnih razlogov je priporočljivo nastaviti dovoljenja ukaza /dev/urandom za branje prek PHP. Več podrobnosti je zavedenih v dokumentaciji<-a>", - "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Trenutno je zagnana različica PHP {version}. Priporočljivo je posodobiti sistem na najnovejšo različico in s tem namestiti funkcijske in varnostne posodobitve delovanja, ki jih zagotavlja skupnost PHP. Pakete je priporočljivo posodobiti takoj, ko so na voljo za nameščeno distribucijo.", - "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 memcached wiki about both modules." : "Predpomnilnik memcached je nastavljen kot porazdeljen predpomnilnik, vendar pa je nameščen napačen modul PHP \"memcache\". Modul \\OC\\Memcache\\Memcached podpirao le \"memcached\", ne pa tudi \"memcache\". Več podrobnosti za oba modula je zapisanih na wiki straneh.", - "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Nekatere datoteke ne opravijo preizkusa celovitosti. Več podrobnosti o težavi je opisanih v dokumentaciji. (Seznam neveljavnih datotek … / Ponovni preizkus …)", - "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Podatkovna mapa in datoteke so najverjetneje dostopni prek Interneta, ker datoteka .htaccess ni ustrezno nastavljena. Priporočljivo je nastaviti spletni strežnik tako, da dostop prek zunanjega omrežja ni mogoč, ali pa tako, da podatkovna mapa ni znotraj korenske mape strežnika.", - "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." : "Glava \"{header}\" HTTP ni nastavljena na \"{expected}\". To je potencialno varnostna luknja in vam priporočamo, da to odpravite.", - "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Do spletišča je omogočen dostop prek protokola HTTP. Priporočljivo je omogočiti podporo za varni protokol HTTPS. Več podrobnosti je zapisanih med varnostnimi namigi.", - "Shared with {recipients}" : "V souporabi z {recipients}", - "Error while unsharing" : "Napaka med odstranjevanjem souporabe", - "can reshare" : "lahko deli", - "can edit" : "lahko ureja", - "can create" : "lahko ustvari", - "can change" : "lahko spremeni", - "can delete" : "lahko pobriše", - "access control" : "nadzor dostopa", - "Share with users or by mail..." : "Deli z uporabniki ali preko e-pošte...", - "Share with users or remote users..." : "Deli z uporabniki ali oddaljenimi uporabniki...", - "Share with users, remote users or by mail..." : "Deli z uporabniki, oddaljenimi uporabniki ali preko e-pošte...", - "Share with users or groups..." : "Deli z uporabniki ali skupinami...", - "Share with users, groups or by mail..." : "Deli z uporabniki, skupinami ali preko e-pošte...", - "Share with users, groups or remote users..." : "Souporaba z uporabniki, skupinami ali oddaljenimi uporabniki ...", - "Share with users, groups, remote users or by mail..." : "Deli z uporabniki, skupinami, oddaljenimi uporabniki ali preko e-pošte...", - "Share with users..." : "Deli z uporabniki...", - "The object type is not specified." : "Vrsta predmeta ni podana.", - "Enter new" : "Vnesite novo", - "Add" : "Dodaj", - "Edit tags" : "Uredi oznake", - "Error loading dialog template: {error}" : "Napaka nalaganja predloge pogovornega okna: {error}", - "No tags selected for deletion." : "Ni izbranih oznak za izbris.", - "The update was successful. Redirecting you to Nextcloud now." : "Posodobitev je bila uspešna. Stran bo preusmerjena na NextCloud", - "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Pozdravljeni,\n\noseba %s vam je omogočila souporabo %s.\nVir si lahko ogledate: %s\n\n", - "The share will expire on %s." : "Povezava souporabe bo potekla %s.", - "Cheers!" : "Lep pozdrav!", - "The server encountered an internal error and was unable to complete your request." : "Prišlo je do notranje napake, zato ni mogoče končati zahteve.", - "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Stopite v stik s skrbnikom sistema, če se napaka pojavlja pogosto. V poročilo vključite tudi tehnične podatke v dnevniški datoteki.", - "For information how to properly configure your server, please see the documentation." : "Za več podrobnosti o pravilnem nastavljanju strežnika si oglejte dokumentacijo.", - "Log out" : "Odjava", - "This action requires you to confirm your password:" : "Ta operacija zahteva potrditev tvojega gesla:", - "Wrong password. Reset it?" : "Napačno geslo. Ali ga želite ponastaviti?", - "Use the following link to reset your password: {link}" : "Za ponastavitev gesla uporabite povezavo: {link}", - "Hey there,

just letting you know that %s shared %s with you.
View it!

" : "Pozdravljeni,

uporabnik %s vam je omogočil souporabo %s.
Oglejte si vsebino!

", - "This Nextcloud instance is currently in single user mode." : "Ta seja oblaka Nextcloud je trenutno v načinu enega sočasnega uporabnika.", - "This means only administrators can use the instance." : "To pomeni, da lahko oblak uporabljajo le osebe s skrbniškimi dovoljenji.", - "You are accessing the server from an untrusted domain." : "Trenutno je vzpostavljena povezava s strežnikom preko ne-varne domene.", - "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Glede na nastavitve bi lahko kot skrbnik uporabili spodnji gumb in domeno ročno določili kot varno.", - "Please use the command line updater because you have a big instance." : "Posodobitev večjih namestitev je priporočljivo izvesti prek ukazne vrstice.", - "For help, see the documentation." : "Za več podrobnosti si oglejte dokumentacijo.", - "There was an error loading your contacts" : "Prišlo je do napake pri nalaganju tvojih stikov" -},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" -} \ No newline at end of file diff --git a/core/l10n/sq.js b/core/l10n/sq.js deleted file mode 100644 index d379a1db0bb51..0000000000000 --- a/core/l10n/sq.js +++ /dev/null @@ -1,345 +0,0 @@ -OC.L10N.register( - "core", - { - "Please select a file." : "Ju lutem përzgjidhni një skedar.", - "File is too big" : "Skedari është shumë i madh", - "The selected file is not an image." : "Skedari i zgjedhur nuk është një imazh", - "The selected file cannot be read." : "Skedari i zgjedhur nuk mund të lexohet", - "Invalid file provided" : "U dha kartelë e pavlefshme", - "No image or file provided" : "S’u dha figurë apo kartelë", - "Unknown filetype" : "Lloj i panjohur kartele", - "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" : "Prerja s’është katrore", - "State token does not match" : "Shenja shtetërore nuk përputhet", - "Password reset is disabled" : "Opsioni për rigjenerimin e fjalëkalimit është çaktivizuar", - "Couldn't reset password because the token is invalid" : "S’u ricaktua dot fjalëkalimi, ngaqë token-i është i pavlefshëm", - "Couldn't reset password because the token is expired" : "S’u ricaktua dot fjalëkalimi, ngaqë token-i ka skaduar", - "Could not send reset email because there is no email address for this username. Please contact your administrator." : "S’u dërgua dot email ricaktimi, ngaqë s’ka adresë email për këtë përdoruesi. Ju lutemi, lidhuni me përgjegjësin tuaj.", - "%s password reset" : "U ricaktua fjalëkalimi për %s", - "Password reset" : "Fjalkalimi u rivendos", - "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Klikoni butonin më poshtë për të rivendosur fjalëkalimin tuaj. Nëse nuk keni kërkuar rivendosjen e fjalëkalimit, atëherë injorojeni këtë email.", - "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Klikoni ne 'link-un' e rradhes per te rivendosur fjalekalimin tuaj.Nese nuk e keni vendosur akoma fjalekalimin atehere mos e merrni parasysh kete email.", - "Reset your password" : "Rivendosni nje fjalekalim te ri", - "Couldn't send reset email. Please contact your administrator." : "S’u dërgua dot email-i i ricaktimit. Ju lutemi, lidhuni me përgjegjësin tuaj.", - "Couldn't send reset email. Please make sure your username is correct." : "S’u dërgua dot email ricaktimi. Ju lutemi, sigurohuni që emri juaj i përdoruesit është i saktë.", - "Preparing update" : "Duke përgatitur përditësimin", - "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Sinjalizim ndreqjeje: ", - "Repair error: " : "Gabim ndreqjeje: ", - "Please use the command line updater because automatic updating is disabled in the config.php." : "Ju lutemi, përdorni përditësuesin e rreshtit të urdhrave, sepse përditësimi i vetvetishëm është i çaktivizuar te config.php.", - "[%d / %d]: Checking table %s" : "[%d / %d]: Po kontrollohet tabela %s", - "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 for update of app \"%s\" in appstore" : "Duke kontrolluar për përditësim të aplikacionit \"%s\" në appstore.", - "Update app \"%s\" from appstore" : "Përditëso aplikacionin \"%s\" nga appstore", - "Checked for update of app \"%s\" in appstore" : "Duke kontrolluar për përditësim të aplikacionit \"%s\" në appstore.", - "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", - "Set log level to debug" : "Caktoni shkallë regjistrimi për diagnostikimin", - "Reset log level" : "Rikthe te parazgjedhja shkallën e regjistrimit", - "Starting code integrity check" : "Po fillohet kontroll integriteti për kodin", - "Finished code integrity check" : "Përfundoi kontrolli i integritetit për kodin", - "%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", - "Search contacts …" : "Kërko kontakte ...", - "No contacts found" : "Nuk jane gjetur kontakte", - "Show all contacts …" : "Shfaq të gjitha kontaktet", - "Loading your contacts …" : "Kontaktet tuaja po ngarkohen ...", - "Looking for {term} …" : "Duke kërkuar {për] ...", - "There were problems with the code integrity check. More information…" : "Pati probleme me kontrollin e integritetit të kodit. Më tepër të dhëna…", - "No action available" : "Jo veprim i mundur", - "Error fetching contact actions" : "Gabim gjatë marrjes së veprimeve të kontaktit", - "Settings" : "Rregullime", - "Connection to server lost" : "Lidhja me serverin u shkëput", - "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problem gjatë ngarkimit të faqes, rifreskimi në %n sekonda","Problem gjatë ngarkimit të faqes, rifreskimi në %n sekonda"], - "Saving..." : "Po ruhet …", - "Dismiss" : "Mos e merr parasysh", - "This action requires you to confirm your password" : "Ky veprim kërkon që të konfirmoni fjalëkalimin tuaj.", - "Authentication required" : "Verifikim i kërkuar", - "Password" : "Fjalëkalim", - "Cancel" : "Anuloje", - "Confirm" : "Konfirmo", - "Failed to authenticate, try again" : "Dështoi në verifikim, provo përsëri", - "seconds ago" : "sekonda më parë", - "Logging in …" : "Duke u loguar ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Lidhja për ricaktimin e fjalëkalimi tuaj u dërgua tek email-i juaj. Nëse nuk e merrni brenda një kohe të arsyeshme, kontrolloni dosjet e postës së padëshirueshme/postës së pavlerë.
Nëse s’është as aty, pyetni përgjegjësin tuaj lokal.", - "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Skedarët tuaj janë të enkriptuar. Nuk do ketë asnjë mënyrë për ti rimarrë të dhënat pasi fjalëkalimi juaj të rivendoset.
Nëse nuk jeni të sigurt se çfarë duhet të bëni, ju lutemi flisni me administratorin tuaj para se të vazhdoni.
Doni vërtet të vazhdoni?", - "I know what I'm doing" : "E di se ç’bëj", - "Password can not be changed. Please contact your administrator." : "Fjalëkalimi nuk mund të ndryshohet. Ju lutemi, lidhuni me përgjegjësin tuaj.", - "Reset password" : "Ricaktoni fjalëkalimin", - "No" : "Jo", - "Yes" : "Po", - "No files in here" : "Jo skedar këtu", - "Choose" : "Zgjidhni", - "Copy" : "Kopjo", - "Error loading file picker template: {error}" : "Gabim në ngarkimin e gjedhes së marrësit të kartelave: {error}", - "OK" : "OK", - "Error loading message template: {error}" : "Gabim gjatë ngarkimit të gjedhes së mesazheve: {error}", - "read-only" : "vetëm për lexim", - "_{count} file conflict_::_{count} file conflicts_" : ["{count} përplasje kartelash","{count} përplasje kartelash"], - "One file conflict" : "Një përplasje kartele", - "New Files" : "Kartela të Reja", - "Already existing files" : "Kartela ekzistuese", - "Which files do you want to keep?" : "Cilat kartela doni të mbani?", - "If you select both versions, the copied file will have a number added to its name." : "Nëse përzgjidhni të dy versionet, kartelës së kopjuar do t’i shtohet një numër në emrin e saj.", - "Continue" : "Vazhdo", - "(all selected)" : "(krejt të përzgjedhurat)", - "({count} selected)" : "({count} të përzgjedhura)", - "Error loading file exists template" : "Gabim në ngarkimin e gjedhes kartela ekziston", - "Pending" : "Në pritje", - "Very weak password" : "Fjalëkalim shumë i dobët", - "Weak password" : "Fjalëkalim i dobët", - "So-so password" : "Fjalëkalim çka", - "Good password" : "Fjalëkalim i mirë", - "Strong password" : "Fjalëkalim i fortë", - "Error occurred while checking server setup" : "Ndodhi një gabim gjatë kontrollit të rregullimit të shërbyesit", - "Shared" : "Ndarë", - "Error setting expiration date" : "Gabim në caktimin e datës së skadimit", - "The public link will expire no later than {days} days after it is created" : "Lidhja publike do të skadojë jo më vonë se {days} ditë pas krijimit të saj", - "Set expiration date" : "Caktoni datë skadimi", - "Expiration" : "Skadim", - "Expiration date" : "Datë skadimi", - "Choose a password for the public link" : "Zgjidhni një fjalëkalim për lidhjen publike", - "Choose a password for the public link or press the \"Enter\" key" : "Zgjidhni një fjalëkalim për lidhjen publike ose shtypni butonin \"Enter\"", - "Copied!" : "U kopjua!", - "Not supported!" : "Jo i përshtatshëm!", - "Press ⌘-C to copy." : "Shtyp ⌘-C për të kopjuar.", - "Press Ctrl-C to copy." : "Shtypni Ctrl-C për të kopjuar.", - "Resharing is not allowed" : "Nuk lejohen rindarjet", - "Share to {name}" : "Ndaj tek {name}", - "Share link" : "Lidhje ndarjeje", - "Link" : "Lidhje", - "Password protect" : "Mbroje me fjalëkalim", - "Allow editing" : "Lejo përpunim", - "Email link to person" : "Dërgoja personit lidhjen me email", - "Send" : "Dërgo", - "Allow upload and editing" : "Lejo ngarkim dhe editim", - "Read only" : "Vetëm i lexueshëm", - "File drop (upload only)" : "Lësho skedar (vetëm ngarkim)", - "Shared with you and the group {group} by {owner}" : "Ndarë me ju dhe me grupin {group} nga {owner}", - "Shared with you by {owner}" : "Ndarë me ju nga {owner}", - "Choose a password for the mail share" : "Zgjidh një fjalëkalim për shpërndarjen e mail-it", - "{{shareInitiatorDisplayName}} shared via link" : "{{shpërndaEmrinEShfaqurTëNismëtarit}} shpërnda nëpërmjet linkut", - "group" : "grup", - "remote" : "i largët", - "email" : "postë elektronike", - "shared by {sharer}" : "ndarë nga {ndarësi}", - "Unshare" : "Hiqe ndarjen", - "Can reshare" : "Mund të rishpërdajë", - "Can edit" : "Mund të editojë", - "Can create" : "Mund të krijoni", - "Can change" : "Mund të ndryshojë", - "Can delete" : "Mund të fshijë", - "Access control" : "Kontrolli i aksesit", - "Could not unshare" : "S’e shndau dot", - "Error while sharing" : "Gabim gjatë ndarjes", - "Share details could not be loaded for this item." : "Për këtë objekt s’u ngarkuan dot hollësi ndarjeje.", - "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Të paktën {count} karaktere janë të nevojshëm për vetëpërmbushje","Të paktën {count} karaktere janë të nevojshëm për vetëpërmbushje"], - "This list is maybe truncated - please refine your search term to see more results." : "Kjo listë ndoshta është e prerë - ju lutemi të përmirësoni termat e kërkimit tuaj për të parë më shumë rezultate.", - "No users or groups found for {search}" : "S’u gjetën përdorues ose grupe për {search}", - "No users found for {search}" : "S’u gjet përdorues për {search}", - "An error occurred. Please try again" : "Ndodhi një gabim. Ju lutemi, riprovoni", - "{sharee} (group)" : "{sharee} (grup)", - "{sharee} (remote)" : "{sharee} (i largët)", - "{sharee} (email)" : "{sharee} (email)", - "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", - "Share" : "Ndaje", - "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Shpërndaje me persona të tjerë duke vendosur një përdorues ose një grup, një ID reje të federuar ose një adresë emaili", - "Share with other people by entering a user or group or a federated cloud ID." : "Ndaj me njerëz të tjerë duke futur një pëdorues ose grup ose një ID reje federale.", - "Share with other people by entering a user or group or an email address." : "Shpërndaje me persona të tjerë duke vendosur një perdorues ose një grup ose një adresë emaili", - "Name or email address..." : "Emri ose adresa e email-it", - "Name or federated cloud ID..." : "Emri ose ID e resë të fedferuar", - "Name, federated cloud ID or email address..." : "Emri, ID e resë të federuar ose adresën e email-it...", - "Name..." : "Emër", - "Error" : "Gabim", - "Error removing share" : "Gabim në heqjen e ndarjes", - "Non-existing tag #{tag}" : "Etiketë #{tag} që s’ekziston", - "restricted" : "e kufizuar", - "invisible" : "e padukshme", - "({scope})" : "({scope})", - "Delete" : "Fshije", - "Rename" : "Riemërtoje", - "Collaborative tags" : "Etiketa bashkëpunimi", - "No tags found" : "Jo etiketime të gjetura", - "unknown text" : "tekst i panjohur", - "Hello world!" : "Hello world!", - "sunny" : "me diell", - "Hello {name}, the weather is {weather}" : "Tungjatjeta {name}, koha është {weather}", - "Hello {name}" : "Tungjatjeta {name}", - "These are your search results" : "Këto janë rezultatet e juaj të kërkimit" : "Këto janë rezultatet e juaj të kërkimit" : "Estos son los resultados de su búsqueda ", + "new" : "nuevo", + "_download %n file_::_download %n files_" : ["Descargar %n archivos","Descargar %n archivos"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "La actualización está en curso, abandonar esta página puede interrumpir el proceso en algunos ambientes. ", + "Update to {version}" : "Actualizar a {version}", + "An error occurred." : "Se presentó un error.", + "Please reload the page." : "Favor de volver a cargar la página.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "La actualización no fue exitosa. Para más información consulte nuestro comentario en el foro que cubre este tema. ", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "La actualización no fue exitosa. Favor de reportar este tema a la Comunidad Nextcloud.", + "Continue to Nextcloud" : "Continuar a Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundo. ","La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundos."], + "Searching other places" : "Buscando en otras ubicaciones", + "No search results in other folders for {tag}{filter}{endtag}" : "No hay resultados para la búsqueda en otras carpetas para {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de la búsqueda en otra carpeta","{count} resultados de la búsqueda en otras carpetas"], + "Personal" : "Personal", + "Users" : "Usuarios", + "Apps" : "Aplicaciones", + "Admin" : "Administración", + "Help" : "Ayuda", + "Access forbidden" : "Acceso denegado", + "File not found" : "Archivo no encontrado", + "The specified document has not been found on the server." : "El documento especificado no ha sido encontrado en el servidor. ", + "You can click here to return to %s." : "Puede hacer click aquí para regresar a %s.", + "Internal Server Error" : "Error interno del servidor", + "More details can be found in the server log." : "Puede consultar más detalles en la bitácora del servidor. ", + "Technical details" : "Detalles técnicos", + "Remote Address: %s" : "Dirección Remota: %s", + "Request ID: %s" : "ID de solicitud: %s", + "Type: %s" : "Tipo: %s", + "Code: %s" : "Código: %s", + "Message: %s" : "Mensaje: %s", + "File: %s" : "Archivo: %s", + "Line: %s" : "Línea: %s", + "Trace" : "Rastrear", + "Security warning" : "Advertencia de seguridad", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su directorio de datos y sus archivos probablemente sean accesibles desde Internet ya que el archivo .htaccess no funciona.", + "Create an admin account" : "Crear una cuenta de administrador", + "Username" : "Nombre de usuario", + "Storage & database" : "Almacenamiento & base de datos", + "Data folder" : "Carpeta de datos", + "Configure the database" : "Configurar la base de datos", + "Only %s is available." : "Sólo %s está disponible.", + "Install and activate additional PHP modules to choose other database types." : "Instale y active módulos adicionales de PHP para seleccionar otros tipos de bases de datos. ", + "For more details check out the documentation." : "Favor de consultar la documentación para más detalles. ", + "Database user" : "Usuario de la base de datos", + "Database password" : "Contraseña de la base de datos", + "Database name" : "Nombre de la base de datos", + "Database tablespace" : "Espacio de tablas en la base de datos", + "Database host" : "Servidor de base de datos", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Favor de especificar el número de puerto así como el nombre del servidor (ejem., localhost:5432).", + "Performance warning" : "Advertencia de desempeño", + "SQLite will be used as database." : "SQLite será usado como la base de datos.", + "For larger installations we recommend to choose a different database backend." : "Para instalaciones más grandes le recomendamos elegir un backend de base de datos diferente.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "El uso de SQLiite es especialmente desalentado al usar el cliente de escritorio para sincrionizar. ", + "Finish setup" : "Terminar configuración", + "Finishing …" : "Terminando …", + "Need help?" : "¿Necesita ayuda?", + "See the documentation" : "Ver la documentación", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicación requiere de JavaScript para su correcta operación. Favor de {linkstart}habilitar JavaScript{linkend} y vuelva a cargar la página. ", + "More apps" : "Más aplicaciones", + "Search" : "Buscar", + "Confirm your password" : "Confirme su contraseña", + "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", + "Please contact your administrator." : "Favor de contactar al administrador.", + "An internal error occurred." : "Se presentó un error interno.", + "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", + "Username or email" : "Nombre de usuario o contraseña", + "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", + "Stay logged in" : "Mantener la sesión abierta", + "Alternative Logins" : "Accesos Alternativos", + "Account access" : "Acceso a la cuenta", + "You are about to grant %s access to your %s account." : "Está a punto de concederle a \"%s\" acceso a su cuenta %s.", + "App token" : "Ficha de la aplicación", + "Alternative login using app token" : "Inicio de sesión alternativo usando la ficha de la aplicación", + "Redirecting …" : "Redireccionando ... ", + "New password" : "Nueva contraseña", + "New Password" : "Nueva Contraseña", + "Two-factor authentication" : "Autenticación de dos-factores", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "La seguridad mejorada está habilitada para su cuenta. Favor de autenticarse usando un segundo factor. ", + "Cancel log in" : "Cancelar inicio de sesión", + "Use backup code" : "Usar código de respaldo", + "Error while validating your second factor" : "Se presentó un error al validar su segundo factor", + "Add \"%s\" as trusted domain" : "Agregar \"%s\" como un dominio de confianza", + "App update required" : "Se requiere una actualización de la aplicación", + "%s will be updated to version %s" : "%s será actualizado a la versión %s", + "These apps will be updated:" : "Las siguientes apllicaciones se actualizarán:", + "These incompatible apps will be disabled:" : "Las siguientes aplicaciones incompatibles serán deshabilitadas:", + "The theme %s has been disabled." : "El tema %s ha sido deshabilitado. ", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Favor de asegurarse que la base de datos, la carpeta de configuración y las carpetas de datos hayan sido respaldadas antes de continuar. ", + "Start update" : "Iniciar actualización", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar que la expiración de tiempo en instalaciones grandes, usted puede ejeuctar el siguiente comando desde su directorio de instalación:", + "Detailed logs" : "Bitácoras detalladas", + "Update needed" : "Actualización requerida", + "Please use the command line updater because you have a big instance with more than 50 users." : "Favor de usar el actualizador desde la línea de comandos ya que su instancia cuenta con más de 50 usuarios.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Estoy conciente de que si continuo haciendo la actualización vía web, la interfaz de usuario corre el riesgo de que el tiempo de la solicitud expire y cause pérdida de datos, pero cuento con un respaldo y sé como restaurar mi instancia en caso de una falla. ", + "Upgrade via web on my own risk" : "Actualizar vía Web bajo mi propio riesgo", + "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", + "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte a su administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", + "Thank you for your patience." : "Gracias por su paciencia." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json new file mode 100644 index 0000000000000..dfbd4a2d92859 --- /dev/null +++ b/core/l10n/es_AR.json @@ -0,0 +1,281 @@ +{ "translations": { + "Please select a file." : "Favor de seleccionar un archivo.", + "File is too big" : "El archivo es demasiado grande.", + "The selected file is not an image." : "El archivo seleccionado no es una imagen.", + "The selected file cannot be read." : "El archivo seleccionado no se puede leer.", + "Invalid file provided" : "Archivo proporcionado inválido", + "No image or file provided" : "No se especificó un archivo o imagen", + "Unknown filetype" : "Tipo de archivo desconocido", + "Invalid image" : "Imagen inválida", + "An error occurred. Please contact your admin." : "Se presentó un error. Favor de contactar a su adminsitrador. ", + "No temporary profile picture available, try again" : "No hay una imagen de perfil temporal disponible, favor de intentarlo de nuevo", + "No crop data provided" : "No se han proporcionado datos del recorte", + "No valid crop data provided" : "No se han proporcionado datos válidos del recorte", + "Crop is not square" : "El recorte no está cuadrado", + "State token does not match" : "El token de estado no corresponde", + "Password reset is disabled" : "Restablecer contraseña se encuentra deshabilitado", + "Couldn't reset password because the token is invalid" : "No ha sido posible restablecer la contraseña porque el token es inválido", + "Couldn't reset password because the token is expired" : "No ha sido posible restablecer la contraseña porque el token ha expirado", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "No fue posible enviar el correo electrónico para restablecer porque no hay una dirección de correo electrónico para este usuario. Favor de contactar a su adminsitrador. ", + "%s password reset" : "%s restablecer la contraseña", + "Password reset" : "Restablecer contraseña", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Haga click en el siguiente botón para restablecer su contraseña. Si no ha solicitado restablecer su contraseña, favor de ignorar este correo. ", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Haga click en el siguiente link para restablecer su contraseña. Si no ha solicitado restablecer la contraseña, favor de ignorar este mensaje. ", + "Reset your password" : "Restablecer su contraseña", + "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", + "Couldn't send reset email. Please make sure your username is correct." : "No fue posible restablecer el correo electrónico. Favor de asegurarse que su nombre de usuario sea correcto. ", + "Preparing update" : "Preparando actualización", + "[%d / %d]: %s" : "[%d / %d]: %s ", + "Repair warning: " : "Advertencia de reparación:", + "Repair error: " : "Error de reparación: ", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Favor de usar el actualizador de línea de comandos ya que el actualizador automático se encuentra deshabilitado en config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Verificando tabla %s", + "Turned on maintenance mode" : "Activar modo mantenimiento", + "Turned off maintenance mode" : "Desactivar modo mantenimiento", + "Maintenance mode is kept active" : "El modo mantenimiento sigue activo", + "Updating database schema" : "Actualizando esquema de base de datos", + "Updated database" : "Base de datos actualizada", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Verificando si el archivo del esquema de base de datos puede ser actualizado (esto puedo tomar mucho tiempo dependiendo del tamaño de la base de datos)", + "Checked database schema update" : "Actualización del esquema de base de datos verificada", + "Checking updates of apps" : "Verificando actualizaciónes para aplicaciones", + "Checking for update of app \"%s\" in appstore" : "Verificando actualizaciones para la aplicacion \"%s\" en la appstore", + "Update app \"%s\" from appstore" : "Actualizar la aplicación \"%s\" desde la appstore", + "Checked for update of app \"%s\" in appstore" : "Se verificaron actualizaciones para la aplicación \"%s\" en la appstore", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificando si el esquema de la base de datos para %s puede ser actualizado (esto puede tomar mucho tiempo dependiendo del tamaño de la base de datos)", + "Checked database schema update for apps" : "Se verificó la actualización del esquema de la base de datos para las aplicaciones", + "Updated \"%s\" to %s" : "Actualizando \"%s\" a %s", + "Set log level to debug" : "Establecer nivel de bitacora a depurar", + "Reset log level" : "Restablecer nivel de bitácora", + "Starting code integrity check" : "Comenzando verificación de integridad del código", + "Finished code integrity check" : "Verificación de integridad del código terminó", + "%s (incompatible)" : "%s (incompatible)", + "Following apps have been disabled: %s" : "Las siguientes aplicaciones han sido deshabilitadas: %s", + "Already up to date" : "Ya está actualizado", + "Search contacts …" : "Buscar contactos ...", + "No contacts found" : "No se encontraron contactos", + "Show all contacts …" : "Mostrar todos los contactos ...", + "Loading your contacts …" : "Cargando sus contactos ... ", + "Looking for {term} …" : "Buscando {term} ...", + "There were problems with the code integrity check. More information…" : "Se presentaron problemas con la verificación de integridad del código. Mayor información ...", + "No action available" : "No hay acciones disponibles", + "Error fetching contact actions" : "Se presentó un error al traer las acciónes de contatos", + "Settings" : "Configuraciones ", + "Connection to server lost" : "Se ha perdido la conexión con el servidor", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Se presentó un erorr al cargar la página, recargando en %n segundo","Se presentó un erorr al cargar la página, recargando en %n segundo"], + "Saving..." : "Guardando...", + "Dismiss" : "Descartar", + "This action requires you to confirm your password" : "Esta acción requiere que confirme su contraseña", + "Authentication required" : "Se requiere autenticación", + "Password" : "Contraseña", + "Cancel" : "Cancelar", + "Confirm" : "Confirmar", + "Failed to authenticate, try again" : "Falla en la autenticación, favor de reintentar", + "seconds ago" : "hace segundos", + "Logging in …" : "Ingresando ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "El link para restablecer su contraseña ha sido enviada a su correo electrónico. Si no lo recibe dentro de un tiempo razonable, verifique las carpetas de spam/basura.
Si no la encuentra consulte a su adminstrador local.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Sus archivos están encriptados. No habrá manera de recuperar sus datos una vez que restablezca su contraseña.
Si no está seguro de qué hacer, favor de contactar a su administrador antes de continuar.
¿Realmente desea continuar?", + "I know what I'm doing" : "Sé lo que estoy haciendo", + "Password can not be changed. Please contact your administrator." : "Las contraseñas no se pueden cambiar. Favor de contactar a su adminstrador", + "Reset password" : "Restablecer contraseña", + "No" : "No", + "Yes" : "Sí", + "No files in here" : "No hay archivos aquí", + "Choose" : "Seleccionar", + "Copy" : "Copiar", + "Error loading file picker template: {error}" : "Se presentó un error al cargar la plantilla del seleccionador de archivos: {error}", + "OK" : "OK", + "Error loading message template: {error}" : "Se presentó un error al cargar la plantilla del mensaje: {error}", + "read-only" : "sólo-lectura", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflicto de archivo","{count} conflictos en el archivo"], + "One file conflict" : "Un conflicto en el archivo", + "New Files" : "Archivos Nuevos", + "Already existing files" : "Archivos ya existentes", + "Which files do you want to keep?" : "¿Cuales archivos desea mantener?", + "If you select both versions, the copied file will have a number added to its name." : "Si selecciona ambas versiones, se le agregará un número al nombre del archivo copiado.", + "Continue" : "Continuar", + "(all selected)" : "(todos seleccionados)", + "({count} selected)" : "({count} seleccionados)", + "Error loading file exists template" : "Se presentó un error al cargar la plantilla de existe archivo ", + "Pending" : "Pendiente", + "Very weak password" : "Contraseña muy débil", + "Weak password" : "Contraseña débil", + "So-so password" : "Contraseña aceptable", + "Good password" : "Buena contraseña", + "Strong password" : "Contraseña fuerte", + "Error occurred while checking server setup" : "Se presentó un error al verificar la configuración del servidor", + "Shared" : "Compartido", + "Error setting expiration date" : "Se presentó un error al establecer la fecha de expiración", + "The public link will expire no later than {days} days after it is created" : "El link público expirará a los {days} días de haber sido creado", + "Set expiration date" : "Establecer la fecha de expiración", + "Expiration" : "Expiración", + "Expiration date" : "Fecha de expiración", + "Choose a password for the public link" : "Seleccione una contraseña para el link público", + "Choose a password for the public link or press the \"Enter\" key" : "Favor de elegir una contraseña para el link público o presione \"Intro\"", + "Copied!" : "¡Copiado!", + "Not supported!" : "¡No está soportado!", + "Press ⌘-C to copy." : "Presione ⌘-C para copiar.", + "Press Ctrl-C to copy." : "Presione Ctrl-C para copiar.", + "Resharing is not allowed" : "No se permite volver a compartir", + "Share to {name}" : "Compartir con {name}", + "Share link" : "Compartir link", + "Link" : "Link", + "Password protect" : "Proteger con contraseña", + "Allow editing" : "Permitir editar", + "Email link to person" : "Enviar el link por correo electrónico a una persona", + "Send" : "Enviar", + "Allow upload and editing" : "Permitir cargar y editar", + "Read only" : "Solo lectura", + "File drop (upload only)" : "Soltar archivo (solo para carga)", + "Shared with you and the group {group} by {owner}" : "Compartido con usted y el grupo {group} por {owner}", + "Shared with you by {owner}" : "Compartido con usted por {owner}", + "Choose a password for the mail share" : "Establecer una contraseña para el elemento compartido por correo", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} ha compatido mediante un link", + "group" : "grupo", + "remote" : "remoto", + "email" : "correo electrónico", + "shared by {sharer}" : "compartido por {sharer}", + "Unshare" : "Dejar de compartir", + "Can reshare" : "Puede volver a compartir", + "Can edit" : "Puede editar", + "Can create" : "Puede crear", + "Can change" : "Puede cambiar", + "Can delete" : "Puede borrar", + "Access control" : "Control de acceso", + "Could not unshare" : "No fue posible dejar de compartir", + "Error while sharing" : "Se presentó un error al compartir", + "Share details could not be loaded for this item." : "Los detalles del recurso compartido no se pudieron cargar para este elemento. ", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Se requiere de la menos {count} caracter para el auto completar","Se requieren de la menos {count} caracteres para el auto completar"], + "This list is maybe truncated - please refine your search term to see more results." : "Esta lista puede estar truncada - favor de refinar sus términos de búsqueda para poder ver más resultados. ", + "No users or groups found for {search}" : "No se encontraron usuarios o gurpos para {search}", + "No users found for {search}" : "No se encontraron usuarios para {search}", + "An error occurred. Please try again" : "Se presentó un error. Favor de volver a intentar", + "{sharee} (group)" : "{sharee} (grupo)", + "{sharee} (remote)" : "{sharee} (remoto)", + "{sharee} (email)" : "{sharee} (correo electrónico)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Compartir", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Comparta con otras personas ingresando un usuario, un grupo, un ID de nube federado o una dirección de correo electrónico.", + "Share with other people by entering a user or group or a federated cloud ID." : "Comparta con otras personas ingresando un usuario, un grupo o un ID de nube federado.", + "Share with other people by entering a user or group or an email address." : "Comparta con otras personas ingresando un usuario, un grupo o una dirección de correo electrónico.", + "Name or email address..." : "Nombre o dirección de correo electrónico", + "Name or federated cloud ID..." : "Nombre o ID de nube federada...", + "Name, federated cloud ID or email address..." : "Nombre, ID de nube federada o dirección de correo electrónico...", + "Name..." : "Nombre...", + "Error" : "Error", + "Error removing share" : "Se presentó un error al dejar de compartir", + "Non-existing tag #{tag}" : "Etiqueta #{tag} no-existente", + "restricted" : "restringido", + "invisible" : "invisible", + "({scope})" : "({scope})", + "Delete" : "Borrar", + "Rename" : "Renombrar", + "Collaborative tags" : "Etiquetas colaborativas", + "No tags found" : "No se encontraron etiquetas", + "unknown text" : "texto desconocido", + "Hello world!" : "¡Hola mundo!", + "sunny" : "soleado", + "Hello {name}, the weather is {weather}" : "Hola {name}, el clima es {weather}", + "Hello {name}" : "Hola {name}", + "These are your search results" : "Estos son los resultados de su búsqueda ", + "new" : "nuevo", + "_download %n file_::_download %n files_" : ["Descargar %n archivos","Descargar %n archivos"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "La actualización está en curso, abandonar esta página puede interrumpir el proceso en algunos ambientes. ", + "Update to {version}" : "Actualizar a {version}", + "An error occurred." : "Se presentó un error.", + "Please reload the page." : "Favor de volver a cargar la página.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "La actualización no fue exitosa. Para más información consulte nuestro comentario en el foro que cubre este tema. ", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "La actualización no fue exitosa. Favor de reportar este tema a la Comunidad Nextcloud.", + "Continue to Nextcloud" : "Continuar a Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundo. ","La actualización fue exitosa. Lo estamos redireccionando a Nextcloud en %n segundos."], + "Searching other places" : "Buscando en otras ubicaciones", + "No search results in other folders for {tag}{filter}{endtag}" : "No hay resultados para la búsqueda en otras carpetas para {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de la búsqueda en otra carpeta","{count} resultados de la búsqueda en otras carpetas"], + "Personal" : "Personal", + "Users" : "Usuarios", + "Apps" : "Aplicaciones", + "Admin" : "Administración", + "Help" : "Ayuda", + "Access forbidden" : "Acceso denegado", + "File not found" : "Archivo no encontrado", + "The specified document has not been found on the server." : "El documento especificado no ha sido encontrado en el servidor. ", + "You can click here to return to %s." : "Puede hacer click aquí para regresar a %s.", + "Internal Server Error" : "Error interno del servidor", + "More details can be found in the server log." : "Puede consultar más detalles en la bitácora del servidor. ", + "Technical details" : "Detalles técnicos", + "Remote Address: %s" : "Dirección Remota: %s", + "Request ID: %s" : "ID de solicitud: %s", + "Type: %s" : "Tipo: %s", + "Code: %s" : "Código: %s", + "Message: %s" : "Mensaje: %s", + "File: %s" : "Archivo: %s", + "Line: %s" : "Línea: %s", + "Trace" : "Rastrear", + "Security warning" : "Advertencia de seguridad", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su directorio de datos y sus archivos probablemente sean accesibles desde Internet ya que el archivo .htaccess no funciona.", + "Create an admin account" : "Crear una cuenta de administrador", + "Username" : "Nombre de usuario", + "Storage & database" : "Almacenamiento & base de datos", + "Data folder" : "Carpeta de datos", + "Configure the database" : "Configurar la base de datos", + "Only %s is available." : "Sólo %s está disponible.", + "Install and activate additional PHP modules to choose other database types." : "Instale y active módulos adicionales de PHP para seleccionar otros tipos de bases de datos. ", + "For more details check out the documentation." : "Favor de consultar la documentación para más detalles. ", + "Database user" : "Usuario de la base de datos", + "Database password" : "Contraseña de la base de datos", + "Database name" : "Nombre de la base de datos", + "Database tablespace" : "Espacio de tablas en la base de datos", + "Database host" : "Servidor de base de datos", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Favor de especificar el número de puerto así como el nombre del servidor (ejem., localhost:5432).", + "Performance warning" : "Advertencia de desempeño", + "SQLite will be used as database." : "SQLite será usado como la base de datos.", + "For larger installations we recommend to choose a different database backend." : "Para instalaciones más grandes le recomendamos elegir un backend de base de datos diferente.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "El uso de SQLiite es especialmente desalentado al usar el cliente de escritorio para sincrionizar. ", + "Finish setup" : "Terminar configuración", + "Finishing …" : "Terminando …", + "Need help?" : "¿Necesita ayuda?", + "See the documentation" : "Ver la documentación", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicación requiere de JavaScript para su correcta operación. Favor de {linkstart}habilitar JavaScript{linkend} y vuelva a cargar la página. ", + "More apps" : "Más aplicaciones", + "Search" : "Buscar", + "Confirm your password" : "Confirme su contraseña", + "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", + "Please contact your administrator." : "Favor de contactar al administrador.", + "An internal error occurred." : "Se presentó un error interno.", + "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", + "Username or email" : "Nombre de usuario o contraseña", + "Log in" : "Ingresar", + "Wrong password." : "Contraseña inválida. ", + "Stay logged in" : "Mantener la sesión abierta", + "Alternative Logins" : "Accesos Alternativos", + "Account access" : "Acceso a la cuenta", + "You are about to grant %s access to your %s account." : "Está a punto de concederle a \"%s\" acceso a su cuenta %s.", + "App token" : "Ficha de la aplicación", + "Alternative login using app token" : "Inicio de sesión alternativo usando la ficha de la aplicación", + "Redirecting …" : "Redireccionando ... ", + "New password" : "Nueva contraseña", + "New Password" : "Nueva Contraseña", + "Two-factor authentication" : "Autenticación de dos-factores", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "La seguridad mejorada está habilitada para su cuenta. Favor de autenticarse usando un segundo factor. ", + "Cancel log in" : "Cancelar inicio de sesión", + "Use backup code" : "Usar código de respaldo", + "Error while validating your second factor" : "Se presentó un error al validar su segundo factor", + "Add \"%s\" as trusted domain" : "Agregar \"%s\" como un dominio de confianza", + "App update required" : "Se requiere una actualización de la aplicación", + "%s will be updated to version %s" : "%s será actualizado a la versión %s", + "These apps will be updated:" : "Las siguientes apllicaciones se actualizarán:", + "These incompatible apps will be disabled:" : "Las siguientes aplicaciones incompatibles serán deshabilitadas:", + "The theme %s has been disabled." : "El tema %s ha sido deshabilitado. ", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Favor de asegurarse que la base de datos, la carpeta de configuración y las carpetas de datos hayan sido respaldadas antes de continuar. ", + "Start update" : "Iniciar actualización", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar que la expiración de tiempo en instalaciones grandes, usted puede ejeuctar el siguiente comando desde su directorio de instalación:", + "Detailed logs" : "Bitácoras detalladas", + "Update needed" : "Actualización requerida", + "Please use the command line updater because you have a big instance with more than 50 users." : "Favor de usar el actualizador desde la línea de comandos ya que su instancia cuenta con más de 50 usuarios.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Estoy conciente de que si continuo haciendo la actualización vía web, la interfaz de usuario corre el riesgo de que el tiempo de la solicitud expire y cause pérdida de datos, pero cuento con un respaldo y sé como restaurar mi instancia en caso de una falla. ", + "Upgrade via web on my own risk" : "Actualizar vía Web bajo mi propio riesgo", + "This %s instance is currently in maintenance mode, which may take a while." : "Esta instancia %s se encuentra actualmente en modo mantenimiento, que podría tomar algo de tiempo. ", + "This page will refresh itself when the %s instance is available again." : "Esta página se actualizará sola cuando la instancia %s esté disponible de nuevo. ", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte a su administrador del sistema si este mensaje persiste o se presentó de manera inesperada.", + "Thank you for your patience." : "Gracias por su paciencia." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/core/l10n/fa.js b/core/l10n/fa.js new file mode 100644 index 0000000000000..11e1d0a573382 --- /dev/null +++ b/core/l10n/fa.js @@ -0,0 +1,271 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "لطفا فایل مورد نظر را انتخاب کنید ", + "File is too big" : "فایل خیلی بزرگ است", + "The selected file is not an image." : "فایل انتخاب شده عکس نمی باشد.", + "The selected file cannot be read." : "فایل انتخاب شده خوانده نمی شود.", + "Invalid file provided" : "فایل داده‌شده نا معتبر است", + "No image or file provided" : "هیچ فایل یا تصویری وارد نشده است", + "Unknown filetype" : "نوع فایل ناشناخته", + "Invalid image" : "عکس نامعتبر", + "An error occurred. Please contact your admin." : "یک خطا رخ داده است. لطفا با مدیر سیستم تماس بگیرید.", + "No temporary profile picture available, try again" : "تصویر پروفایل موقت در حال حاضر در دسترس نیست ، دوباره تلاش کنید ", + "No crop data provided" : "هیچ داده برش داده شده ارائه نشده است", + "No valid crop data provided" : "هیچ داده برش داده شده معتبر ارائه نشده است", + "Crop is not square" : "بخش بریده شده مربع نیست", + "State token does not match" : "State token مطابقت ندارد", + "Password reset is disabled" : "تنظیم مجدد رمز عبور فعال نیست", + "Couldn't reset password because the token is invalid" : "تنظیم مجدد گذرواژه میسر نیست, Token نامعتبر است", + "Couldn't reset password because the token is expired" : "تنظیم مجدد گذرواژه میسر نیست, Token منقضی شده است", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "ایمیل بازنشانی ارسال نشد, زیرا هیچ نشانی ایمیل برای این نام کاربری وجود ندارد. لطفا با ادمین خود تماس بگیرید.", + "%s password reset" : "%s رمزعبور تغییر کرد", + "Password reset" : "تنظیم مجدد رمز عبور", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی دکمه زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی لینک زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", + "Reset your password" : "تنظیم مجدد رمز عبور", + "Couldn't send reset email. Please contact your administrator." : "ارسال ایمیل مجدد با مشکل مواجه شد . لطفا با مدیر سیستم تماس بگیرید .", + "Couldn't send reset email. Please make sure your username is correct." : "پست الکترونیکی بازنشانی نشد, لطفا مطمئن شوید که نام کاربری شما درست است", + "Preparing update" : "آماده‌سازی به روز‌ رسانی", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "اخطار تعمیر:", + "Repair error: " : "خطای تعمیر:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Please use the command line updater because automatic updating is disabled in the config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: چک کردن جدول %s", + "Turned on maintenance mode" : "حالت \" در دست تعمیر \" فعال شد .", + "Turned off maintenance mode" : "حالت \" در دست تعمیر \" غیرفعال شد .", + "Maintenance mode is kept active" : "حالت تعمیرات فعال نگه‌داشته شده است", + "Updating database schema" : "به روز رسانی طرح پایگاه داده", + "Updated database" : "بروز رسانی پایگاه داده انجام شد .", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", + "Checked database schema update" : "به روز رسانی طرح پایگاه داده بررسی شد", + "Checking updates of apps" : "بررسی به روزرسانی های برنامه ها", + "Checking for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه \"%s\" در فروشگاه App", + "Update app \"%s\" from appstore" : " \"%s\" به روز رسانی شد", + "Checked for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه %s", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده %s می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", + "Checked database schema update for apps" : "Checked database schema update for apps", + "Updated \"%s\" to %s" : "\"%s\" به %s بروزرسانی شد", + "Set log level to debug" : "Set log level to debug", + "Reset log level" : "Reset log level", + "Starting code integrity check" : "Starting code integrity check", + "Finished code integrity check" : "Finished code integrity check", + "%s (incompatible)" : "%s (incompatible)", + "Following apps have been disabled: %s" : "برنامه های زیر غیر فعال شده اند %s", + "Already up to date" : "در حال حاضر بروز است", + "Search contacts …" : "جستجو مخاطبین ...", + "No contacts found" : "مخاطبین یافت نشد", + "Show all contacts …" : "نمایش همه مخاطبین ...", + "Loading your contacts …" : "بارگیری مخاطبین شما ...", + "Looking for {term} …" : "به دنبال {term} …", + "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", + "No action available" : "هیچ عملی قابل انجام نیست", + "Error fetching contact actions" : "خطا در دریافت فعالیتهای تماس", + "Settings" : "تنظیمات", + "Connection to server lost" : "اتصال به سرور از دست رفته است", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["%nمشکل بارگذاری صفحه، بارگیری مجدد در ثانیه"], + "Saving..." : "در حال ذخیره سازی...", + "Dismiss" : "پنهان کن", + "This action requires you to confirm your password" : "این اقدام نیاز به تایید رمز عبور شما دارد", + "Authentication required" : "احراز هویت مورد نیاز است", + "Password" : "گذرواژه", + "Cancel" : "منصرف شدن", + "Confirm" : "تایید", + "Failed to authenticate, try again" : "تأیید هویت نشد، دوباره امتحان کنید", + "seconds ago" : "ثانیه‌ها پیش", + "Logging in …" : "ورود به سیستم ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "لینک تنظیم مجدد رمز عبور به ایمیل شما ارسال شده است.
اگر آن رادر یک زمان مشخصی دریافت نکرده اید، لطفا هرزنامه/ پوشه های ناخواسته را بررسی کنید.
در صورت نبودن از مدیر خود بپرسید.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری می شوند پس از بازنشانی گذرواژه شما هیچ راهی برای بازگرداندن اطلاعات نخواهید داشت.
اگر مطمئن نیستید که چه کاری باید انجام دهید، قبل از ادامه دادن، با ادمین خود تماس بگیرید.
واقعا می خواهید ادامه دهید؟ ", + "I know what I'm doing" : "اطلاع از انجام این کار دارم", + "Password can not be changed. Please contact your administrator." : "رمز عبور نمی تواند تغییر بکند . لطفا با مدیر سیستم تماس بگیرید .", + "Reset password" : "تنظیم مجدد رمز عبور", + "No" : "نه", + "Yes" : "بله", + "No files in here" : "هیچ فایلی اینجا وجود ندارد", + "Choose" : "انتخاب کردن", + "Copy" : "کپی", + "Move" : "انتقال", + "Error loading file picker template: {error}" : "خطا در بارگذاری قالب انتخاب فایل : {error}", + "OK" : "تایید", + "Error loading message template: {error}" : "خطا در بارگذاری قالب پیام : {error}", + "read-only" : "فقط-خواندنی", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} تضاد در فایل"], + "One file conflict" : "یک فایل متضاد", + "New Files" : "فایل های جدید", + "Already existing files" : "فایل های موجود در حال حاضر ", + "Which files do you want to keep?" : "کدام فایل ها را می خواهید نگه دارید ؟", + "If you select both versions, the copied file will have a number added to its name." : "اگر هر دو نسخه را انتخاب کنید، فایل کپی شده یک شماره به نام آن اضافه خواهد شد.", + "Continue" : "ادامه", + "(all selected)" : "(همه انتخاب شده اند)", + "({count} selected)" : "({count} انتخاب شده)", + "Error loading file exists template" : "خطا در بارگزاری فایل قالب", + "Pending" : "در انتظار", + "Copy to {folder}" : "کپی به {folder}", + "Move to {folder}" : "انتقال به {folder}", + "Very weak password" : "رمز عبور بسیار ضعیف", + "Weak password" : "رمز عبور ضعیف", + "So-so password" : "رمز عبور متوسط", + "Good password" : "رمز عبور خوب", + "Strong password" : "رمز عبور قوی", + "Error occurred while checking server setup" : "خطا در هنگام چک کردن راه‌اندازی سرور رخ داده است", + "Shared" : "اشتراک گذاشته شده", + "Error setting expiration date" : "خطا در تنظیم تاریخ انقضا", + "The public link will expire no later than {days} days after it is created" : "لینک عمومی پس از {days} روز پس از ایجاد منقضی خواهد شد", + "Set expiration date" : "تنظیم تاریخ انقضا", + "Expiration" : "تاریخ انقضا", + "Expiration date" : "تاریخ انقضا", + "Choose a password for the public link" : "انتخاب رمز برای لینک عمومی", + "Choose a password for the public link or press the \"Enter\" key" : "یک رمز عبور برای لینک عمومی انتخاب کنید یا کلید \"Enter\" را فشار دهید", + "Copied!" : "کپی انجام شد!", + "Not supported!" : "پشتیبانی وجود ندارد!", + "Press ⌘-C to copy." : "برای کپی کردن از دکمه های C+⌘ استفاده نمایید", + "Press Ctrl-C to copy." : "برای کپی کردن از دکمه ctrl+c استفاده نمایید", + "Resharing is not allowed" : "اشتراک گذاری مجدد مجاز نمی باشد", + "Share to {name}" : "به اشتراک گذاشتن برای {name}", + "Share link" : "اشتراک گذاشتن لینک", + "Link" : "لینک", + "Password protect" : "نگهداری کردن رمز عبور", + "Allow editing" : "اجازه‌ی ویرایش", + "Email link to person" : "پیوند ایمیل برای شخص.", + "Send" : "ارسال", + "Allow upload and editing" : "اجازه آپلود و ویرایش", + "Read only" : "فقط خواندنی", + "File drop (upload only)" : "انداختن فایل (فقط آپلود)", + "Shared with you and the group {group} by {owner}" : "به اشتراک گذاشته شده با شما و گروه {گروه} توسط {دارنده}", + "Shared with you by {owner}" : "به اشتراک گذاشته شده با شما توسط { دارنده}", + "Choose a password for the mail share" : "یک رمز عبور برای اشتراک ایمیل انتخاب کنید", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} به اشتراک گذاشته شده از طریق لینک", + "group" : "گروه", + "remote" : "از راه دور", + "email" : "ایمیل", + "shared by {sharer}" : "اشتراک گذاشته شده توسط {sharer}", + "Unshare" : "لغو اشتراک", + "Can reshare" : "می توان مجددا به اشتراک گذاشت", + "Can edit" : "می توان ویرایش کرد", + "Can create" : "میتوان ایجاد کرد", + "Can change" : "می توان تغییر داد", + "Can delete" : "می توان حذف کرد", + "Access control" : "کنترل دسترسی", + "Could not unshare" : "اشتراک گذاری بازگردانده نشد", + "Error while sharing" : "خطا درحال به اشتراک گذاشتن", + "Share details could not be loaded for this item." : "جزئیات اشتراک گذاری برای این مورد قابل بارگذاری نیست.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["برای تکمیل خودکار لازم است حداقل {count} کاراکتر وجود داشته باشد"], + "This list is maybe truncated - please refine your search term to see more results." : "این فهرست ممکن است کامل نباشد - لطفا نتایج جستجوی خود را ریفرش کنید تا نتایج بیشتری ببینید.", + "No users or groups found for {search}" : "هیچ کاربری یا گروهی یافت نشد {search}", + "No users found for {search}" : "هیچ کاربری با جستجوی {search} یافت نشد", + "An error occurred. Please try again" : "یک خطا رخ داده است، لطفا مجددا تلاش کنید", + "{sharee} (group)" : "{sharee} (group)", + "{sharee} (remote)" : "{sharee} (remote)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "اشتراک‌گذاری", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "با وارد کردن یک کاربر یا گروه، شناسه Federated Cloud یا آدرس ایمیل با دیگران به اشتراک بگذارید.", + "Share with other people by entering a user or group or a federated cloud ID." : "با وارد کردن یک کاربر یا گروه یا شناسه Federated Cloud با افراد دیگر به اشتراک بگذارید.", + "Share with other people by entering a user or group or an email address." : "با وارد کردن یک کاربر یا گروه یا یک آدرس ایمیل با افراد دیگر به اشتراک بگذارید.", + "Name or email address..." : "نام یا آدرس ایمیل ...", + "Name or federated cloud ID..." : "نام یا شناسه Federated Cloud ...", + "Name, federated cloud ID or email address..." : "نام, آدرس ایمیل یا شناسه Federated Cloud ...", + "Name..." : "نام...", + "Error" : "خطا", + "Error removing share" : "خطا در حذف اشتراک گذاری", + "Non-existing tag #{tag}" : "برچسب غیر موجود #{tag}", + "restricted" : "محدود", + "invisible" : "غیر قابل مشاهده", + "({scope})" : "({scope})", + "Delete" : "حذف", + "Rename" : "تغییرنام", + "Collaborative tags" : "برچسب های همکاری", + "No tags found" : "هیچ برچسبی یافت نشد", + "unknown text" : "متن نامعلوم", + "Hello world!" : "سلام دنیا!", + "sunny" : "آفتابی", + "Hello {name}, the weather is {weather}" : "سلام {name}, هوا {weather} است", + "Hello {name}" : "سلام {name}", + "These are your search results" : "این نتایج جستجوی شماست ", + "new" : "جدید", + "_download %n file_::_download %n files_" : ["دانلود %n فایل"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "به روز رسانی در حال انجام است، این صفحه ممکن است روند در برخی از محیط ها را قطع کند.", + "Update to {version}" : "بروزرسانی به {version}", + "An error occurred." : "یک خطا رخ‌داده است.", + "Please reload the page." : "لطفا صفحه را دوباره بارگیری کنید.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "به روزرسانی ناموفق بود. برای اطلاعات بیشتر فروم ما را بررسی کنید", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "به روزرسانی ناموفق بود. لطفا این مسئله را در جامعه Nextcloud گزارش دهید", + "Continue to Nextcloud" : "ادامه به Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["به روز رسانی موفقیت آمیز بود هدایت شما به Nextcloud در %nثانیه "], + "Searching other places" : "جستجو در مکان‌های دیگر", + "No search results in other folders for {tag}{filter}{endtag}" : "جستجو در پوشه های دیگر برای {tag}{filter}{endtag} یافت نشد", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} نتایج جستجو در پوشه های دیگر"], + "Personal" : "شخصی", + "Users" : "کاربران", + "Apps" : " برنامه ها", + "Admin" : "مدیر", + "Help" : "راه‌نما", + "Access forbidden" : "اجازه دسترسی به مناطق ممنوعه را ندارید", + "File not found" : "فایل یافت نشد", + "The specified document has not been found on the server." : "مستند مورد نظر در سرور یافت نشد.", + "You can click here to return to %s." : "شما می‎توانید برای بازگشت به %s اینجا کلیک کنید.", + "Internal Server Error" : "خطای داخلی سرور", + "The server was unable to complete your request." : "سرور قادر به تکمیل درخواست شما نبود.", + "If this happens again, please send the technical details below to the server administrator." : "اگر این اتفاق دوباره افتاد، لطفا جزئیات فنی زیر را به مدیر سرور ارسال کنید.", + "More details can be found in the server log." : "جزئیات بیشتر در لاگ سرور قابل مشاهده خواهد بود.", + "Technical details" : "جزئیات فنی", + "Remote Address: %s" : "آدرس راه‌دور: %s", + "Request ID: %s" : "ID درخواست: %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." : "فایلها و فهرست های داده های شما قابل از اینترنت قابل دسترسی هستند، چونکه فایل htacces. کار نمی کند.", + "Create an admin account" : "لطفا یک شناسه برای مدیر بسازید", + "Username" : "نام کاربری", + "Storage & database" : "انبارش و پایگاه داده", + "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" : "جدول پایگاه داده", + "Database host" : "هاست پایگاه داده", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Please specify the port number along with the host name (e.g., localhost:5432).", + "Performance warning" : "اخطار کارایی", + "SQLite will be used as database." : "SQLite به عنوان پایگاه‎داده استفاده خواهد شد.", + "For larger installations we recommend to choose a different database backend." : "برای نصب و راه اندازی بزرگتر توصیه می کنیم یک پایگاه داده متفاوتی را انتخاب کنید.", + "Finish setup" : "اتمام نصب", + "Finishing …" : "در حال اتمام ...", + "Need help?" : "کمک لازم دارید ؟", + "See the documentation" : "مشاهده‌ی مستندات", + "More apps" : "برنامه های بیشتر", + "Search" : "جست‌و‌جو", + "Confirm your password" : "گذرواژه خود را تأیید کنید", + "Server side authentication failed!" : "تأیید هویت از سوی سرور انجام نشد!", + "Please contact your administrator." : "لطفا با مدیر وب‌سایت تماس بگیرید.", + "An internal error occurred." : "یک اشتباه داخلی رخ داد.", + "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", + "Username or email" : "نام کاربری یا ایمیل", + "Log in" : "ورود", + "Wrong password." : "گذرواژه اشتباه.", + "Stay logged in" : "در سیستم بمانید", + "Alternative Logins" : "ورود متناوب", + "Account access" : "دسترسی به حساب", + "App token" : "App token", + "New password" : "گذرواژه جدید", + "New Password" : "رمزعبور جدید", + "Cancel log in" : "لغو ورود", + "Use backup code" : "از کد پشتیبان استفاده شود", + "Add \"%s\" as trusted domain" : "افزودن \"%s\" به عنوان دامنه مورد اعتماد", + "App update required" : "نیاز به بروزرسانی برنامه وجود دارد", + "%s will be updated to version %s" : "%s به نسخه‌ی %s بروزرسانی خواهد شد", + "These apps will be updated:" : "این برنامه‌ها بروزرسانی شده‌اند:", + "The theme %s has been disabled." : "قالب %s غیر فعال شد.", + "Start update" : "اغاز به روز رسانی", + "Detailed logs" : "Detailed logs", + "Update needed" : "نیاز به روز رسانی دارد", + "Thank you for your patience." : "از صبر شما متشکریم" +}, +"nplurals=1; plural=0;"); diff --git a/core/l10n/fa.json b/core/l10n/fa.json new file mode 100644 index 0000000000000..f50a4f45d71d0 --- /dev/null +++ b/core/l10n/fa.json @@ -0,0 +1,269 @@ +{ "translations": { + "Please select a file." : "لطفا فایل مورد نظر را انتخاب کنید ", + "File is too big" : "فایل خیلی بزرگ است", + "The selected file is not an image." : "فایل انتخاب شده عکس نمی باشد.", + "The selected file cannot be read." : "فایل انتخاب شده خوانده نمی شود.", + "Invalid file provided" : "فایل داده‌شده نا معتبر است", + "No image or file provided" : "هیچ فایل یا تصویری وارد نشده است", + "Unknown filetype" : "نوع فایل ناشناخته", + "Invalid image" : "عکس نامعتبر", + "An error occurred. Please contact your admin." : "یک خطا رخ داده است. لطفا با مدیر سیستم تماس بگیرید.", + "No temporary profile picture available, try again" : "تصویر پروفایل موقت در حال حاضر در دسترس نیست ، دوباره تلاش کنید ", + "No crop data provided" : "هیچ داده برش داده شده ارائه نشده است", + "No valid crop data provided" : "هیچ داده برش داده شده معتبر ارائه نشده است", + "Crop is not square" : "بخش بریده شده مربع نیست", + "State token does not match" : "State token مطابقت ندارد", + "Password reset is disabled" : "تنظیم مجدد رمز عبور فعال نیست", + "Couldn't reset password because the token is invalid" : "تنظیم مجدد گذرواژه میسر نیست, Token نامعتبر است", + "Couldn't reset password because the token is expired" : "تنظیم مجدد گذرواژه میسر نیست, Token منقضی شده است", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "ایمیل بازنشانی ارسال نشد, زیرا هیچ نشانی ایمیل برای این نام کاربری وجود ندارد. لطفا با ادمین خود تماس بگیرید.", + "%s password reset" : "%s رمزعبور تغییر کرد", + "Password reset" : "تنظیم مجدد رمز عبور", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی دکمه زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "برای بازنشانی رمز عبور خود، روی لینک زیر کلیک کنید. اگر شما تنظیم مجدد رمز عبور را درخواست نکردید، این ایمیل را نادیده بگیرید.", + "Reset your password" : "تنظیم مجدد رمز عبور", + "Couldn't send reset email. Please contact your administrator." : "ارسال ایمیل مجدد با مشکل مواجه شد . لطفا با مدیر سیستم تماس بگیرید .", + "Couldn't send reset email. Please make sure your username is correct." : "پست الکترونیکی بازنشانی نشد, لطفا مطمئن شوید که نام کاربری شما درست است", + "Preparing update" : "آماده‌سازی به روز‌ رسانی", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "اخطار تعمیر:", + "Repair error: " : "خطای تعمیر:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Please use the command line updater because automatic updating is disabled in the config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: چک کردن جدول %s", + "Turned on maintenance mode" : "حالت \" در دست تعمیر \" فعال شد .", + "Turned off maintenance mode" : "حالت \" در دست تعمیر \" غیرفعال شد .", + "Maintenance mode is kept active" : "حالت تعمیرات فعال نگه‌داشته شده است", + "Updating database schema" : "به روز رسانی طرح پایگاه داده", + "Updated database" : "بروز رسانی پایگاه داده انجام شد .", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", + "Checked database schema update" : "به روز رسانی طرح پایگاه داده بررسی شد", + "Checking updates of apps" : "بررسی به روزرسانی های برنامه ها", + "Checking for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه \"%s\" در فروشگاه App", + "Update app \"%s\" from appstore" : " \"%s\" به روز رسانی شد", + "Checked for update of app \"%s\" in appstore" : "بررسی به روزرسانی های برنامه %s", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "بررسی اینکه آیا طرح پایگاه داده %s می تواند به روز شود (این ممکن است بسته به اندازه پایگاه داده طولانی باشد)", + "Checked database schema update for apps" : "Checked database schema update for apps", + "Updated \"%s\" to %s" : "\"%s\" به %s بروزرسانی شد", + "Set log level to debug" : "Set log level to debug", + "Reset log level" : "Reset log level", + "Starting code integrity check" : "Starting code integrity check", + "Finished code integrity check" : "Finished code integrity check", + "%s (incompatible)" : "%s (incompatible)", + "Following apps have been disabled: %s" : "برنامه های زیر غیر فعال شده اند %s", + "Already up to date" : "در حال حاضر بروز است", + "Search contacts …" : "جستجو مخاطبین ...", + "No contacts found" : "مخاطبین یافت نشد", + "Show all contacts …" : "نمایش همه مخاطبین ...", + "Loading your contacts …" : "بارگیری مخاطبین شما ...", + "Looking for {term} …" : "به دنبال {term} …", + "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", + "No action available" : "هیچ عملی قابل انجام نیست", + "Error fetching contact actions" : "خطا در دریافت فعالیتهای تماس", + "Settings" : "تنظیمات", + "Connection to server lost" : "اتصال به سرور از دست رفته است", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["%nمشکل بارگذاری صفحه، بارگیری مجدد در ثانیه"], + "Saving..." : "در حال ذخیره سازی...", + "Dismiss" : "پنهان کن", + "This action requires you to confirm your password" : "این اقدام نیاز به تایید رمز عبور شما دارد", + "Authentication required" : "احراز هویت مورد نیاز است", + "Password" : "گذرواژه", + "Cancel" : "منصرف شدن", + "Confirm" : "تایید", + "Failed to authenticate, try again" : "تأیید هویت نشد، دوباره امتحان کنید", + "seconds ago" : "ثانیه‌ها پیش", + "Logging in …" : "ورود به سیستم ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "لینک تنظیم مجدد رمز عبور به ایمیل شما ارسال شده است.
اگر آن رادر یک زمان مشخصی دریافت نکرده اید، لطفا هرزنامه/ پوشه های ناخواسته را بررسی کنید.
در صورت نبودن از مدیر خود بپرسید.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "فایل های شما رمزگذاری می شوند پس از بازنشانی گذرواژه شما هیچ راهی برای بازگرداندن اطلاعات نخواهید داشت.
اگر مطمئن نیستید که چه کاری باید انجام دهید، قبل از ادامه دادن، با ادمین خود تماس بگیرید.
واقعا می خواهید ادامه دهید؟ ", + "I know what I'm doing" : "اطلاع از انجام این کار دارم", + "Password can not be changed. Please contact your administrator." : "رمز عبور نمی تواند تغییر بکند . لطفا با مدیر سیستم تماس بگیرید .", + "Reset password" : "تنظیم مجدد رمز عبور", + "No" : "نه", + "Yes" : "بله", + "No files in here" : "هیچ فایلی اینجا وجود ندارد", + "Choose" : "انتخاب کردن", + "Copy" : "کپی", + "Move" : "انتقال", + "Error loading file picker template: {error}" : "خطا در بارگذاری قالب انتخاب فایل : {error}", + "OK" : "تایید", + "Error loading message template: {error}" : "خطا در بارگذاری قالب پیام : {error}", + "read-only" : "فقط-خواندنی", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} تضاد در فایل"], + "One file conflict" : "یک فایل متضاد", + "New Files" : "فایل های جدید", + "Already existing files" : "فایل های موجود در حال حاضر ", + "Which files do you want to keep?" : "کدام فایل ها را می خواهید نگه دارید ؟", + "If you select both versions, the copied file will have a number added to its name." : "اگر هر دو نسخه را انتخاب کنید، فایل کپی شده یک شماره به نام آن اضافه خواهد شد.", + "Continue" : "ادامه", + "(all selected)" : "(همه انتخاب شده اند)", + "({count} selected)" : "({count} انتخاب شده)", + "Error loading file exists template" : "خطا در بارگزاری فایل قالب", + "Pending" : "در انتظار", + "Copy to {folder}" : "کپی به {folder}", + "Move to {folder}" : "انتقال به {folder}", + "Very weak password" : "رمز عبور بسیار ضعیف", + "Weak password" : "رمز عبور ضعیف", + "So-so password" : "رمز عبور متوسط", + "Good password" : "رمز عبور خوب", + "Strong password" : "رمز عبور قوی", + "Error occurred while checking server setup" : "خطا در هنگام چک کردن راه‌اندازی سرور رخ داده است", + "Shared" : "اشتراک گذاشته شده", + "Error setting expiration date" : "خطا در تنظیم تاریخ انقضا", + "The public link will expire no later than {days} days after it is created" : "لینک عمومی پس از {days} روز پس از ایجاد منقضی خواهد شد", + "Set expiration date" : "تنظیم تاریخ انقضا", + "Expiration" : "تاریخ انقضا", + "Expiration date" : "تاریخ انقضا", + "Choose a password for the public link" : "انتخاب رمز برای لینک عمومی", + "Choose a password for the public link or press the \"Enter\" key" : "یک رمز عبور برای لینک عمومی انتخاب کنید یا کلید \"Enter\" را فشار دهید", + "Copied!" : "کپی انجام شد!", + "Not supported!" : "پشتیبانی وجود ندارد!", + "Press ⌘-C to copy." : "برای کپی کردن از دکمه های C+⌘ استفاده نمایید", + "Press Ctrl-C to copy." : "برای کپی کردن از دکمه ctrl+c استفاده نمایید", + "Resharing is not allowed" : "اشتراک گذاری مجدد مجاز نمی باشد", + "Share to {name}" : "به اشتراک گذاشتن برای {name}", + "Share link" : "اشتراک گذاشتن لینک", + "Link" : "لینک", + "Password protect" : "نگهداری کردن رمز عبور", + "Allow editing" : "اجازه‌ی ویرایش", + "Email link to person" : "پیوند ایمیل برای شخص.", + "Send" : "ارسال", + "Allow upload and editing" : "اجازه آپلود و ویرایش", + "Read only" : "فقط خواندنی", + "File drop (upload only)" : "انداختن فایل (فقط آپلود)", + "Shared with you and the group {group} by {owner}" : "به اشتراک گذاشته شده با شما و گروه {گروه} توسط {دارنده}", + "Shared with you by {owner}" : "به اشتراک گذاشته شده با شما توسط { دارنده}", + "Choose a password for the mail share" : "یک رمز عبور برای اشتراک ایمیل انتخاب کنید", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} به اشتراک گذاشته شده از طریق لینک", + "group" : "گروه", + "remote" : "از راه دور", + "email" : "ایمیل", + "shared by {sharer}" : "اشتراک گذاشته شده توسط {sharer}", + "Unshare" : "لغو اشتراک", + "Can reshare" : "می توان مجددا به اشتراک گذاشت", + "Can edit" : "می توان ویرایش کرد", + "Can create" : "میتوان ایجاد کرد", + "Can change" : "می توان تغییر داد", + "Can delete" : "می توان حذف کرد", + "Access control" : "کنترل دسترسی", + "Could not unshare" : "اشتراک گذاری بازگردانده نشد", + "Error while sharing" : "خطا درحال به اشتراک گذاشتن", + "Share details could not be loaded for this item." : "جزئیات اشتراک گذاری برای این مورد قابل بارگذاری نیست.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["برای تکمیل خودکار لازم است حداقل {count} کاراکتر وجود داشته باشد"], + "This list is maybe truncated - please refine your search term to see more results." : "این فهرست ممکن است کامل نباشد - لطفا نتایج جستجوی خود را ریفرش کنید تا نتایج بیشتری ببینید.", + "No users or groups found for {search}" : "هیچ کاربری یا گروهی یافت نشد {search}", + "No users found for {search}" : "هیچ کاربری با جستجوی {search} یافت نشد", + "An error occurred. Please try again" : "یک خطا رخ داده است، لطفا مجددا تلاش کنید", + "{sharee} (group)" : "{sharee} (group)", + "{sharee} (remote)" : "{sharee} (remote)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "اشتراک‌گذاری", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "با وارد کردن یک کاربر یا گروه، شناسه Federated Cloud یا آدرس ایمیل با دیگران به اشتراک بگذارید.", + "Share with other people by entering a user or group or a federated cloud ID." : "با وارد کردن یک کاربر یا گروه یا شناسه Federated Cloud با افراد دیگر به اشتراک بگذارید.", + "Share with other people by entering a user or group or an email address." : "با وارد کردن یک کاربر یا گروه یا یک آدرس ایمیل با افراد دیگر به اشتراک بگذارید.", + "Name or email address..." : "نام یا آدرس ایمیل ...", + "Name or federated cloud ID..." : "نام یا شناسه Federated Cloud ...", + "Name, federated cloud ID or email address..." : "نام, آدرس ایمیل یا شناسه Federated Cloud ...", + "Name..." : "نام...", + "Error" : "خطا", + "Error removing share" : "خطا در حذف اشتراک گذاری", + "Non-existing tag #{tag}" : "برچسب غیر موجود #{tag}", + "restricted" : "محدود", + "invisible" : "غیر قابل مشاهده", + "({scope})" : "({scope})", + "Delete" : "حذف", + "Rename" : "تغییرنام", + "Collaborative tags" : "برچسب های همکاری", + "No tags found" : "هیچ برچسبی یافت نشد", + "unknown text" : "متن نامعلوم", + "Hello world!" : "سلام دنیا!", + "sunny" : "آفتابی", + "Hello {name}, the weather is {weather}" : "سلام {name}, هوا {weather} است", + "Hello {name}" : "سلام {name}", + "These are your search results" : "این نتایج جستجوی شماست ", + "new" : "جدید", + "_download %n file_::_download %n files_" : ["دانلود %n فایل"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "به روز رسانی در حال انجام است، این صفحه ممکن است روند در برخی از محیط ها را قطع کند.", + "Update to {version}" : "بروزرسانی به {version}", + "An error occurred." : "یک خطا رخ‌داده است.", + "Please reload the page." : "لطفا صفحه را دوباره بارگیری کنید.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "به روزرسانی ناموفق بود. برای اطلاعات بیشتر فروم ما را بررسی کنید", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "به روزرسانی ناموفق بود. لطفا این مسئله را در جامعه Nextcloud گزارش دهید", + "Continue to Nextcloud" : "ادامه به Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["به روز رسانی موفقیت آمیز بود هدایت شما به Nextcloud در %nثانیه "], + "Searching other places" : "جستجو در مکان‌های دیگر", + "No search results in other folders for {tag}{filter}{endtag}" : "جستجو در پوشه های دیگر برای {tag}{filter}{endtag} یافت نشد", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} نتایج جستجو در پوشه های دیگر"], + "Personal" : "شخصی", + "Users" : "کاربران", + "Apps" : " برنامه ها", + "Admin" : "مدیر", + "Help" : "راه‌نما", + "Access forbidden" : "اجازه دسترسی به مناطق ممنوعه را ندارید", + "File not found" : "فایل یافت نشد", + "The specified document has not been found on the server." : "مستند مورد نظر در سرور یافت نشد.", + "You can click here to return to %s." : "شما می‎توانید برای بازگشت به %s اینجا کلیک کنید.", + "Internal Server Error" : "خطای داخلی سرور", + "The server was unable to complete your request." : "سرور قادر به تکمیل درخواست شما نبود.", + "If this happens again, please send the technical details below to the server administrator." : "اگر این اتفاق دوباره افتاد، لطفا جزئیات فنی زیر را به مدیر سرور ارسال کنید.", + "More details can be found in the server log." : "جزئیات بیشتر در لاگ سرور قابل مشاهده خواهد بود.", + "Technical details" : "جزئیات فنی", + "Remote Address: %s" : "آدرس راه‌دور: %s", + "Request ID: %s" : "ID درخواست: %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." : "فایلها و فهرست های داده های شما قابل از اینترنت قابل دسترسی هستند، چونکه فایل htacces. کار نمی کند.", + "Create an admin account" : "لطفا یک شناسه برای مدیر بسازید", + "Username" : "نام کاربری", + "Storage & database" : "انبارش و پایگاه داده", + "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" : "جدول پایگاه داده", + "Database host" : "هاست پایگاه داده", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Please specify the port number along with the host name (e.g., localhost:5432).", + "Performance warning" : "اخطار کارایی", + "SQLite will be used as database." : "SQLite به عنوان پایگاه‎داده استفاده خواهد شد.", + "For larger installations we recommend to choose a different database backend." : "برای نصب و راه اندازی بزرگتر توصیه می کنیم یک پایگاه داده متفاوتی را انتخاب کنید.", + "Finish setup" : "اتمام نصب", + "Finishing …" : "در حال اتمام ...", + "Need help?" : "کمک لازم دارید ؟", + "See the documentation" : "مشاهده‌ی مستندات", + "More apps" : "برنامه های بیشتر", + "Search" : "جست‌و‌جو", + "Confirm your password" : "گذرواژه خود را تأیید کنید", + "Server side authentication failed!" : "تأیید هویت از سوی سرور انجام نشد!", + "Please contact your administrator." : "لطفا با مدیر وب‌سایت تماس بگیرید.", + "An internal error occurred." : "یک اشتباه داخلی رخ داد.", + "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", + "Username or email" : "نام کاربری یا ایمیل", + "Log in" : "ورود", + "Wrong password." : "گذرواژه اشتباه.", + "Stay logged in" : "در سیستم بمانید", + "Alternative Logins" : "ورود متناوب", + "Account access" : "دسترسی به حساب", + "App token" : "App token", + "New password" : "گذرواژه جدید", + "New Password" : "رمزعبور جدید", + "Cancel log in" : "لغو ورود", + "Use backup code" : "از کد پشتیبان استفاده شود", + "Add \"%s\" as trusted domain" : "افزودن \"%s\" به عنوان دامنه مورد اعتماد", + "App update required" : "نیاز به بروزرسانی برنامه وجود دارد", + "%s will be updated to version %s" : "%s به نسخه‌ی %s بروزرسانی خواهد شد", + "These apps will be updated:" : "این برنامه‌ها بروزرسانی شده‌اند:", + "The theme %s has been disabled." : "قالب %s غیر فعال شد.", + "Start update" : "اغاز به روز رسانی", + "Detailed logs" : "Detailed logs", + "Update needed" : "نیاز به روز رسانی دارد", + "Thank you for your patience." : "از صبر شما متشکریم" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/core/l10n/ja.js b/core/l10n/ja.js new file mode 100644 index 0000000000000..83c645c145597 --- /dev/null +++ b/core/l10n/ja.js @@ -0,0 +1,288 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "ファイルを選択してください。", + "File is too big" : "ファイルが大きすぎます", + "The selected file is not an image." : "選択されたファイルは画像ではありません", + "The selected file cannot be read." : "選択されたファイルを読込みできませんでした", + "Invalid file provided" : "無効なファイルが提供されました", + "No image or file provided" : "画像もしくはファイルが提供されていません", + "Unknown filetype" : "不明なファイルタイプ", + "Invalid image" : "無効な画像", + "An error occurred. Please contact your admin." : "エラーが発生しました。管理者に連絡してください。", + "No temporary profile picture available, try again" : "一時的なプロファイル用画像が利用できません。もう一度試してください", + "No crop data provided" : "クロップデータは提供されません", + "No valid crop data provided" : "有効なクロップデータは提供されません", + "Crop is not square" : "クロップが正方形ではありません", + "State token does not match" : "トークンが適合しません", + "Password reset is disabled" : "パスワードリセットは無効化されています", + "Couldn't reset password because the token is invalid" : "トークンが無効なため、パスワードをリセットできませんでした", + "Couldn't reset password because the token is expired" : "トークンが期限切れのため、パスワードをリセットできませんでした", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "このユーザー名に紐付けられたメールアドレスがないため、リセットメールを送信できませんでした。管理者に問い合わせてください。", + "%s password reset" : "%s パスワードリセット", + "Password reset" : "パスワードのリセット", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "次のボタンをクリックしてパスワードをリセットしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "パスワードをリセットするには、次のリンクをクリックしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", + "Reset your password" : "パスワードをリセット", + "Couldn't send reset email. Please contact your administrator." : "リセットメールを送信できませんでした。管理者に問い合わせてください。", + "Couldn't send reset email. Please make sure your username is correct." : "リセットメールを送信できませんでした。ユーザー名が正しいことを確認してください。", + "Preparing update" : "アップデートの準備中", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "修復警告:", + "Repair error: " : "修復エラー:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "config.php で自動更新が無効になっているので、コマンドラインでの更新を利用してください。", + "[%d / %d]: Checking table %s" : "[%d / %d]: テーブル %s をチェック中", + "Turned on maintenance mode" : "メンテナンスモードがオンになりました", + "Turned off maintenance mode" : "メンテナンスモードがオフになりました", + "Maintenance mode is kept active" : "メンテナンスモードが継続中です", + "Updating database schema" : "データベースのスキーマを更新", + "Updated database" : "データベース更新済み", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "データベーススキーマーがアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", + "Checked database schema update" : "指定データベースのスキーマを更新", + "Checking updates of apps" : "アプリの更新をチェックしています。", + "Checking for update of app \"%s\" in appstore" : "アップストアで \"%s\" アプリの更新を確認しています", + "Update app \"%s\" from appstore" : "アップストアで \"%s\" アプリを更新", + "Checked for update of app \"%s\" in appstore" : "アップストアの \"%s\" アプリ更新確認済", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "データベーススキーマー %s がアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", + "Checked database schema update for apps" : "アプリの指定データベースのスキーマを更新", + "Updated \"%s\" to %s" : "\"%s\" を %s にアップデートしました。", + "Set log level to debug" : "ログをデバッグレベルに設定", + "Reset log level" : "ログレベルをリセット", + "Starting code integrity check" : "コード整合性の確認を開始", + "Finished code integrity check" : "コード整合性の確認が終了", + "%s (incompatible)" : "%s (非互換)", + "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", + "Already up to date" : "すべて更新済", + "Search contacts …" : "連絡先を検索...", + "No contacts found" : "連絡先が見つかりません", + "Show all contacts …" : "全ての連絡先を表示...", + "Loading your contacts …" : "連絡先を読み込み中...", + "Looking for {term} …" : "{term} を確認中 ...", + "There were problems with the code integrity check. More information…" : "コード整合性の確認で問題が発生しました。詳しくはこちら…", + "No action available" : "操作できません", + "Error fetching contact actions" : "連絡先操作取得エラー", + "Settings" : "設定", + "Connection to server lost" : "サーバとの接続が切断されました", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["ページ読込に問題がありました。%n秒後に再読込します"], + "Saving..." : "保存中...", + "Dismiss" : "閉じる", + "This action requires you to confirm your password" : "この操作では、パスワードを確認する必要があります", + "Authentication required" : "認証が必要です", + "Password" : "パスワード", + "Cancel" : "キャンセル", + "Confirm" : "確認", + "Failed to authenticate, try again" : "認証に失敗しました。もう一度お試しください", + "seconds ago" : "数秒前", + "Logging in …" : "ログイン中...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "パスワードをリセットするリンクをクリックしたので、メールを送信しました。しばらくたってもメールが届かなかった場合は、スパム/ジャンクフォルダーを確認してください。
それでも見つからなかった場合は、管理者に問合わせてください。", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。パスワードをリセットした場合、データを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", + "I know what I'm doing" : "どういう操作をしているか理解しています", + "Password can not be changed. Please contact your administrator." : "パスワードは変更できません。管理者に問い合わせてください。", + "Reset password" : "パスワードをリセット", + "Sending email …" : "メールを送信中 ...", + "No" : "いいえ", + "Yes" : "はい", + "No files in here" : "ここにはファイルがありません", + "Choose" : "選択", + "Copy" : "コピー", + "Move" : "移動", + "Error loading file picker template: {error}" : "ファイル選択テンプレートの読み込みエラー: {error}", + "OK" : "OK", + "Error loading message template: {error}" : "メッセージテンプレートの読み込みエラー: {error}", + "read-only" : "読み取り専用", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} ファイルが競合"], + "One file conflict" : "1ファイルが競合", + "New Files" : "新しいファイル", + "Already existing files" : "既存のファイル", + "Which files do you want to keep?" : "どちらのファイルを保持しますか?", + "If you select both versions, the copied file will have a number added to its name." : "両方のバージョンを選択した場合は、ファイル名の後ろに数字を追加したファイルのコピーを作成します。", + "Continue" : "続ける", + "(all selected)" : "(すべて選択)", + "({count} selected)" : "({count} 選択)", + "Error loading file exists template" : "既存ファイルのテンプレートの読み込みエラー", + "Pending" : "保留中", + "Copy to {folder}" : "{folder}へコピー", + "Move to {folder}" : "{folder}へ移動", + "Very weak password" : "非常に弱いパスワード", + "Weak password" : "弱いパスワード", + "So-so password" : "まずまずのパスワード", + "Good password" : "良好なパスワード", + "Strong password" : "強いパスワード", + "Error occurred while checking server setup" : "サーバー設定のチェック中にエラーが発生しました", + "Shared" : "共有中", + "Error setting expiration date" : "有効期限の設定でエラー発生", + "The public link will expire no later than {days} days after it is created" : "URLによる共有は、作成してから {days} 日以内に有効期限切れになります", + "Set expiration date" : "有効期限を設定", + "Expiration" : "期限切れ", + "Expiration date" : "有効期限", + "Choose a password for the public link" : "URLによる共有のパスワードを入力", + "Choose a password for the public link or press the \"Enter\" key" : "公開リンクのパスワードを入力、または、\"エンター\"のみを叩く", + "Copied!" : "コピーされました!", + "Not supported!" : "サポートされていません!", + "Press ⌘-C to copy." : "⌘+Cを押してコピーします。", + "Press Ctrl-C to copy." : "Ctrl+Cを押してコピーします。", + "Resharing is not allowed" : "再共有は許可されていません", + "Share to {name}" : "{name} に共有する", + "Share link" : "URLで共有", + "Link" : "リンク", + "Password protect" : "パスワード保護を有効化", + "Allow editing" : "編集を許可", + "Email link to person" : "メールリンク", + "Send" : "送信", + "Allow upload and editing" : "アップロードと編集を許可する", + "Read only" : "読み取り専用", + "File drop (upload only)" : "ファイルドロップ(アップロードのみ)", + "Shared with you and the group {group} by {owner}" : "あなたと {owner} のグループ {group} で共有中", + "Shared with you by {owner}" : "{owner} より共有中", + "Choose a password for the mail share" : "メール共有のパスワードを選択", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} がリンク経由で共有", + "group" : "グループ", + "remote" : "リモート", + "email" : "メール", + "shared by {sharer}" : "共有した人 {sharer}", + "Unshare" : "共有解除", + "Can reshare" : "再共有可能", + "Can edit" : "編集可能", + "Can create" : "作成可能", + "Can change" : "変更可能", + "Can delete" : "削除可能", + "Access control" : "アクセス制御", + "Could not unshare" : "共有の解除ができませんでした", + "Error while sharing" : "共有でエラー発生", + "Share details could not be loaded for this item." : "共有の詳細はこのアイテムによりロードできませんでした。", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["オートコンプリートには{count}文字以上必要です"], + "This list is maybe truncated - please refine your search term to see more results." : "このリストは切り捨てられている可能性があります - 検索語句を絞り込んで検索結果を表示してください。", + "No users or groups found for {search}" : "{search} の検索でユーザー、グループが見つかりません", + "No users found for {search}" : "{search} のユーザーはいませんでした", + "An error occurred. Please try again" : "エラーが発生しました。もう一度実行してください。", + "{sharee} (group)" : "{sharee} (グループ)", + "{sharee} (remote)" : "{sharee} (リモート)", + "{sharee} (email)" : "{sharee} (メール)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "共有", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "ユーザー名、グループ、クラウド統合ID、メールアドレスで共有", + "Share with other people by entering a user or group or a federated cloud ID." : "ユーザー名、グループ、クラウド統合IDで共有", + "Share with other people by entering a user or group or an email address." : "ユーザー名やグループ名、メールアドレスで共有", + "Name or email address..." : "名前またはメールアドレス", + "Name or federated cloud ID..." : "ユーザー名または、クラウド統合ID...", + "Name, federated cloud ID or email address..." : "ユーザー名、クラウド統合ID、またはメールアドレス", + "Name..." : "ユーザー名...", + "Error" : "エラー", + "Error removing share" : "共有の削除エラー", + "Non-existing tag #{tag}" : "存在しないタグ#{tag}", + "restricted" : "制限済", + "invisible" : "不可視", + "({scope})" : "({scope})", + "Delete" : "削除", + "Rename" : "名前の変更", + "Collaborative tags" : "コラボタグ", + "No tags found" : "タグが見つかりません", + "unknown text" : "不明なテキスト", + "Hello world!" : "Hello world!", + "sunny" : "快晴", + "Hello {name}, the weather is {weather}" : "こんにちは、 {name}、 天気は{weather}です", + "Hello {name}" : " {name}さん、こんにちは", + "These are your search results" : "これが検索結果です", + "new" : "新規", + "_download %n file_::_download %n files_" : ["%n個のファイルをダウンロード"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "更新が進行中です。このページを離れると一部の環境では処理が中断されてしまう可能性があります。", + "Update to {version}" : "{version} にアップデート", + "An error occurred." : "エラーが発生しました。", + "Please reload the page." : "ページをリロードしてください。", + "The update was unsuccessful. For more information check our forum post covering this issue." : "アップデートできませんでした。この問題に対する詳細な情報については、フォーラムの投稿を確認してください ", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "アップデートできませんでした。Nextcloud コミュニティ に問題を報告してください。", + "Continue to Nextcloud" : "Nextcloud に進む", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["更新が成功しました。 %n 秒後に Nextcloud にリダイレクトします。"], + "Searching other places" : "他の場所の検索", + "No search results in other folders for {tag}{filter}{endtag}" : "他のフォルダーに {tag}{filter}{endtag} の検索結果はありません", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["他のフォルダーの検索件数 {count}"], + "Personal" : "個人", + "Users" : "ユーザー", + "Apps" : "アプリ", + "Admin" : "管理", + "Help" : "ヘルプ", + "Access forbidden" : "アクセスが禁止されています", + "File not found" : "ファイルが見つかりません", + "The specified document has not been found on the server." : "サーバーに指定されたファイルが見つかりませんでした。", + "You can click here to return to %s." : "ここをクリックすると、 %s に戻れます。", + "Internal Server Error" : "内部サーバーエラー", + "More details can be found in the server log." : "詳細は、サーバーのログを確認してください。", + "Technical details" : "技術詳細", + "Remote Address: %s" : "リモートアドレス: %s", + "Request ID: %s" : "リクエスト ID: %s", + "Type: %s" : "種類: %s", + "Code: %s" : "コード: %s", + "Message: %s" : "メッセージ: %s", + "File: %s" : "ファイル: %s", + "Line: %s" : "行: %s", + "Trace" : "トレース", + "Security warning" : "セキュリティ警告", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : ".htaccessファイルが動作していないため、おそらくあなたのデータディレクトリまたはファイルはインターネットからアクセス可能になっています。", + "Create an admin account" : "管理者アカウントを作成してください", + "Username" : "ユーザー名", + "Storage & database" : "ストレージとデータベース", + "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" : "データベースの表領域", + "Database host" : "データベースのホスト名", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "ポート番号をホスト名とともに指定してください(例:localhost:5432)。", + "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" : "ドキュメントを確認してください", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "このアプリケーションの動作にはJavaScriptが必要です。\n {linkstart}JavaScriptを有効にし{linkend} 、ページを更新してください。 ", + "More apps" : "さらにアプリ", + "Search" : "検索", + "Confirm your password" : "パスワードを確認", + "Server side authentication failed!" : "サーバーサイドの認証に失敗しました!", + "Please contact your administrator." : "管理者に問い合わせてください。", + "An internal error occurred." : "内部エラーが発生しました。", + "Please try again or contact your administrator." : "もう一度試してみるか、管理者に問い合わせてください。", + "Username or email" : "ユーザ名かメールアドレス", + "Log in" : "ログイン", + "Wrong password." : "パスワードが間違っています。", + "Stay logged in" : "ログインしたままにする", + "Forgot password?" : "パスワードをお忘れですか?", + "Alternative Logins" : "代替ログイン", + "Account access" : "アカウントによるアクセス許可", + "You are about to grant %s access to your %s account." : "%s アカウントに あなたのアカウント %s へのアクセスを許可", + "App token" : "アプリのトークン", + "Alternative login using app token" : "アプリトークンを使って代替ログイン", + "Redirecting …" : "転送中...", + "New password" : "新しいパスワードを入力", + "New Password" : "新しいパスワード", + "Two-factor authentication" : "2要素認証", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "このアカウントは強化セキュリティが適用されています。第二経路から認証してください。", + "Cancel log in" : "ログインをキャンセルする", + "Use backup code" : "バックアップコードを使用する", + "Error while validating your second factor" : "第二要素の検証でエラーが発生しました", + "Add \"%s\" as trusted domain" : "\"%s\" を信頼するドメイン名に追加", + "App update required" : "アプリの更新が必要", + "%s will be updated to version %s" : "%s は バーション %s にアップデートされます", + "These apps will be updated:" : "次のアプリはアップデートされます:", + "These incompatible apps will be disabled:" : "次の非互換のないアプリは無効になる:", + "The theme %s has been disabled." : "テーマ %s が無効になっています。", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "データベースを確認してください。実行前にconfigフォルダーとdataフォルダーをバックアップします。", + "Start update" : "アップデートを開始", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "大規模なサイトの場合、ブラウザーがタイムアウトする可能性があるため、インストールディレクトリで以下のコマンドを実行することもできます。", + "Detailed logs" : "詳細ログ", + "Update needed" : "更新が必要です", + "Please use the command line updater because you have a big instance with more than 50 users." : "50人以上が使う大規模システムの場合は、コマンドラインでアップグレードを行ってください。", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Web 画面から続行すると危険性があることを理解しています。この操作がタイムアウトすると、データが失われる危険性があることを理解しています。もし失敗した場合には取得済みのバックアップから修復する方法を理解しています。", + "Upgrade via web on my own risk" : "危険性を理解した上でWeb画面からアップグレード", + "This %s instance is currently in maintenance mode, which may take a while." : "このサーバー %s は現在メンテナンスモードです。しばらくお待ちください。", + "This page will refresh itself when the %s instance is available again." : "この画面は、サーバー %s の再起動後に自動的に更新されます。", + "Contact your system administrator if this message persists or appeared unexpectedly." : "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に問い合わせてください。", + "Thank you for your patience." : "しばらくお待ちください。" +}, +"nplurals=1; plural=0;"); diff --git a/core/l10n/ja.json b/core/l10n/ja.json new file mode 100644 index 0000000000000..fc49850b94a6a --- /dev/null +++ b/core/l10n/ja.json @@ -0,0 +1,286 @@ +{ "translations": { + "Please select a file." : "ファイルを選択してください。", + "File is too big" : "ファイルが大きすぎます", + "The selected file is not an image." : "選択されたファイルは画像ではありません", + "The selected file cannot be read." : "選択されたファイルを読込みできませんでした", + "Invalid file provided" : "無効なファイルが提供されました", + "No image or file provided" : "画像もしくはファイルが提供されていません", + "Unknown filetype" : "不明なファイルタイプ", + "Invalid image" : "無効な画像", + "An error occurred. Please contact your admin." : "エラーが発生しました。管理者に連絡してください。", + "No temporary profile picture available, try again" : "一時的なプロファイル用画像が利用できません。もう一度試してください", + "No crop data provided" : "クロップデータは提供されません", + "No valid crop data provided" : "有効なクロップデータは提供されません", + "Crop is not square" : "クロップが正方形ではありません", + "State token does not match" : "トークンが適合しません", + "Password reset is disabled" : "パスワードリセットは無効化されています", + "Couldn't reset password because the token is invalid" : "トークンが無効なため、パスワードをリセットできませんでした", + "Couldn't reset password because the token is expired" : "トークンが期限切れのため、パスワードをリセットできませんでした", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "このユーザー名に紐付けられたメールアドレスがないため、リセットメールを送信できませんでした。管理者に問い合わせてください。", + "%s password reset" : "%s パスワードリセット", + "Password reset" : "パスワードのリセット", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "次のボタンをクリックしてパスワードをリセットしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "パスワードをリセットするには、次のリンクをクリックしてください。 パスワードリセットをリクエストしていない場合は、このメールを無視してください。", + "Reset your password" : "パスワードをリセット", + "Couldn't send reset email. Please contact your administrator." : "リセットメールを送信できませんでした。管理者に問い合わせてください。", + "Couldn't send reset email. Please make sure your username is correct." : "リセットメールを送信できませんでした。ユーザー名が正しいことを確認してください。", + "Preparing update" : "アップデートの準備中", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "修復警告:", + "Repair error: " : "修復エラー:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "config.php で自動更新が無効になっているので、コマンドラインでの更新を利用してください。", + "[%d / %d]: Checking table %s" : "[%d / %d]: テーブル %s をチェック中", + "Turned on maintenance mode" : "メンテナンスモードがオンになりました", + "Turned off maintenance mode" : "メンテナンスモードがオフになりました", + "Maintenance mode is kept active" : "メンテナンスモードが継続中です", + "Updating database schema" : "データベースのスキーマを更新", + "Updated database" : "データベース更新済み", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "データベーススキーマーがアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", + "Checked database schema update" : "指定データベースのスキーマを更新", + "Checking updates of apps" : "アプリの更新をチェックしています。", + "Checking for update of app \"%s\" in appstore" : "アップストアで \"%s\" アプリの更新を確認しています", + "Update app \"%s\" from appstore" : "アップストアで \"%s\" アプリを更新", + "Checked for update of app \"%s\" in appstore" : "アップストアの \"%s\" アプリ更新確認済", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "データベーススキーマー %s がアップデートできるかどうかチェックしています。(この操作の時間はデータベースの容量によります)", + "Checked database schema update for apps" : "アプリの指定データベースのスキーマを更新", + "Updated \"%s\" to %s" : "\"%s\" を %s にアップデートしました。", + "Set log level to debug" : "ログをデバッグレベルに設定", + "Reset log level" : "ログレベルをリセット", + "Starting code integrity check" : "コード整合性の確認を開始", + "Finished code integrity check" : "コード整合性の確認が終了", + "%s (incompatible)" : "%s (非互換)", + "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", + "Already up to date" : "すべて更新済", + "Search contacts …" : "連絡先を検索...", + "No contacts found" : "連絡先が見つかりません", + "Show all contacts …" : "全ての連絡先を表示...", + "Loading your contacts …" : "連絡先を読み込み中...", + "Looking for {term} …" : "{term} を確認中 ...", + "There were problems with the code integrity check. More information…" : "コード整合性の確認で問題が発生しました。詳しくはこちら…", + "No action available" : "操作できません", + "Error fetching contact actions" : "連絡先操作取得エラー", + "Settings" : "設定", + "Connection to server lost" : "サーバとの接続が切断されました", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["ページ読込に問題がありました。%n秒後に再読込します"], + "Saving..." : "保存中...", + "Dismiss" : "閉じる", + "This action requires you to confirm your password" : "この操作では、パスワードを確認する必要があります", + "Authentication required" : "認証が必要です", + "Password" : "パスワード", + "Cancel" : "キャンセル", + "Confirm" : "確認", + "Failed to authenticate, try again" : "認証に失敗しました。もう一度お試しください", + "seconds ago" : "数秒前", + "Logging in …" : "ログイン中...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "パスワードをリセットするリンクをクリックしたので、メールを送信しました。しばらくたってもメールが届かなかった場合は、スパム/ジャンクフォルダーを確認してください。
それでも見つからなかった場合は、管理者に問合わせてください。", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "ファイルが暗号化されています。パスワードをリセットした場合、データを元に戻す方法はありません。
どういうことか分からない場合は、操作を継続する前に管理者に問い合わせてください。
続けてよろしいでしょうか?", + "I know what I'm doing" : "どういう操作をしているか理解しています", + "Password can not be changed. Please contact your administrator." : "パスワードは変更できません。管理者に問い合わせてください。", + "Reset password" : "パスワードをリセット", + "Sending email …" : "メールを送信中 ...", + "No" : "いいえ", + "Yes" : "はい", + "No files in here" : "ここにはファイルがありません", + "Choose" : "選択", + "Copy" : "コピー", + "Move" : "移動", + "Error loading file picker template: {error}" : "ファイル選択テンプレートの読み込みエラー: {error}", + "OK" : "OK", + "Error loading message template: {error}" : "メッセージテンプレートの読み込みエラー: {error}", + "read-only" : "読み取り専用", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} ファイルが競合"], + "One file conflict" : "1ファイルが競合", + "New Files" : "新しいファイル", + "Already existing files" : "既存のファイル", + "Which files do you want to keep?" : "どちらのファイルを保持しますか?", + "If you select both versions, the copied file will have a number added to its name." : "両方のバージョンを選択した場合は、ファイル名の後ろに数字を追加したファイルのコピーを作成します。", + "Continue" : "続ける", + "(all selected)" : "(すべて選択)", + "({count} selected)" : "({count} 選択)", + "Error loading file exists template" : "既存ファイルのテンプレートの読み込みエラー", + "Pending" : "保留中", + "Copy to {folder}" : "{folder}へコピー", + "Move to {folder}" : "{folder}へ移動", + "Very weak password" : "非常に弱いパスワード", + "Weak password" : "弱いパスワード", + "So-so password" : "まずまずのパスワード", + "Good password" : "良好なパスワード", + "Strong password" : "強いパスワード", + "Error occurred while checking server setup" : "サーバー設定のチェック中にエラーが発生しました", + "Shared" : "共有中", + "Error setting expiration date" : "有効期限の設定でエラー発生", + "The public link will expire no later than {days} days after it is created" : "URLによる共有は、作成してから {days} 日以内に有効期限切れになります", + "Set expiration date" : "有効期限を設定", + "Expiration" : "期限切れ", + "Expiration date" : "有効期限", + "Choose a password for the public link" : "URLによる共有のパスワードを入力", + "Choose a password for the public link or press the \"Enter\" key" : "公開リンクのパスワードを入力、または、\"エンター\"のみを叩く", + "Copied!" : "コピーされました!", + "Not supported!" : "サポートされていません!", + "Press ⌘-C to copy." : "⌘+Cを押してコピーします。", + "Press Ctrl-C to copy." : "Ctrl+Cを押してコピーします。", + "Resharing is not allowed" : "再共有は許可されていません", + "Share to {name}" : "{name} に共有する", + "Share link" : "URLで共有", + "Link" : "リンク", + "Password protect" : "パスワード保護を有効化", + "Allow editing" : "編集を許可", + "Email link to person" : "メールリンク", + "Send" : "送信", + "Allow upload and editing" : "アップロードと編集を許可する", + "Read only" : "読み取り専用", + "File drop (upload only)" : "ファイルドロップ(アップロードのみ)", + "Shared with you and the group {group} by {owner}" : "あなたと {owner} のグループ {group} で共有中", + "Shared with you by {owner}" : "{owner} より共有中", + "Choose a password for the mail share" : "メール共有のパスワードを選択", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} がリンク経由で共有", + "group" : "グループ", + "remote" : "リモート", + "email" : "メール", + "shared by {sharer}" : "共有した人 {sharer}", + "Unshare" : "共有解除", + "Can reshare" : "再共有可能", + "Can edit" : "編集可能", + "Can create" : "作成可能", + "Can change" : "変更可能", + "Can delete" : "削除可能", + "Access control" : "アクセス制御", + "Could not unshare" : "共有の解除ができませんでした", + "Error while sharing" : "共有でエラー発生", + "Share details could not be loaded for this item." : "共有の詳細はこのアイテムによりロードできませんでした。", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["オートコンプリートには{count}文字以上必要です"], + "This list is maybe truncated - please refine your search term to see more results." : "このリストは切り捨てられている可能性があります - 検索語句を絞り込んで検索結果を表示してください。", + "No users or groups found for {search}" : "{search} の検索でユーザー、グループが見つかりません", + "No users found for {search}" : "{search} のユーザーはいませんでした", + "An error occurred. Please try again" : "エラーが発生しました。もう一度実行してください。", + "{sharee} (group)" : "{sharee} (グループ)", + "{sharee} (remote)" : "{sharee} (リモート)", + "{sharee} (email)" : "{sharee} (メール)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "共有", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "ユーザー名、グループ、クラウド統合ID、メールアドレスで共有", + "Share with other people by entering a user or group or a federated cloud ID." : "ユーザー名、グループ、クラウド統合IDで共有", + "Share with other people by entering a user or group or an email address." : "ユーザー名やグループ名、メールアドレスで共有", + "Name or email address..." : "名前またはメールアドレス", + "Name or federated cloud ID..." : "ユーザー名または、クラウド統合ID...", + "Name, federated cloud ID or email address..." : "ユーザー名、クラウド統合ID、またはメールアドレス", + "Name..." : "ユーザー名...", + "Error" : "エラー", + "Error removing share" : "共有の削除エラー", + "Non-existing tag #{tag}" : "存在しないタグ#{tag}", + "restricted" : "制限済", + "invisible" : "不可視", + "({scope})" : "({scope})", + "Delete" : "削除", + "Rename" : "名前の変更", + "Collaborative tags" : "コラボタグ", + "No tags found" : "タグが見つかりません", + "unknown text" : "不明なテキスト", + "Hello world!" : "Hello world!", + "sunny" : "快晴", + "Hello {name}, the weather is {weather}" : "こんにちは、 {name}、 天気は{weather}です", + "Hello {name}" : " {name}さん、こんにちは", + "These are your search results" : "これが検索結果です", + "new" : "新規", + "_download %n file_::_download %n files_" : ["%n個のファイルをダウンロード"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "更新が進行中です。このページを離れると一部の環境では処理が中断されてしまう可能性があります。", + "Update to {version}" : "{version} にアップデート", + "An error occurred." : "エラーが発生しました。", + "Please reload the page." : "ページをリロードしてください。", + "The update was unsuccessful. For more information check our forum post covering this issue." : "アップデートできませんでした。この問題に対する詳細な情報については、フォーラムの投稿を確認してください ", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "アップデートできませんでした。Nextcloud コミュニティ に問題を報告してください。", + "Continue to Nextcloud" : "Nextcloud に進む", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["更新が成功しました。 %n 秒後に Nextcloud にリダイレクトします。"], + "Searching other places" : "他の場所の検索", + "No search results in other folders for {tag}{filter}{endtag}" : "他のフォルダーに {tag}{filter}{endtag} の検索結果はありません", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["他のフォルダーの検索件数 {count}"], + "Personal" : "個人", + "Users" : "ユーザー", + "Apps" : "アプリ", + "Admin" : "管理", + "Help" : "ヘルプ", + "Access forbidden" : "アクセスが禁止されています", + "File not found" : "ファイルが見つかりません", + "The specified document has not been found on the server." : "サーバーに指定されたファイルが見つかりませんでした。", + "You can click here to return to %s." : "ここをクリックすると、 %s に戻れます。", + "Internal Server Error" : "内部サーバーエラー", + "More details can be found in the server log." : "詳細は、サーバーのログを確認してください。", + "Technical details" : "技術詳細", + "Remote Address: %s" : "リモートアドレス: %s", + "Request ID: %s" : "リクエスト ID: %s", + "Type: %s" : "種類: %s", + "Code: %s" : "コード: %s", + "Message: %s" : "メッセージ: %s", + "File: %s" : "ファイル: %s", + "Line: %s" : "行: %s", + "Trace" : "トレース", + "Security warning" : "セキュリティ警告", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : ".htaccessファイルが動作していないため、おそらくあなたのデータディレクトリまたはファイルはインターネットからアクセス可能になっています。", + "Create an admin account" : "管理者アカウントを作成してください", + "Username" : "ユーザー名", + "Storage & database" : "ストレージとデータベース", + "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" : "データベースの表領域", + "Database host" : "データベースのホスト名", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "ポート番号をホスト名とともに指定してください(例:localhost:5432)。", + "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" : "ドキュメントを確認してください", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "このアプリケーションの動作にはJavaScriptが必要です。\n {linkstart}JavaScriptを有効にし{linkend} 、ページを更新してください。 ", + "More apps" : "さらにアプリ", + "Search" : "検索", + "Confirm your password" : "パスワードを確認", + "Server side authentication failed!" : "サーバーサイドの認証に失敗しました!", + "Please contact your administrator." : "管理者に問い合わせてください。", + "An internal error occurred." : "内部エラーが発生しました。", + "Please try again or contact your administrator." : "もう一度試してみるか、管理者に問い合わせてください。", + "Username or email" : "ユーザ名かメールアドレス", + "Log in" : "ログイン", + "Wrong password." : "パスワードが間違っています。", + "Stay logged in" : "ログインしたままにする", + "Forgot password?" : "パスワードをお忘れですか?", + "Alternative Logins" : "代替ログイン", + "Account access" : "アカウントによるアクセス許可", + "You are about to grant %s access to your %s account." : "%s アカウントに あなたのアカウント %s へのアクセスを許可", + "App token" : "アプリのトークン", + "Alternative login using app token" : "アプリトークンを使って代替ログイン", + "Redirecting …" : "転送中...", + "New password" : "新しいパスワードを入力", + "New Password" : "新しいパスワード", + "Two-factor authentication" : "2要素認証", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "このアカウントは強化セキュリティが適用されています。第二経路から認証してください。", + "Cancel log in" : "ログインをキャンセルする", + "Use backup code" : "バックアップコードを使用する", + "Error while validating your second factor" : "第二要素の検証でエラーが発生しました", + "Add \"%s\" as trusted domain" : "\"%s\" を信頼するドメイン名に追加", + "App update required" : "アプリの更新が必要", + "%s will be updated to version %s" : "%s は バーション %s にアップデートされます", + "These apps will be updated:" : "次のアプリはアップデートされます:", + "These incompatible apps will be disabled:" : "次の非互換のないアプリは無効になる:", + "The theme %s has been disabled." : "テーマ %s が無効になっています。", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "データベースを確認してください。実行前にconfigフォルダーとdataフォルダーをバックアップします。", + "Start update" : "アップデートを開始", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "大規模なサイトの場合、ブラウザーがタイムアウトする可能性があるため、インストールディレクトリで以下のコマンドを実行することもできます。", + "Detailed logs" : "詳細ログ", + "Update needed" : "更新が必要です", + "Please use the command line updater because you have a big instance with more than 50 users." : "50人以上が使う大規模システムの場合は、コマンドラインでアップグレードを行ってください。", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Web 画面から続行すると危険性があることを理解しています。この操作がタイムアウトすると、データが失われる危険性があることを理解しています。もし失敗した場合には取得済みのバックアップから修復する方法を理解しています。", + "Upgrade via web on my own risk" : "危険性を理解した上でWeb画面からアップグレード", + "This %s instance is currently in maintenance mode, which may take a while." : "このサーバー %s は現在メンテナンスモードです。しばらくお待ちください。", + "This page will refresh itself when the %s instance is available again." : "この画面は、サーバー %s の再起動後に自動的に更新されます。", + "Contact your system administrator if this message persists or appeared unexpectedly." : "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に問い合わせてください。", + "Thank you for your patience." : "しばらくお待ちください。" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/core/l10n/lv.js b/core/l10n/lv.js new file mode 100644 index 0000000000000..1db9f05839ce9 --- /dev/null +++ b/core/l10n/lv.js @@ -0,0 +1,272 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Lūdzu izvēlies failu.", + "File is too big" : "Datne ir par lielu", + "The selected file is not an image." : "Atlasītais fails nav attēls.", + "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", + "Invalid file provided" : "Norādīta nederīga datne", + "No image or file provided" : "Nav norādīts attēls vai datne", + "Unknown filetype" : "Nezināms datnes tips", + "Invalid image" : "Nederīgs attēls", + "An error occurred. Please contact your admin." : "Notika kļūda. Lūdzu sazinies ar savu administratoru.", + "No temporary profile picture available, try again" : "Profila pagaidu attēls nav pieejams, mēģini vēlreiz", + "No crop data provided" : "Nav norādīti apgriešanas dati", + "No valid crop data provided" : "Nav norādīti derīgi apgriešanas dati", + "Crop is not square" : "Griezums nav kvadrāts", + "State token does not match" : "Neatbilstošs stāvokļa talons", + "Password reset is disabled" : "Paroles atiestatīšana nav iespējota", + "Couldn't reset password because the token is invalid" : "Nevarēja nomainīt paroli, jo pazīšanās zīme ir nederīga", + "Couldn't reset password because the token is expired" : "Nevarēja nomainīt paroli, jo pazīšanās zīmei beidzies derīguma termiņš", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Nevarēja nosūtīt paroles maiņas e-pastu, jo lietotājam nav norādīts e-pasts. Lūdzu sazinies ar savu administratoru.", + "%s password reset" : "%s paroles maiņa", + "Password reset" : "Parole atiestatīta", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo pogu, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo saiti, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", + "Reset your password" : "Atiestatīt paroli", + "Couldn't send reset email. Please contact your administrator." : "Nevarēja nosūtīt maiņas e-pastu. Lūdzu sazinies ar savu administratoru.", + "Couldn't send reset email. Please make sure your username is correct." : "Nevarēja nosūtīt paroles maiņas e-pastu. Pārliecinies, ka tavs lietotājvārds ir pareizs.", + "Preparing update" : "Sagatavo atjauninājumu", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Labošanas brīdinājums:", + "Repair error: " : "Labošanas kļūda:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Lūdzu izmanto komandrindas atjaunināšanu, jo automātiskā atjaunināšana ir atspējota konfigurācijas datnē config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Pārbauda tabulu %s", + "Turned on maintenance mode" : "Ieslēgts uzturēšanas režīms", + "Turned off maintenance mode" : "Izslēgts uzturēšanas režīms", + "Maintenance mode is kept active" : "Uzturēšanas režīms ir paturēts aktīvs", + "Updating database schema" : "Atjaunina datu bāzes shēmu", + "Updated database" : "Atjaunināta datu bāze", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Pārbauda vai datu bāzes shēma var būt atjaunināma (tas var prasīt laiku atkarībā no datu bāzes izmēriem)", + "Checked database schema update" : "Pārbaudīts datu bāzes shēmas atjauninājums", + "Checking updates of apps" : "Pārbauda programmu atjauninājumus", + "Checking for update of app \"%s\" in appstore" : "Meklē atjauninājumus lietotnei \"%s\"", + "Update app \"%s\" from appstore" : "Atjaunināt lietotni \"%s\"", + "Checked for update of app \"%s\" in appstore" : "Meklēti atjauninājumi lietotnei \"%s\"", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Nosaka, vai uz %s attiecināmā shēma var tikt atjaunināta (tas var prasīt daudz laiku atkarībā no datu bāzes izmēriem)", + "Checked database schema update for apps" : "Pārbaudīts datu bāzes shēmas atjauninājums lietotnēm.", + "Updated \"%s\" to %s" : "Atjaunināts \"%s\" uz %s", + "Set log level to debug" : "Iestatīt žurnāla rakstīšanu uz atkļūdošanas režīmā", + "Reset log level" : "Atiestatīt žurnāla rakstīšanas režīmu", + "Starting code integrity check" : "Uzsākta koda integritātes pārbaude", + "Finished code integrity check" : "Pabeigta koda integritātes pārbaude", + "%s (incompatible)" : "%s (nesaderīgs)", + "Following apps have been disabled: %s" : "Sekojošas programmas tika atslēgtas: %s", + "Already up to date" : "Jau ir jaunākā", + "Search contacts …" : "Meklēt kontaktpersonu", + "No contacts found" : "Nav atrasta ne viena kontaktpersona", + "Show all contacts …" : "Rādīt visas kontaktpersonas", + "Loading your contacts …" : "Notiek kontaktpersonu ielāde...", + "Looking for {term} …" : "Meklē {term} …", + "There were problems with the code integrity check. More information…" : "Programmatūras koda pārbaude atgrieza kļūdas. Sīkāk…", + "No action available" : "Nav pieejamu darbību", + "Error fetching contact actions" : "Kļūda rodot kontaktpersonām piemērojamās darbības", + "Settings" : "Iestatījumi", + "Connection to server lost" : "Zaudēts savienojums ar serveri", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm"], + "Saving..." : "Saglabā...", + "Dismiss" : "Atmest", + "This action requires you to confirm your password" : "Lai veiktu šo darbību, jums jāievada sava parole.", + "Authentication required" : "Nepieciešama autentifikācija", + "Password" : "Parole", + "Cancel" : "Atcelt", + "Confirm" : "Apstiprināt", + "Failed to authenticate, try again" : "Neizdevās autentificēt, mēģiniet vēlreiz", + "seconds ago" : "sekundes atpakaļ", + "Logging in …" : "Notiek pieteikšanās …", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Saite paroles atiestatīšanai nosūtīta uz jūsu e-pastu. Ja tuvākajā laikā to nesaņemat, pārbaudiet pastkastes mēstuļu sadaļu.
Ja arī tur to neatrodat, sazinieties ar savu administratoru.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu datnes ir šifrētas. Atiestatot paroli, jums zudīs iespēja tos atšifrēt.
Ja neessat pārliecināts, ko darīt, sazinieties ar savu administratoru.
Vai tiešām vēlaties turpināt?", + "I know what I'm doing" : "Es zinu ko es daru", + "Password can not be changed. Please contact your administrator." : "Paroli, nevar nomainīt. Lūdzu kontaktēties ar savu administratoru.", + "Reset password" : "Mainīt paroli", + "No" : "Nē", + "Yes" : "Jā", + "No files in here" : "Šeit nav datņu", + "Choose" : "Izvēlieties", + "Copy" : "Kopēt", + "Error loading file picker template: {error}" : "Kļūda ielādējot izvēlēto veidni: {error}", + "OK" : "Labi", + "Error loading message template: {error}" : "Kļūda ielādējot ziņojuma veidni: {error}", + "read-only" : "tikai-skatīt", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} datnes konflikts","{count} datnes konflikts","{count} datņu konflikti"], + "One file conflict" : "Vienas datnes konflikts", + "New Files" : "Jaunas datnes", + "Already existing files" : "Jau esošas datnes", + "Which files do you want to keep?" : "Kuras datnes vēlies paturēt?", + "If you select both versions, the copied file will have a number added to its name." : "Ja izvēlēsietes paturēt abas versijas, kopētā faila nosaukumam tiks pievienots skaitlis.", + "Continue" : "Turpināt", + "(all selected)" : "(visus iezīmētos)", + "({count} selected)" : "({count} iezīmēti)", + "Pending" : "Gaida", + "Very weak password" : "Ļoti vāja parole", + "Weak password" : "Vāja parole", + "So-so password" : "Normāla parole", + "Good password" : "Laba parole", + "Strong password" : "Lieliska parole", + "Error occurred while checking server setup" : "Radās kļūda, pārbaudot servera ", + "Shared" : "Koplietots", + "Error setting expiration date" : "Kļūda, iestatot termiņa datumu", + "Set expiration date" : "Iestatiet termiņa datumu", + "Expiration" : "Termiņš", + "Expiration date" : "Termiņa datums", + "Choose a password for the public link" : "Izvēlies paroli publiskai saitei", + "Choose a password for the public link or press the \"Enter\" key" : "Izvēlies paroli publiskai saitei vai nospiediet \"Enter\" taustiņu", + "Copied!" : "Nokopēts!", + "Not supported!" : "Nav atbalstīts!", + "Press ⌘-C to copy." : "Spiet ⌘-C lai kopētu.", + "Press Ctrl-C to copy." : "Spiet Ctrl-C lai kopētu.", + "Resharing is not allowed" : "Atkārtota dalīšanās nav atļauta", + "Share to {name}" : "Dalīties ar {name}", + "Share link" : "Koplietot saiti", + "Link" : "Saite", + "Password protect" : "Aizsargāt ar paroli", + "Allow editing" : "Atļaut rediģēt", + "Email link to person" : "Sūtīt saiti personai pa e-pastu", + "Send" : "Sūtīt", + "Allow upload and editing" : "Atļaut augšupielādi un rediģēšanu", + "Read only" : "Tikai lasāms", + "Shared with you and the group {group} by {owner}" : "{owner} koplietoja ar jums un grupu {group}", + "Shared with you by {owner}" : "{owner} koplietoja ar jums", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} koplietots ar saiti", + "group" : "grupa", + "remote" : "attālināti", + "email" : "e-pasts", + "shared by {sharer}" : "Koplietoja {sharer}", + "Unshare" : "Pārtraukt koplietošanu", + "Can edit" : "Var rediģēt", + "Can create" : "Var izveidot", + "Can change" : "Var mainīt", + "Can delete" : "Var dzēst", + "Access control" : "Piekļuves vadība", + "Could not unshare" : "Nevarēja pārtraukt koplietošanu", + "Error while sharing" : "Kļūda, daloties", + "Share details could not be loaded for this item." : "Šim nevarēja ielādēt koplietošanas detaļas.", + "No users or groups found for {search}" : "Pēc {search} netika atrasts neviens lietotājs vai grupa", + "No users found for {search}" : "Pēc {search} netika atrasts neviens lietotājs", + "An error occurred. Please try again" : "Notika kļūda. Mēģini vēlreiz.", + "{sharee} (group)" : "{sharee} (grupa)", + "{sharee} (remote)" : "{sharee} (attālināti)", + "{sharee} (email)" : "{sharee} (e-pasts)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Koplietot", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu, federated cloud ID vai e-pasta adresi.", + "Share with other people by entering a user or group or a federated cloud ID." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai federated cloud ID.", + "Share with other people by entering a user or group or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai e-pasta adresi.", + "Name or email address..." : "Vārds vai e-pasta adrese...", + "Name or federated cloud ID..." : "Vārds vai federated cloud ID", + "Name, federated cloud ID or email address..." : "Vārds, federated cloud ID vai e-pasta adrese...", + "Name..." : "Vārds...", + "Error" : "Kļūda", + "Error removing share" : "Kļūda, noņemot koplietošanu", + "restricted" : "ierobežots", + "invisible" : "Neredzams", + "({scope})" : "({scope})", + "Delete" : "Dzēst", + "Rename" : "Pārsaukt", + "Collaborative tags" : "Sadarbības atzīmes", + "No tags found" : "Netika atrasta neviena atzīme", + "unknown text" : "nezināms teksts", + "Hello world!" : "Sveika, pasaule!", + "sunny" : "saulains", + "Hello {name}, the weather is {weather}" : "Sveiks {name}, laiks ir {weather}", + "Hello {name}" : "Sveiks {name}", + "new" : "jauns", + "_download %n file_::_download %n files_" : ["lejupielādēt %n failus","lejupielādēt %n failus","lejupielādēt %n failus"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Notiek atjaunināšana, šīs lapas atstāšana var pārtraukt procesu dažās vidēs.", + "Update to {version}" : "Atjaunināts uz {version}", + "An error occurred." : "Radās kļūda.", + "Please reload the page." : "Lūdzu, atkārtoti ielādējiet lapu.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Atjauninājums nebija veiksmīgs. Plašāku informāciju skatiet mūsu foruma rakstā par šo problēmu.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Atjauninājums nebija veiksmīgs. Lūdzu ziņojiet šo ķļūdu Nextcloud kopienā.", + "Continue to Nextcloud" : "Turpināt ar Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundes.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm."], + "Searching other places" : "Meklēt citās vietās", + "No search results in other folders for {tag}{filter}{endtag}" : "Nav nekas atrasts citā mapēs {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs"], + "Personal" : "Personīgi", + "Users" : "Lietotāji", + "Apps" : "Programmas", + "Admin" : "Administratori", + "Help" : "Palīdzība", + "Access forbidden" : "Pieeja ir liegta", + "File not found" : "Fails nav atrasts", + "The specified document has not been found on the server." : "Norādītais dokuments nav atrasts serverī.", + "You can click here to return to %s." : "Jūs varat noklikšķināt šeit, lai atgrieztos uz %s.", + "Internal Server Error" : "Iekšēja servera kļūda", + "More details can be found in the server log." : "Sīkāka informācija atrodama servera žurnāl failā.", + "Technical details" : "Tehniskās detaļas", + "Remote Address: %s" : "Attālinātā adrese: %s", + "Request ID: %s" : "Pieprasījuma ID: %s", + "Type: %s" : "Tips: %s", + "Code: %s" : "Kods: %s", + "Message: %s" : "Ziņojums: %s", + "File: %s" : "Fails: %s", + "Line: %s" : "Līnija: %s", + "Trace" : "Izsekot", + "Security warning" : "Drošības brīdinājums", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Visticamāk, jūsu datu direktorija un datnes ir pieejamas no interneta, jo .htaccess datne nedarbojas.", + "Create an admin account" : "Izveidot administratora kontu", + "Username" : "Lietotājvārds", + "Storage & database" : "Krātuve & datubāze", + "Data folder" : "Datu mape", + "Configure the database" : "Konfigurēt datubāzi", + "Only %s is available." : "Tikai %s ir pieejams.", + "Install and activate additional PHP modules to choose other database types." : "Instalējiet un aktivizējiet papildus PHP moduļus lai izvēlētos citus datubāžu tipus.", + "For more details check out the documentation." : "Sīkākai informācijai skatiet dokumentāciju.", + "Database user" : "Datubāzes lietotājs", + "Database password" : "Datubāzes parole", + "Database name" : "Datubāzes nosaukums", + "Database tablespace" : "Datubāzes tabulas telpa", + "Database host" : "Datubāzes serveris", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Lūdzu, norādiet porta numuru kopā ar resursdatora nosaukumu (piemēram, localhost: 5432).", + "Performance warning" : "Veiktspējas brīdinājums", + "SQLite will be used as database." : "SQLite tiks izmantota kā datu bāze.", + "For larger installations we recommend to choose a different database backend." : "Priekš lielākām instalācijām mēs iesakām izvēlēties citu datubāzes serveri.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "It sevišķi, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju SQLite izmantošana nav ieteicama.", + "Finish setup" : "Pabeigt iestatīšanu", + "Finishing …" : "Pabeidz ...", + "Need help?" : "Vajadzīga palīdzība?", + "See the documentation" : "Skatiet dokumentāciju", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Šai programmai nepieciešams JavaScript. Lūdzu {linkstart}ieslēdziet JavasScript{linkend} un pārlādējiet lapu.", + "More apps" : "Vairāk programmu", + "Search" : "Meklēt", + "Confirm your password" : "Apstipriniet paroli", + "Server side authentication failed!" : "Servera autentifikācija neizdevās!", + "Please contact your administrator." : "Lūdzu, sazinieties ar administratoru.", + "An internal error occurred." : "Radās iekšēja kļūda.", + "Please try again or contact your administrator." : "Lūdzu, mēģiniet vēlreiz vai sazinieties ar administratoru.", + "Username or email" : "Lietotājvārds vai e-pasts", + "Log in" : "Ierakstīties", + "Wrong password." : "Nepareiza parole.", + "Stay logged in" : "Palikt ierakstītam", + "Alternative Logins" : "Alternatīvās pieteikšanās", + "App token" : "Programmas pilnvara", + "Alternative login using app token" : "Alternatīvās pieteikšanās izmantojot programmas pilnvaru.", + "Redirecting …" : "Novirzam ...", + "New password" : "Jauna parole", + "New Password" : "Jauna parole", + "Two-factor authentication" : "Divpakāpju autentifikācija", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Uzlabota drošība ir iespējota jūsu kontam. Lūdzu autentificējies izmantojot otru faktoru.", + "Cancel log in" : "Atcelt pierakstīšanos", + "Use backup code" : "Izmantojiet dublēšanas kodu", + "Error while validating your second factor" : "Kļūda validējot jūsu otru faktoru.", + "Add \"%s\" as trusted domain" : "Pievienot \"%s\" kā uzticamu domēnu", + "App update required" : "Programmai nepieciešama atjaunināšana", + "%s will be updated to version %s" : "%s tiks atjaunināts uz versiju %s", + "These apps will be updated:" : "Šīs programmas tiks atjauninātas:", + "These incompatible apps will be disabled:" : "Šīs nesaderīgās programmas tiks atspējotas:", + "The theme %s has been disabled." : "Tēma %s ir atspējota.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Lūdzu pārliecinieties ka datubāze, config mape un data mape ir dublētas pirms turpināšanas.", + "Start update" : "Sākt atjaunināšanu", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Lai izvairītos no noliedzes ar lielākām instalācijām, jūs varat palaist sekojošo komandu no jūsu instalācijas mapes:", + "Detailed logs" : "Detalizētas informācijas žurnālfaili", + "Update needed" : "Nepieciešama atjaunināšana", + "Please use the command line updater because you have a big instance with more than 50 users." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir vairāk nekā 50 lietotāji.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Es zinu ka ja es turpināšu atjauninājumu caur tīmekļa atjauninātāju ir risks ka pieprasījumam būs noliedze , kas var radīt datu zudumu, bet man ir dublējumkopija un es zinu kā atjaunot instanci neveiksmes gadijumā.", + "Upgrade via web on my own risk" : "Atjaunināt caur tīmekļa atjauninātāju uz mana paša risku.", + "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s serveris pašlaik darbojas uzturēšanas režīmā, tas var ilgt kādu laiku.", + "This page will refresh itself when the %s instance is available again." : "Lapa tiks atsvaidzināta kad %s instance atkal ir pieejama.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Sazinieties ar sistēmas administratoru, ja šis ziņojums tiek rādīts.. vai parādījās negaidīti", + "Thank you for your patience." : "Paldies par jūsu pacietību." +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/core/l10n/lv.json b/core/l10n/lv.json new file mode 100644 index 0000000000000..18b944abb66d5 --- /dev/null +++ b/core/l10n/lv.json @@ -0,0 +1,270 @@ +{ "translations": { + "Please select a file." : "Lūdzu izvēlies failu.", + "File is too big" : "Datne ir par lielu", + "The selected file is not an image." : "Atlasītais fails nav attēls.", + "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", + "Invalid file provided" : "Norādīta nederīga datne", + "No image or file provided" : "Nav norādīts attēls vai datne", + "Unknown filetype" : "Nezināms datnes tips", + "Invalid image" : "Nederīgs attēls", + "An error occurred. Please contact your admin." : "Notika kļūda. Lūdzu sazinies ar savu administratoru.", + "No temporary profile picture available, try again" : "Profila pagaidu attēls nav pieejams, mēģini vēlreiz", + "No crop data provided" : "Nav norādīti apgriešanas dati", + "No valid crop data provided" : "Nav norādīti derīgi apgriešanas dati", + "Crop is not square" : "Griezums nav kvadrāts", + "State token does not match" : "Neatbilstošs stāvokļa talons", + "Password reset is disabled" : "Paroles atiestatīšana nav iespējota", + "Couldn't reset password because the token is invalid" : "Nevarēja nomainīt paroli, jo pazīšanās zīme ir nederīga", + "Couldn't reset password because the token is expired" : "Nevarēja nomainīt paroli, jo pazīšanās zīmei beidzies derīguma termiņš", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Nevarēja nosūtīt paroles maiņas e-pastu, jo lietotājam nav norādīts e-pasts. Lūdzu sazinies ar savu administratoru.", + "%s password reset" : "%s paroles maiņa", + "Password reset" : "Parole atiestatīta", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo pogu, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Nospiediet sekojošo saiti, lai atiestatītu paroli. Ja jūs nepieprasijāt paroles atiestatīšanu, ignorējiet šo e-pastu.", + "Reset your password" : "Atiestatīt paroli", + "Couldn't send reset email. Please contact your administrator." : "Nevarēja nosūtīt maiņas e-pastu. Lūdzu sazinies ar savu administratoru.", + "Couldn't send reset email. Please make sure your username is correct." : "Nevarēja nosūtīt paroles maiņas e-pastu. Pārliecinies, ka tavs lietotājvārds ir pareizs.", + "Preparing update" : "Sagatavo atjauninājumu", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Labošanas brīdinājums:", + "Repair error: " : "Labošanas kļūda:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Lūdzu izmanto komandrindas atjaunināšanu, jo automātiskā atjaunināšana ir atspējota konfigurācijas datnē config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Pārbauda tabulu %s", + "Turned on maintenance mode" : "Ieslēgts uzturēšanas režīms", + "Turned off maintenance mode" : "Izslēgts uzturēšanas režīms", + "Maintenance mode is kept active" : "Uzturēšanas režīms ir paturēts aktīvs", + "Updating database schema" : "Atjaunina datu bāzes shēmu", + "Updated database" : "Atjaunināta datu bāze", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Pārbauda vai datu bāzes shēma var būt atjaunināma (tas var prasīt laiku atkarībā no datu bāzes izmēriem)", + "Checked database schema update" : "Pārbaudīts datu bāzes shēmas atjauninājums", + "Checking updates of apps" : "Pārbauda programmu atjauninājumus", + "Checking for update of app \"%s\" in appstore" : "Meklē atjauninājumus lietotnei \"%s\"", + "Update app \"%s\" from appstore" : "Atjaunināt lietotni \"%s\"", + "Checked for update of app \"%s\" in appstore" : "Meklēti atjauninājumi lietotnei \"%s\"", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Nosaka, vai uz %s attiecināmā shēma var tikt atjaunināta (tas var prasīt daudz laiku atkarībā no datu bāzes izmēriem)", + "Checked database schema update for apps" : "Pārbaudīts datu bāzes shēmas atjauninājums lietotnēm.", + "Updated \"%s\" to %s" : "Atjaunināts \"%s\" uz %s", + "Set log level to debug" : "Iestatīt žurnāla rakstīšanu uz atkļūdošanas režīmā", + "Reset log level" : "Atiestatīt žurnāla rakstīšanas režīmu", + "Starting code integrity check" : "Uzsākta koda integritātes pārbaude", + "Finished code integrity check" : "Pabeigta koda integritātes pārbaude", + "%s (incompatible)" : "%s (nesaderīgs)", + "Following apps have been disabled: %s" : "Sekojošas programmas tika atslēgtas: %s", + "Already up to date" : "Jau ir jaunākā", + "Search contacts …" : "Meklēt kontaktpersonu", + "No contacts found" : "Nav atrasta ne viena kontaktpersona", + "Show all contacts …" : "Rādīt visas kontaktpersonas", + "Loading your contacts …" : "Notiek kontaktpersonu ielāde...", + "Looking for {term} …" : "Meklē {term} …", + "There were problems with the code integrity check. More information…" : "Programmatūras koda pārbaude atgrieza kļūdas. Sīkāk…", + "No action available" : "Nav pieejamu darbību", + "Error fetching contact actions" : "Kļūda rodot kontaktpersonām piemērojamās darbības", + "Settings" : "Iestatījumi", + "Connection to server lost" : "Zaudēts savienojums ar serveri", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm","Problēma ielādējot lapu, pārlādēšana pēc %n sekundēm"], + "Saving..." : "Saglabā...", + "Dismiss" : "Atmest", + "This action requires you to confirm your password" : "Lai veiktu šo darbību, jums jāievada sava parole.", + "Authentication required" : "Nepieciešama autentifikācija", + "Password" : "Parole", + "Cancel" : "Atcelt", + "Confirm" : "Apstiprināt", + "Failed to authenticate, try again" : "Neizdevās autentificēt, mēģiniet vēlreiz", + "seconds ago" : "sekundes atpakaļ", + "Logging in …" : "Notiek pieteikšanās …", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Saite paroles atiestatīšanai nosūtīta uz jūsu e-pastu. Ja tuvākajā laikā to nesaņemat, pārbaudiet pastkastes mēstuļu sadaļu.
Ja arī tur to neatrodat, sazinieties ar savu administratoru.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Jūsu datnes ir šifrētas. Atiestatot paroli, jums zudīs iespēja tos atšifrēt.
Ja neessat pārliecināts, ko darīt, sazinieties ar savu administratoru.
Vai tiešām vēlaties turpināt?", + "I know what I'm doing" : "Es zinu ko es daru", + "Password can not be changed. Please contact your administrator." : "Paroli, nevar nomainīt. Lūdzu kontaktēties ar savu administratoru.", + "Reset password" : "Mainīt paroli", + "No" : "Nē", + "Yes" : "Jā", + "No files in here" : "Šeit nav datņu", + "Choose" : "Izvēlieties", + "Copy" : "Kopēt", + "Error loading file picker template: {error}" : "Kļūda ielādējot izvēlēto veidni: {error}", + "OK" : "Labi", + "Error loading message template: {error}" : "Kļūda ielādējot ziņojuma veidni: {error}", + "read-only" : "tikai-skatīt", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} datnes konflikts","{count} datnes konflikts","{count} datņu konflikti"], + "One file conflict" : "Vienas datnes konflikts", + "New Files" : "Jaunas datnes", + "Already existing files" : "Jau esošas datnes", + "Which files do you want to keep?" : "Kuras datnes vēlies paturēt?", + "If you select both versions, the copied file will have a number added to its name." : "Ja izvēlēsietes paturēt abas versijas, kopētā faila nosaukumam tiks pievienots skaitlis.", + "Continue" : "Turpināt", + "(all selected)" : "(visus iezīmētos)", + "({count} selected)" : "({count} iezīmēti)", + "Pending" : "Gaida", + "Very weak password" : "Ļoti vāja parole", + "Weak password" : "Vāja parole", + "So-so password" : "Normāla parole", + "Good password" : "Laba parole", + "Strong password" : "Lieliska parole", + "Error occurred while checking server setup" : "Radās kļūda, pārbaudot servera ", + "Shared" : "Koplietots", + "Error setting expiration date" : "Kļūda, iestatot termiņa datumu", + "Set expiration date" : "Iestatiet termiņa datumu", + "Expiration" : "Termiņš", + "Expiration date" : "Termiņa datums", + "Choose a password for the public link" : "Izvēlies paroli publiskai saitei", + "Choose a password for the public link or press the \"Enter\" key" : "Izvēlies paroli publiskai saitei vai nospiediet \"Enter\" taustiņu", + "Copied!" : "Nokopēts!", + "Not supported!" : "Nav atbalstīts!", + "Press ⌘-C to copy." : "Spiet ⌘-C lai kopētu.", + "Press Ctrl-C to copy." : "Spiet Ctrl-C lai kopētu.", + "Resharing is not allowed" : "Atkārtota dalīšanās nav atļauta", + "Share to {name}" : "Dalīties ar {name}", + "Share link" : "Koplietot saiti", + "Link" : "Saite", + "Password protect" : "Aizsargāt ar paroli", + "Allow editing" : "Atļaut rediģēt", + "Email link to person" : "Sūtīt saiti personai pa e-pastu", + "Send" : "Sūtīt", + "Allow upload and editing" : "Atļaut augšupielādi un rediģēšanu", + "Read only" : "Tikai lasāms", + "Shared with you and the group {group} by {owner}" : "{owner} koplietoja ar jums un grupu {group}", + "Shared with you by {owner}" : "{owner} koplietoja ar jums", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} koplietots ar saiti", + "group" : "grupa", + "remote" : "attālināti", + "email" : "e-pasts", + "shared by {sharer}" : "Koplietoja {sharer}", + "Unshare" : "Pārtraukt koplietošanu", + "Can edit" : "Var rediģēt", + "Can create" : "Var izveidot", + "Can change" : "Var mainīt", + "Can delete" : "Var dzēst", + "Access control" : "Piekļuves vadība", + "Could not unshare" : "Nevarēja pārtraukt koplietošanu", + "Error while sharing" : "Kļūda, daloties", + "Share details could not be loaded for this item." : "Šim nevarēja ielādēt koplietošanas detaļas.", + "No users or groups found for {search}" : "Pēc {search} netika atrasts neviens lietotājs vai grupa", + "No users found for {search}" : "Pēc {search} netika atrasts neviens lietotājs", + "An error occurred. Please try again" : "Notika kļūda. Mēģini vēlreiz.", + "{sharee} (group)" : "{sharee} (grupa)", + "{sharee} (remote)" : "{sharee} (attālināti)", + "{sharee} (email)" : "{sharee} (e-pasts)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Koplietot", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu, federated cloud ID vai e-pasta adresi.", + "Share with other people by entering a user or group or a federated cloud ID." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai federated cloud ID.", + "Share with other people by entering a user or group or an email address." : "Dalīties ar citiem cilvēkiem ievadot lietotāju, grupu vai e-pasta adresi.", + "Name or email address..." : "Vārds vai e-pasta adrese...", + "Name or federated cloud ID..." : "Vārds vai federated cloud ID", + "Name, federated cloud ID or email address..." : "Vārds, federated cloud ID vai e-pasta adrese...", + "Name..." : "Vārds...", + "Error" : "Kļūda", + "Error removing share" : "Kļūda, noņemot koplietošanu", + "restricted" : "ierobežots", + "invisible" : "Neredzams", + "({scope})" : "({scope})", + "Delete" : "Dzēst", + "Rename" : "Pārsaukt", + "Collaborative tags" : "Sadarbības atzīmes", + "No tags found" : "Netika atrasta neviena atzīme", + "unknown text" : "nezināms teksts", + "Hello world!" : "Sveika, pasaule!", + "sunny" : "saulains", + "Hello {name}, the weather is {weather}" : "Sveiks {name}, laiks ir {weather}", + "Hello {name}" : "Sveiks {name}", + "new" : "jauns", + "_download %n file_::_download %n files_" : ["lejupielādēt %n failus","lejupielādēt %n failus","lejupielādēt %n failus"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Notiek atjaunināšana, šīs lapas atstāšana var pārtraukt procesu dažās vidēs.", + "Update to {version}" : "Atjaunināts uz {version}", + "An error occurred." : "Radās kļūda.", + "Please reload the page." : "Lūdzu, atkārtoti ielādējiet lapu.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Atjauninājums nebija veiksmīgs. Plašāku informāciju skatiet mūsu foruma rakstā par šo problēmu.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Atjauninājums nebija veiksmīgs. Lūdzu ziņojiet šo ķļūdu Nextcloud kopienā.", + "Continue to Nextcloud" : "Turpināt ar Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundes.","Atjaunināšana ir bijusi veiksmīga. Novirzīsim jūs uz Nextcloud pēc %n sekundēm."], + "Searching other places" : "Meklēt citās vietās", + "No search results in other folders for {tag}{filter}{endtag}" : "Nav nekas atrasts citā mapēs {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs","{count} meklēšanas rezultāti citās mapēs"], + "Personal" : "Personīgi", + "Users" : "Lietotāji", + "Apps" : "Programmas", + "Admin" : "Administratori", + "Help" : "Palīdzība", + "Access forbidden" : "Pieeja ir liegta", + "File not found" : "Fails nav atrasts", + "The specified document has not been found on the server." : "Norādītais dokuments nav atrasts serverī.", + "You can click here to return to %s." : "Jūs varat noklikšķināt šeit, lai atgrieztos uz %s.", + "Internal Server Error" : "Iekšēja servera kļūda", + "More details can be found in the server log." : "Sīkāka informācija atrodama servera žurnāl failā.", + "Technical details" : "Tehniskās detaļas", + "Remote Address: %s" : "Attālinātā adrese: %s", + "Request ID: %s" : "Pieprasījuma ID: %s", + "Type: %s" : "Tips: %s", + "Code: %s" : "Kods: %s", + "Message: %s" : "Ziņojums: %s", + "File: %s" : "Fails: %s", + "Line: %s" : "Līnija: %s", + "Trace" : "Izsekot", + "Security warning" : "Drošības brīdinājums", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Visticamāk, jūsu datu direktorija un datnes ir pieejamas no interneta, jo .htaccess datne nedarbojas.", + "Create an admin account" : "Izveidot administratora kontu", + "Username" : "Lietotājvārds", + "Storage & database" : "Krātuve & datubāze", + "Data folder" : "Datu mape", + "Configure the database" : "Konfigurēt datubāzi", + "Only %s is available." : "Tikai %s ir pieejams.", + "Install and activate additional PHP modules to choose other database types." : "Instalējiet un aktivizējiet papildus PHP moduļus lai izvēlētos citus datubāžu tipus.", + "For more details check out the documentation." : "Sīkākai informācijai skatiet dokumentāciju.", + "Database user" : "Datubāzes lietotājs", + "Database password" : "Datubāzes parole", + "Database name" : "Datubāzes nosaukums", + "Database tablespace" : "Datubāzes tabulas telpa", + "Database host" : "Datubāzes serveris", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Lūdzu, norādiet porta numuru kopā ar resursdatora nosaukumu (piemēram, localhost: 5432).", + "Performance warning" : "Veiktspējas brīdinājums", + "SQLite will be used as database." : "SQLite tiks izmantota kā datu bāze.", + "For larger installations we recommend to choose a different database backend." : "Priekš lielākām instalācijām mēs iesakām izvēlēties citu datubāzes serveri.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "It sevišķi, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju SQLite izmantošana nav ieteicama.", + "Finish setup" : "Pabeigt iestatīšanu", + "Finishing …" : "Pabeidz ...", + "Need help?" : "Vajadzīga palīdzība?", + "See the documentation" : "Skatiet dokumentāciju", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Šai programmai nepieciešams JavaScript. Lūdzu {linkstart}ieslēdziet JavasScript{linkend} un pārlādējiet lapu.", + "More apps" : "Vairāk programmu", + "Search" : "Meklēt", + "Confirm your password" : "Apstipriniet paroli", + "Server side authentication failed!" : "Servera autentifikācija neizdevās!", + "Please contact your administrator." : "Lūdzu, sazinieties ar administratoru.", + "An internal error occurred." : "Radās iekšēja kļūda.", + "Please try again or contact your administrator." : "Lūdzu, mēģiniet vēlreiz vai sazinieties ar administratoru.", + "Username or email" : "Lietotājvārds vai e-pasts", + "Log in" : "Ierakstīties", + "Wrong password." : "Nepareiza parole.", + "Stay logged in" : "Palikt ierakstītam", + "Alternative Logins" : "Alternatīvās pieteikšanās", + "App token" : "Programmas pilnvara", + "Alternative login using app token" : "Alternatīvās pieteikšanās izmantojot programmas pilnvaru.", + "Redirecting …" : "Novirzam ...", + "New password" : "Jauna parole", + "New Password" : "Jauna parole", + "Two-factor authentication" : "Divpakāpju autentifikācija", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Uzlabota drošība ir iespējota jūsu kontam. Lūdzu autentificējies izmantojot otru faktoru.", + "Cancel log in" : "Atcelt pierakstīšanos", + "Use backup code" : "Izmantojiet dublēšanas kodu", + "Error while validating your second factor" : "Kļūda validējot jūsu otru faktoru.", + "Add \"%s\" as trusted domain" : "Pievienot \"%s\" kā uzticamu domēnu", + "App update required" : "Programmai nepieciešama atjaunināšana", + "%s will be updated to version %s" : "%s tiks atjaunināts uz versiju %s", + "These apps will be updated:" : "Šīs programmas tiks atjauninātas:", + "These incompatible apps will be disabled:" : "Šīs nesaderīgās programmas tiks atspējotas:", + "The theme %s has been disabled." : "Tēma %s ir atspējota.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Lūdzu pārliecinieties ka datubāze, config mape un data mape ir dublētas pirms turpināšanas.", + "Start update" : "Sākt atjaunināšanu", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Lai izvairītos no noliedzes ar lielākām instalācijām, jūs varat palaist sekojošo komandu no jūsu instalācijas mapes:", + "Detailed logs" : "Detalizētas informācijas žurnālfaili", + "Update needed" : "Nepieciešama atjaunināšana", + "Please use the command line updater because you have a big instance with more than 50 users." : "Lūdzu, izmantojiet komandrindas atjauninātāju, jo jums ir vairāk nekā 50 lietotāji.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Es zinu ka ja es turpināšu atjauninājumu caur tīmekļa atjauninātāju ir risks ka pieprasījumam būs noliedze , kas var radīt datu zudumu, bet man ir dublējumkopija un es zinu kā atjaunot instanci neveiksmes gadijumā.", + "Upgrade via web on my own risk" : "Atjaunināt caur tīmekļa atjauninātāju uz mana paša risku.", + "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s serveris pašlaik darbojas uzturēšanas režīmā, tas var ilgt kādu laiku.", + "This page will refresh itself when the %s instance is available again." : "Lapa tiks atsvaidzināta kad %s instance atkal ir pieejama.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Sazinieties ar sistēmas administratoru, ja šis ziņojums tiek rādīts.. vai parādījās negaidīti", + "Thank you for your patience." : "Paldies par jūsu pacietību." +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" +} \ No newline at end of file diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js new file mode 100644 index 0000000000000..9822d6ac840f7 --- /dev/null +++ b/core/l10n/pt_PT.js @@ -0,0 +1,280 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Por favor, selecione um ficheiro.", + "File is too big" : "O ficheiro é demasiado grande", + "The selected file is not an image." : "O ficheiro selecionado não é uma imagem.", + "The selected file cannot be read." : "O ficheiro selecionado não pode ser lido.", + "Invalid file provided" : "Inválido ficheiro fornecido", + "No image or file provided" : "Imagem ou ficheiro não fornecido", + "Unknown filetype" : "Tipo de ficheiro desconhecido", + "Invalid image" : "Imagem inválida", + "An error occurred. Please contact your admin." : "Ocorreu um erro. Por favor, contacte o seu administrador.", + "No temporary profile picture available, try again" : "Nenhuma imagem de perfil temporária disponível, tente novamente", + "No crop data provided" : "Não foram fornecidos dados de recorte", + "No valid crop data provided" : "Não foram indicados dados de recorte válidos", + "Crop is not square" : "O recorte não é quadrado", + "Password reset is disabled" : "A reposição da senha está desativada", + "Couldn't reset password because the token is invalid" : "Não foi possível repor a senha porque a senha é inválida", + "Couldn't reset password because the token is expired" : "Não foi possível repor a senha porque a senha expirou", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição porque não existe nenhum endereço de e-mail associado para este utilizador. Por favor, contacte o seu administrador.", + "%s password reset" : "%s reposição da senha", + "Password reset" : "Reposição da senha", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no seguinte botão para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Clique na seguinte hiperligação para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", + "Reset your password" : "Repor a senha", + "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição. Por favor, contacte o seu administrador.", + "Couldn't send reset email. Please make sure your username is correct." : "Não foi possível enviar a mensagem de reposição. Por favor, confirme se o seu nome de utilizador está correto.", + "Preparing update" : "A preparar atualização", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Aviso de correção:", + "Repair error: " : "Erro de correção:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Por favor, utilize o atualizador de linha de comando porque a atualização automática está desativada em config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: a verificar a tabela %s", + "Turned on maintenance mode" : "Ativou o modo de manutenção", + "Turned off maintenance mode" : "Desativou o modo de manutenção", + "Maintenance mode is kept active" : "O modo de manutenção é mantido ativo", + "Updating database schema" : "A atualizar o esquema da base de dados", + "Updated database" : "Base de dados atualizada", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", + "Checked database schema update" : "Atualização do esquema da base de dados verificada.", + "Checking updates of apps" : "A procurar por atualizações das aplicações", + "Checking for update of app \"%s\" in appstore" : "A procurar por atualizações da aplicação \"%s\" na appstore", + "Update app \"%s\" from appstore" : "Atualizar app \"%s\" da appstore", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados para %s pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", + "Checked database schema update for apps" : "Atualização do esquema da base de dados para as aplicações verificada.", + "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", + "Set log level to debug" : "Definir nível de registo para depurar", + "Reset log level" : "Reiniciar nível de registo", + "Starting code integrity check" : "A iniciar a verificação da integridade do código", + "Finished code integrity check" : "Terminada a verificação da integridade do código", + "%s (incompatible)" : "%s (incompatível)", + "Following apps have been disabled: %s" : "Foram desativadas as seguintes aplicações: %s", + "Already up to date" : "Já está atualizado", + "Search contacts …" : "Pesquisar contactos ...", + "No contacts found" : "Não foram encontrados contactos", + "Show all contacts …" : "Mostrar todos os contactos ...", + "Loading your contacts …" : "A carregar os seus contactos", + "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", + "Settings" : "Configurações", + "Connection to server lost" : "Ligação perdida ao servidor", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], + "Saving..." : "A guardar...", + "Dismiss" : "Dispensar", + "This action requires you to confirm your password" : "Esta ação requer a confirmação da senha", + "Authentication required" : "Autenticação necessária", + "Password" : "Senha", + "Cancel" : "Cancelar", + "Confirm" : "Confirmar", + "Failed to authenticate, try again" : "Falha ao autenticar. Tente outra vez.", + "seconds ago" : "segundos atrás", + "Logging in …" : "A entrar...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "A hiperligação para reiniciar a sua senha foi enviada para o seu correio eletrónico. Se não a receber dentro de um tempo aceitável, verifique as suas pastas de spam/lixo.
Se não a encontrar, pergunte ao seu administrador local.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Não haverá forma de recuperar os dados depois de alterar a senha.
Se não tiver a certeza do que fazer, por favor, contacte o administrador antes de continuar.
Deseja mesmo continuar?", + "I know what I'm doing" : "Eu sei o que eu estou a fazer", + "Password can not be changed. Please contact your administrator." : "A senha não pode ser alterada. Por favor, contacte o seu administrador.", + "Reset password" : "Repor senha", + "No" : "Não", + "Yes" : "Sim", + "No files in here" : "Sem ficheiros aqui", + "Choose" : "Escolher", + "Copy" : "Copiar", + "Move" : "Mover", + "Error loading file picker template: {error}" : "Ocorreu um erro ao carregar o modelo de seleção de ficheiro: {error}", + "OK" : "Confirmar", + "Error loading message template: {error}" : "Ocorreu um erro ao carregar o modelo: {error}", + "read-only" : "só de leitura", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflito de ficheiro","{count} conflitos de ficheiro"], + "One file conflict" : "Um conflito de ficheiro", + "New Files" : "Novos Ficheiros", + "Already existing files" : "Ficheiros já existentes", + "Which files do you want to keep?" : "Quais os ficheiros que pretende manter?", + "If you select both versions, the copied file will have a number added to its name." : "Se selecionar ambas as versões, o ficheiro copiado irá ter um número adicionado ao seu nome.", + "Continue" : "Continuar", + "(all selected)" : "(todos selecionados)", + "({count} selected)" : "({count} selecionados)", + "Error loading file exists template" : "Ocorreu um erro ao carregar o ficheiro do modelo existente", + "Pending" : "Pendente", + "Copy to {folder}" : "Copiar para {folder}", + "Move to {folder}" : "Mover para {folder}", + "Very weak password" : "Senha muito fraca", + "Weak password" : "Senha fraca", + "So-so password" : "Senha aceitável", + "Good password" : "Senha boa", + "Strong password" : "Senha forte", + "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", + "Shared" : "Partilhado", + "Shared with" : "Partilhado com ", + "Shared by" : "Partilhado por", + "Error setting expiration date" : "Erro ao definir a data de expiração", + "The public link will expire no later than {days} days after it is created" : "A hiperligação pública irá expirar, o mais tardar {days} dias depois da sua criação", + "Set expiration date" : "Definir a data de expiração", + "Expiration" : "Expiração", + "Expiration date" : "Data de expiração", + "Choose a password for the public link" : "Defina a senha para a hiperligação pública", + "Choose a password for the public link or press the \"Enter\" key" : "Defina a senha para a hiperligação pública ou prima a tecla \"Enter\"", + "Copied!" : "Copiado!", + "Not supported!" : "Não suportado!", + "Press ⌘-C to copy." : "Prima ⌘-C para copiar.", + "Press Ctrl-C to copy." : "Prima Ctrl-C para copiar.", + "Resharing is not allowed" : "Não é permitido voltar a partilhar", + "Share to {name}" : "Partilhar com {name}", + "Share link" : "Partilhar hiperligação", + "Link" : "Hiperligação", + "Password protect" : "Proteger com senha", + "Allow editing" : "Permitir edição", + "Email link to person" : "Enviar hiperligação por mensagem para a pessoa", + "Send" : "Enviar", + "Allow upload and editing" : "Permitir enviar e editar", + "Read only" : "Só de leitura", + "File drop (upload only)" : "Arrastar ficheiro (apenas envio)", + "Shared with you and the group {group} by {owner}" : "Partilhado consigo e com o grupo {group} por {owner}", + "Shared with you by {owner}" : "Partilhado consigo por {owner}", + "Choose a password for the mail share" : "Escolher senha para a partilha de email", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} partilhado via ligação", + "group" : "grupo", + "remote" : "remoto", + "email" : "email", + "shared by {sharer}" : "partilhado por {sharer}", + "Unshare" : "Cancelar partilha", + "Can reshare" : "Pode partilhar de novo", + "Can edit" : "Pode editar", + "Can create" : "Pode criar", + "Can change" : "Pode alterar", + "Can delete" : "Pode apagar", + "Access control" : "Controlo de acesso", + "Could not unshare" : "Não foi possível cancelar a partilha", + "Error while sharing" : "Erro ao partilhar", + "Share details could not be loaded for this item." : "Não foi possível carregar os detalhes de partilha para este item.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Pelo menos {count} caracteres para conclusão automática","At least {count} characters are needed for autocompletion"], + "This list is maybe truncated - please refine your search term to see more results." : "Esta lista pode estar talvez truncada - por favor refine o termo de pesquisa para ver mais resultados.", + "No users or groups found for {search}" : "Não foram encontrados nenhuns utilizadores ou grupos para {search}", + "No users found for {search}" : "Não foram encontrados utilizadores para {search}", + "An error occurred. Please try again" : "Ocorreu um erro. Por favor, tente de novo.", + "{sharee} (group)" : "{sharee} (grupo)", + "{sharee} (remote)" : "{sharee} (remoto)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Partilhar", + "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com outros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", + "Share with other people by entering a user or group or an email address." : "Partilhar com outros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", + "Name or email address..." : "Nome ou endereço de email...", + "Name or federated cloud ID..." : "Nome ou ID de cloud federada", + "Name, federated cloud ID or email address..." : "Nome, ID de cloud federada ou endereço de e-mail", + "Name..." : "Nome...", + "Error" : "Erro", + "Error removing share" : "Erro ao remover partilha", + "Non-existing tag #{tag}" : "Etiqueta não existente #{tag}", + "restricted" : "limitado", + "invisible" : "invisível", + "({scope})" : "({scope})", + "Delete" : "Apagar", + "Rename" : "Renomear", + "Collaborative tags" : "Etiquetas colaborativas", + "No tags found" : "Etiquetas não encontradas", + "unknown text" : "texto desconhecido", + "Hello world!" : "Olá, mundo!", + "sunny" : "soalheiro", + "Hello {name}, the weather is {weather}" : "Olá {name}, o tempo está {weather}", + "Hello {name}" : "Olá {name}", + "These are your search results" : "Resultados da pesquisa", + "new" : "novo", + "_download %n file_::_download %n files_" : ["transferir %n ficheiro","transferir %n ficheiros"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "A actualização está a decorrer. Se deixar esta página o processo pode ser interrompido.", + "Update to {version}" : "Actualizar para {version}", + "An error occurred." : "Ocorreu um erro.", + "Please reload the page." : "Por favor, recarregue a página.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "A atualização falhou. Para mais informação verifique o nosso fórum sobre como resolver este problema.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "A atualização não foi bem sucedida. Por favor, informe este problema à comunidade Nextcloud.", + "Continue to Nextcloud" : "Continuar para Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos.","A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos."], + "Searching other places" : "A pesquisar noutros lugares", + "No search results in other folders for {tag}{filter}{endtag}" : "Nenhum resultado encontrado noutras pastas para {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de pesquisa noutra pasta","{count} resultados de pesquisa noutras pastas"], + "Personal" : "Pessoal", + "Users" : "Utilizadores", + "Apps" : "Aplicações", + "Admin" : "Administração", + "Help" : "Ajuda", + "Access forbidden" : "Acesso proibido", + "File not found" : "Ficheiro não encontrado", + "The specified document has not been found on the server." : "O documento especificado não foi encontrado no servidor.", + "You can click here to return to %s." : "Pode clicar aqui para voltar para %s.", + "Internal Server Error" : "Erro Interno do Servidor", + "The server was unable to complete your request." : "O servidor não conseguiu completar o seu pedido.", + "If this happens again, please send the technical details below to the server administrator." : "Se voltar a acontecer, por favor envie os detalhes técnicos abaixo ao administrador do servidor.", + "More details can be found in the server log." : "Mais detalhes podem ser encontrados no log do servidor.", + "Technical details" : "Detalhes técnicos", + "Remote Address: %s" : "Endereço remoto: %s", + "Request ID: %s" : "Id. do pedido: %s", + "Type: %s" : "Tipo: %s", + "Code: %s" : "Código: %s", + "Message: %s" : "Mensagem: %s", + "File: %s" : "Ficheiro: %s", + "Line: %s" : "Linha: %s", + "Trace" : "Rasto", + "Security warning" : "Aviso de Segurança", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da internet pois o ficheiro .htaccess não funciona.", + "Create an admin account" : "Criar uma conta administrativa", + "Username" : "Nome de utilizador", + "Storage & database" : "Armazenamento e base de dados", + "Data folder" : "Pasta de dados", + "Configure the database" : "Configure a base de dados", + "Only %s is available." : "Só está disponível %s.", + "Install and activate additional PHP modules to choose other database types." : "Instale e active módulos PHP adicionais para escolher outros tipos de base de dados.", + "For more details check out the documentation." : "Para mais detalhes consulte a documentação.", + "Database user" : "Utilizador da base de dados", + "Database password" : "Senha da base de dados", + "Database name" : "Nome da base de dados", + "Database tablespace" : "Tablespace da base de dados", + "Database host" : "Anfitrião da base de dados", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Por favor, indique o número da porta a seguir ao nome do servidor (ex.:, localhost:5432).", + "Performance warning" : "Aviso de Desempenho", + "SQLite will be used as database." : "SQLite será usado como base de dados.", + "For larger installations we recommend to choose a different database backend." : "Para instalações maiores, nós recomendamos que escolha uma interface de base de dados diferente.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "O uso de SQLite é desencorajado especialmente se estiver a pensar em dar uso ao cliente desktop para sincronizar os seus ficheiros no seu computador.", + "Finish setup" : "Terminar configuração", + "Finishing …" : "A terminar...", + "Need help?" : "Precisa de ajuda?", + "See the documentation" : "Consulte a documentação", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicação requer o JavaScript para funcionar corretamente. Por favor, {linkstart}ative o JavaScript{linkend} e recarregue a página.", + "More apps" : "Mais apps", + "Search" : "Procurar", + "Reset search" : "Repor procura", + "Confirm your password" : "Confirmar senha", + "Server side authentication failed!" : "Autenticação do lado do servidor falhou!", + "Please contact your administrator." : "Por favor, contacte o seu administrador.", + "An internal error occurred." : "Ocorreu um erro interno.", + "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", + "Username or email" : "Nome de utilizador ou e-mail", + "Log in" : "Iniciar Sessão", + "Wrong password." : "Senha errada.", + "Stay logged in" : "Manter sessão iniciada", + "Forgot password?" : "Senha esquecida?", + "Alternative Logins" : "Contas de Acesso Alternativas", + "Redirecting …" : "A redirecionar...", + "New password" : "Nova senha", + "New Password" : "Nova senha", + "Two-factor authentication" : "Autenticação de dois factores", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Segurança melhorada activada na sua conta. Por favor, autentique-se usando o segundo factor.", + "Cancel log in" : "Cancelar entrada", + "Use backup code" : "Usar código de cópia de segurança", + "Error while validating your second factor" : "Erro ao validar o segundo factor", + "Add \"%s\" as trusted domain" : "Adicionar \"%s\" como um domínio de confiança", + "App update required" : "É necessário atualizar a aplicação", + "%s will be updated to version %s" : "%s será atualizada para a versão %s.", + "These apps will be updated:" : "Estas aplicações irão ser atualizadas.", + "These incompatible apps will be disabled:" : "Estas aplicações incompatíveis irão ser desativadas:", + "The theme %s has been disabled." : "O tema %s foi desativado.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Por favor, certifique-se de que foi efetuada uma cópia de segurança da base de dados, pasta de configuração e de dados antes de prosseguir.", + "Start update" : "Iniciar atualização", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar tempos expirados com instalações maiores, em vez disso, pode executar o seguinte comando a partir da diretoria de instalação:", + "Detailed logs" : "Registos detalhados", + "Update needed" : "É necessário atualizar", + "Upgrade via web on my own risk" : "Atualizar via web por minha conta e risco.", + "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", + "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", + "Thank you for your patience." : "Obrigado pela sua paciência." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json new file mode 100644 index 0000000000000..c436e7b31b248 --- /dev/null +++ b/core/l10n/pt_PT.json @@ -0,0 +1,278 @@ +{ "translations": { + "Please select a file." : "Por favor, selecione um ficheiro.", + "File is too big" : "O ficheiro é demasiado grande", + "The selected file is not an image." : "O ficheiro selecionado não é uma imagem.", + "The selected file cannot be read." : "O ficheiro selecionado não pode ser lido.", + "Invalid file provided" : "Inválido ficheiro fornecido", + "No image or file provided" : "Imagem ou ficheiro não fornecido", + "Unknown filetype" : "Tipo de ficheiro desconhecido", + "Invalid image" : "Imagem inválida", + "An error occurred. Please contact your admin." : "Ocorreu um erro. Por favor, contacte o seu administrador.", + "No temporary profile picture available, try again" : "Nenhuma imagem de perfil temporária disponível, tente novamente", + "No crop data provided" : "Não foram fornecidos dados de recorte", + "No valid crop data provided" : "Não foram indicados dados de recorte válidos", + "Crop is not square" : "O recorte não é quadrado", + "Password reset is disabled" : "A reposição da senha está desativada", + "Couldn't reset password because the token is invalid" : "Não foi possível repor a senha porque a senha é inválida", + "Couldn't reset password because the token is expired" : "Não foi possível repor a senha porque a senha expirou", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição porque não existe nenhum endereço de e-mail associado para este utilizador. Por favor, contacte o seu administrador.", + "%s password reset" : "%s reposição da senha", + "Password reset" : "Reposição da senha", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no seguinte botão para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Clique na seguinte hiperligação para repor a sua senha. Se não solicitou a reposição da senha, ignore este e-mail.", + "Reset your password" : "Repor a senha", + "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição. Por favor, contacte o seu administrador.", + "Couldn't send reset email. Please make sure your username is correct." : "Não foi possível enviar a mensagem de reposição. Por favor, confirme se o seu nome de utilizador está correto.", + "Preparing update" : "A preparar atualização", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Aviso de correção:", + "Repair error: " : "Erro de correção:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Por favor, utilize o atualizador de linha de comando porque a atualização automática está desativada em config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: a verificar a tabela %s", + "Turned on maintenance mode" : "Ativou o modo de manutenção", + "Turned off maintenance mode" : "Desativou o modo de manutenção", + "Maintenance mode is kept active" : "O modo de manutenção é mantido ativo", + "Updating database schema" : "A atualizar o esquema da base de dados", + "Updated database" : "Base de dados atualizada", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", + "Checked database schema update" : "Atualização do esquema da base de dados verificada.", + "Checking updates of apps" : "A procurar por atualizações das aplicações", + "Checking for update of app \"%s\" in appstore" : "A procurar por atualizações da aplicação \"%s\" na appstore", + "Update app \"%s\" from appstore" : "Atualizar app \"%s\" da appstore", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados para %s pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", + "Checked database schema update for apps" : "Atualização do esquema da base de dados para as aplicações verificada.", + "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", + "Set log level to debug" : "Definir nível de registo para depurar", + "Reset log level" : "Reiniciar nível de registo", + "Starting code integrity check" : "A iniciar a verificação da integridade do código", + "Finished code integrity check" : "Terminada a verificação da integridade do código", + "%s (incompatible)" : "%s (incompatível)", + "Following apps have been disabled: %s" : "Foram desativadas as seguintes aplicações: %s", + "Already up to date" : "Já está atualizado", + "Search contacts …" : "Pesquisar contactos ...", + "No contacts found" : "Não foram encontrados contactos", + "Show all contacts …" : "Mostrar todos os contactos ...", + "Loading your contacts …" : "A carregar os seus contactos", + "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", + "Settings" : "Configurações", + "Connection to server lost" : "Ligação perdida ao servidor", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], + "Saving..." : "A guardar...", + "Dismiss" : "Dispensar", + "This action requires you to confirm your password" : "Esta ação requer a confirmação da senha", + "Authentication required" : "Autenticação necessária", + "Password" : "Senha", + "Cancel" : "Cancelar", + "Confirm" : "Confirmar", + "Failed to authenticate, try again" : "Falha ao autenticar. Tente outra vez.", + "seconds ago" : "segundos atrás", + "Logging in …" : "A entrar...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "A hiperligação para reiniciar a sua senha foi enviada para o seu correio eletrónico. Se não a receber dentro de um tempo aceitável, verifique as suas pastas de spam/lixo.
Se não a encontrar, pergunte ao seu administrador local.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Os seus ficheiros estão encriptados. Não haverá forma de recuperar os dados depois de alterar a senha.
Se não tiver a certeza do que fazer, por favor, contacte o administrador antes de continuar.
Deseja mesmo continuar?", + "I know what I'm doing" : "Eu sei o que eu estou a fazer", + "Password can not be changed. Please contact your administrator." : "A senha não pode ser alterada. Por favor, contacte o seu administrador.", + "Reset password" : "Repor senha", + "No" : "Não", + "Yes" : "Sim", + "No files in here" : "Sem ficheiros aqui", + "Choose" : "Escolher", + "Copy" : "Copiar", + "Move" : "Mover", + "Error loading file picker template: {error}" : "Ocorreu um erro ao carregar o modelo de seleção de ficheiro: {error}", + "OK" : "Confirmar", + "Error loading message template: {error}" : "Ocorreu um erro ao carregar o modelo: {error}", + "read-only" : "só de leitura", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflito de ficheiro","{count} conflitos de ficheiro"], + "One file conflict" : "Um conflito de ficheiro", + "New Files" : "Novos Ficheiros", + "Already existing files" : "Ficheiros já existentes", + "Which files do you want to keep?" : "Quais os ficheiros que pretende manter?", + "If you select both versions, the copied file will have a number added to its name." : "Se selecionar ambas as versões, o ficheiro copiado irá ter um número adicionado ao seu nome.", + "Continue" : "Continuar", + "(all selected)" : "(todos selecionados)", + "({count} selected)" : "({count} selecionados)", + "Error loading file exists template" : "Ocorreu um erro ao carregar o ficheiro do modelo existente", + "Pending" : "Pendente", + "Copy to {folder}" : "Copiar para {folder}", + "Move to {folder}" : "Mover para {folder}", + "Very weak password" : "Senha muito fraca", + "Weak password" : "Senha fraca", + "So-so password" : "Senha aceitável", + "Good password" : "Senha boa", + "Strong password" : "Senha forte", + "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", + "Shared" : "Partilhado", + "Shared with" : "Partilhado com ", + "Shared by" : "Partilhado por", + "Error setting expiration date" : "Erro ao definir a data de expiração", + "The public link will expire no later than {days} days after it is created" : "A hiperligação pública irá expirar, o mais tardar {days} dias depois da sua criação", + "Set expiration date" : "Definir a data de expiração", + "Expiration" : "Expiração", + "Expiration date" : "Data de expiração", + "Choose a password for the public link" : "Defina a senha para a hiperligação pública", + "Choose a password for the public link or press the \"Enter\" key" : "Defina a senha para a hiperligação pública ou prima a tecla \"Enter\"", + "Copied!" : "Copiado!", + "Not supported!" : "Não suportado!", + "Press ⌘-C to copy." : "Prima ⌘-C para copiar.", + "Press Ctrl-C to copy." : "Prima Ctrl-C para copiar.", + "Resharing is not allowed" : "Não é permitido voltar a partilhar", + "Share to {name}" : "Partilhar com {name}", + "Share link" : "Partilhar hiperligação", + "Link" : "Hiperligação", + "Password protect" : "Proteger com senha", + "Allow editing" : "Permitir edição", + "Email link to person" : "Enviar hiperligação por mensagem para a pessoa", + "Send" : "Enviar", + "Allow upload and editing" : "Permitir enviar e editar", + "Read only" : "Só de leitura", + "File drop (upload only)" : "Arrastar ficheiro (apenas envio)", + "Shared with you and the group {group} by {owner}" : "Partilhado consigo e com o grupo {group} por {owner}", + "Shared with you by {owner}" : "Partilhado consigo por {owner}", + "Choose a password for the mail share" : "Escolher senha para a partilha de email", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} partilhado via ligação", + "group" : "grupo", + "remote" : "remoto", + "email" : "email", + "shared by {sharer}" : "partilhado por {sharer}", + "Unshare" : "Cancelar partilha", + "Can reshare" : "Pode partilhar de novo", + "Can edit" : "Pode editar", + "Can create" : "Pode criar", + "Can change" : "Pode alterar", + "Can delete" : "Pode apagar", + "Access control" : "Controlo de acesso", + "Could not unshare" : "Não foi possível cancelar a partilha", + "Error while sharing" : "Erro ao partilhar", + "Share details could not be loaded for this item." : "Não foi possível carregar os detalhes de partilha para este item.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Pelo menos {count} caracteres para conclusão automática","At least {count} characters are needed for autocompletion"], + "This list is maybe truncated - please refine your search term to see more results." : "Esta lista pode estar talvez truncada - por favor refine o termo de pesquisa para ver mais resultados.", + "No users or groups found for {search}" : "Não foram encontrados nenhuns utilizadores ou grupos para {search}", + "No users found for {search}" : "Não foram encontrados utilizadores para {search}", + "An error occurred. Please try again" : "Ocorreu um erro. Por favor, tente de novo.", + "{sharee} (group)" : "{sharee} (grupo)", + "{sharee} (remote)" : "{sharee} (remoto)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Partilhar", + "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com outros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", + "Share with other people by entering a user or group or an email address." : "Partilhar com outros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", + "Name or email address..." : "Nome ou endereço de email...", + "Name or federated cloud ID..." : "Nome ou ID de cloud federada", + "Name, federated cloud ID or email address..." : "Nome, ID de cloud federada ou endereço de e-mail", + "Name..." : "Nome...", + "Error" : "Erro", + "Error removing share" : "Erro ao remover partilha", + "Non-existing tag #{tag}" : "Etiqueta não existente #{tag}", + "restricted" : "limitado", + "invisible" : "invisível", + "({scope})" : "({scope})", + "Delete" : "Apagar", + "Rename" : "Renomear", + "Collaborative tags" : "Etiquetas colaborativas", + "No tags found" : "Etiquetas não encontradas", + "unknown text" : "texto desconhecido", + "Hello world!" : "Olá, mundo!", + "sunny" : "soalheiro", + "Hello {name}, the weather is {weather}" : "Olá {name}, o tempo está {weather}", + "Hello {name}" : "Olá {name}", + "These are your search results" : "Resultados da pesquisa", + "new" : "novo", + "_download %n file_::_download %n files_" : ["transferir %n ficheiro","transferir %n ficheiros"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "A actualização está a decorrer. Se deixar esta página o processo pode ser interrompido.", + "Update to {version}" : "Actualizar para {version}", + "An error occurred." : "Ocorreu um erro.", + "Please reload the page." : "Por favor, recarregue a página.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "A atualização falhou. Para mais informação verifique o nosso fórum sobre como resolver este problema.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "A atualização não foi bem sucedida. Por favor, informe este problema à comunidade Nextcloud.", + "Continue to Nextcloud" : "Continuar para Nextcloud", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos.","A actualização foi bem sucedida. A redireccionar para Nextcloud dentro de %n segundos."], + "Searching other places" : "A pesquisar noutros lugares", + "No search results in other folders for {tag}{filter}{endtag}" : "Nenhum resultado encontrado noutras pastas para {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultado de pesquisa noutra pasta","{count} resultados de pesquisa noutras pastas"], + "Personal" : "Pessoal", + "Users" : "Utilizadores", + "Apps" : "Aplicações", + "Admin" : "Administração", + "Help" : "Ajuda", + "Access forbidden" : "Acesso proibido", + "File not found" : "Ficheiro não encontrado", + "The specified document has not been found on the server." : "O documento especificado não foi encontrado no servidor.", + "You can click here to return to %s." : "Pode clicar aqui para voltar para %s.", + "Internal Server Error" : "Erro Interno do Servidor", + "The server was unable to complete your request." : "O servidor não conseguiu completar o seu pedido.", + "If this happens again, please send the technical details below to the server administrator." : "Se voltar a acontecer, por favor envie os detalhes técnicos abaixo ao administrador do servidor.", + "More details can be found in the server log." : "Mais detalhes podem ser encontrados no log do servidor.", + "Technical details" : "Detalhes técnicos", + "Remote Address: %s" : "Endereço remoto: %s", + "Request ID: %s" : "Id. do pedido: %s", + "Type: %s" : "Tipo: %s", + "Code: %s" : "Código: %s", + "Message: %s" : "Mensagem: %s", + "File: %s" : "Ficheiro: %s", + "Line: %s" : "Linha: %s", + "Trace" : "Rasto", + "Security warning" : "Aviso de Segurança", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da internet pois o ficheiro .htaccess não funciona.", + "Create an admin account" : "Criar uma conta administrativa", + "Username" : "Nome de utilizador", + "Storage & database" : "Armazenamento e base de dados", + "Data folder" : "Pasta de dados", + "Configure the database" : "Configure a base de dados", + "Only %s is available." : "Só está disponível %s.", + "Install and activate additional PHP modules to choose other database types." : "Instale e active módulos PHP adicionais para escolher outros tipos de base de dados.", + "For more details check out the documentation." : "Para mais detalhes consulte a documentação.", + "Database user" : "Utilizador da base de dados", + "Database password" : "Senha da base de dados", + "Database name" : "Nome da base de dados", + "Database tablespace" : "Tablespace da base de dados", + "Database host" : "Anfitrião da base de dados", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Por favor, indique o número da porta a seguir ao nome do servidor (ex.:, localhost:5432).", + "Performance warning" : "Aviso de Desempenho", + "SQLite will be used as database." : "SQLite será usado como base de dados.", + "For larger installations we recommend to choose a different database backend." : "Para instalações maiores, nós recomendamos que escolha uma interface de base de dados diferente.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "O uso de SQLite é desencorajado especialmente se estiver a pensar em dar uso ao cliente desktop para sincronizar os seus ficheiros no seu computador.", + "Finish setup" : "Terminar configuração", + "Finishing …" : "A terminar...", + "Need help?" : "Precisa de ajuda?", + "See the documentation" : "Consulte a documentação", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Esta aplicação requer o JavaScript para funcionar corretamente. Por favor, {linkstart}ative o JavaScript{linkend} e recarregue a página.", + "More apps" : "Mais apps", + "Search" : "Procurar", + "Reset search" : "Repor procura", + "Confirm your password" : "Confirmar senha", + "Server side authentication failed!" : "Autenticação do lado do servidor falhou!", + "Please contact your administrator." : "Por favor, contacte o seu administrador.", + "An internal error occurred." : "Ocorreu um erro interno.", + "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", + "Username or email" : "Nome de utilizador ou e-mail", + "Log in" : "Iniciar Sessão", + "Wrong password." : "Senha errada.", + "Stay logged in" : "Manter sessão iniciada", + "Forgot password?" : "Senha esquecida?", + "Alternative Logins" : "Contas de Acesso Alternativas", + "Redirecting …" : "A redirecionar...", + "New password" : "Nova senha", + "New Password" : "Nova senha", + "Two-factor authentication" : "Autenticação de dois factores", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Segurança melhorada activada na sua conta. Por favor, autentique-se usando o segundo factor.", + "Cancel log in" : "Cancelar entrada", + "Use backup code" : "Usar código de cópia de segurança", + "Error while validating your second factor" : "Erro ao validar o segundo factor", + "Add \"%s\" as trusted domain" : "Adicionar \"%s\" como um domínio de confiança", + "App update required" : "É necessário atualizar a aplicação", + "%s will be updated to version %s" : "%s será atualizada para a versão %s.", + "These apps will be updated:" : "Estas aplicações irão ser atualizadas.", + "These incompatible apps will be disabled:" : "Estas aplicações incompatíveis irão ser desativadas:", + "The theme %s has been disabled." : "O tema %s foi desativado.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Por favor, certifique-se de que foi efetuada uma cópia de segurança da base de dados, pasta de configuração e de dados antes de prosseguir.", + "Start update" : "Iniciar atualização", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar tempos expirados com instalações maiores, em vez disso, pode executar o seguinte comando a partir da diretoria de instalação:", + "Detailed logs" : "Registos detalhados", + "Update needed" : "É necessário atualizar", + "Upgrade via web on my own risk" : "Atualizar via web por minha conta e risco.", + "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", + "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", + "Thank you for your patience." : "Obrigado pela sua paciência." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/core/l10n/sl.js b/core/l10n/sl.js new file mode 100644 index 0000000000000..0833dffb4cb11 --- /dev/null +++ b/core/l10n/sl.js @@ -0,0 +1,266 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Izberite datoteko", + "File is too big" : "Datoteka je prevelika", + "The selected file is not an image." : "Izbrana datoteka ni slika.", + "The selected file cannot be read." : "Izbrane datoteke ni mogoče prebrati.", + "Invalid file provided" : "Predložena je neveljavna datoteka", + "No image or file provided" : "Ni podane datoteke ali slike", + "Unknown filetype" : "Neznana vrsta datoteke", + "Invalid image" : "Neveljavna slika", + "An error occurred. Please contact your admin." : "Prišlo je do napake. Stopite v stik s skrbnikom sistema.", + "No temporary profile picture available, try again" : "Na voljo ni nobene začasne slike za profil. Poskusite znova.", + "No crop data provided" : "Ni podanih podatkov obreza", + "No valid crop data provided" : "Navedeni so neveljavni podatki obrez slike", + "Crop is not square" : "Obrez ni pravokoten", + "Password reset is disabled" : "Ponastavitev gesla je izključena", + "Couldn't reset password because the token is invalid" : "Ni mogoče ponastaviti gesla zaradi neustreznega žetona.", + "Couldn't reset password because the token is expired" : "Ni mogoče ponastaviti gesla, ker je žeton potekel.", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Ni mogoče poslati elektronskega sporočila za ponastavitev gesla, ker ni navedenega elektronskega naslova. Stopite v stik s skrbnikom sistema.", + "%s password reset" : "Ponastavitev gesla %s", + "Password reset" : "Ponastavitev gesla", + "Reset your password" : "Ponastavi svoje geslo", + "Couldn't send reset email. Please contact your administrator." : "Ni mogoče nastaviti elektronskega naslova za ponastavitev. Stopite v stik s skrbnikom sistema.", + "Couldn't send reset email. Please make sure your username is correct." : "Ni mogoče poslati elektronskega sporočila. Prepričajte se, da je uporabniško ime pravilno.", + "Preparing update" : "Pripravljanje posodobitve", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Opozorilo popravila:", + "Repair error: " : "Napaka popravila:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Posodobitev sistema je treba izvesti prek ukazne vrstice, ker je nastavitev samodejne posodobitve v config.php onemogočena.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Poteka preverjanje razpredelnice %s", + "Turned on maintenance mode" : "Vzdrževalni način je omogočen", + "Turned off maintenance mode" : "Vzdrževalni način je onemogočen", + "Maintenance mode is kept active" : "Vzdrževalni način je še vedno dejaven", + "Updating database schema" : "Poteka posodabljanje sheme podatkovne zbirke", + "Updated database" : "Posodobljena podatkovna zbirka", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke mogoče posodobiti (zaradi velikosti je lahko opravilo dolgotrajno).", + "Checked database schema update" : "Izbrana posodobitev sheme podatkovne zbirke", + "Checking updates of apps" : "Poteka preverjanje za posodobitve programov", + "Checking for update of app \"%s\" in appstore" : "Preverjam posodobitev za aplikacijo \"%s\" v trgovini", + "Update app \"%s\" from appstore" : "Posodobi aplikacijo \"%s\" iz trgovine", + "Checked for update of app \"%s\" in appstore" : "Preverjena posodobitev za \"%s\" v trgovini", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke za %s mogoče posodobiti (trajanje posodobitve je odvisno od velikosti zbirke).", + "Checked database schema update for apps" : "Izbrana posodobitev sheme podatkovne zbirke za programe", + "Updated \"%s\" to %s" : "Datoteka \"%s\" je posodobljena na %s", + "Set log level to debug" : "Nastavi raven beleženja za razhroščevanje", + "Reset log level" : "Počisti raven beleženja", + "Starting code integrity check" : "Začenjanje preverjanja stanja kode", + "Finished code integrity check" : "Končano preverjanje stanja kode", + "%s (incompatible)" : "%s (neskladno)", + "Following apps have been disabled: %s" : "Navedeni programi so onemogočeni: %s", + "Already up to date" : "Sistem je že posodobljen", + "Search contacts …" : "Iščem stike...", + "No contacts found" : "Ne najdem stikov", + "Show all contacts …" : "Prikaži vse kontakte", + "Loading your contacts …" : "Nalagam tvoje stike...", + "Looking for {term} …" : "Iščem {term} …", + "There were problems with the code integrity check. More information…" : "Med preverjanjem celovitosti kode je prišlo do napak. Več podrobnosti …", + "No action available" : "Ni akcij na voljo", + "Error fetching contact actions" : "Napaka pri branju operacij stikov", + "Settings" : "Nastavitve", + "Connection to server lost" : "Povezava s strežnikom spodletela", + "Saving..." : "Poteka shranjevanje ...", + "Dismiss" : "Opusti", + "This action requires you to confirm your password" : "Ta operacija zahteva potrditev tvojega gesla", + "Authentication required" : "Zahteva za avtentikacijo", + "Password" : "Geslo", + "Cancel" : "Prekliči", + "Confirm" : "Potrdi", + "seconds ago" : "pred nekaj sekundami", + "Logging in …" : "Prijava...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Povezava za ponastavitev gesla je bila poslana na naveden elektronski naslov. V kolikor sporočila ne dobite v kratkem, preverite tudi mapo neželene pošte.
Če sporočila ni niti v tej mapi, stopite v stik s skrbnikom.", + "I know what I'm doing" : "Vem, kaj delam!", + "Password can not be changed. Please contact your administrator." : "Gesla ni mogoče spremeniti. Stopite v stik s skrbnikom.", + "Reset password" : "Ponastavi geslo", + "Sending email …" : "Pošiljanje e-pošte ...", + "No" : "Ne", + "Yes" : "Da", + "No files in here" : "Tukaj ni datotek", + "Choose" : "Izbor", + "Copy" : "Kopiraj", + "Move" : "Premakni", + "Error loading file picker template: {error}" : "Napaka nalaganja predloge izbirnika datotek: {error}", + "OK" : "V redu", + "Error loading message template: {error}" : "Napaka nalaganja predloge sporočil: {error}", + "read-only" : "le za branje", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} spor datotek","{count} spora datotek","{count} spori datotek","{count} sporov datotek"], + "One file conflict" : "En spor datotek", + "New Files" : "Nove datoteke", + "Already existing files" : "Obstoječe datoteke", + "Which files do you want to keep?" : "Katare datoteke želite ohraniti?", + "If you select both versions, the copied file will have a number added to its name." : "Če izberete obe različici, bo kopirani datoteki k imenu dodana številka.", + "Continue" : "Nadaljuj", + "(all selected)" : "(vse izbrano)", + "({count} selected)" : "({count} izbranih)", + "Error loading file exists template" : "Napaka nalaganja predloge obstoječih datotek", + "Pending" : "Na čakanju", + "Very weak password" : "Zelo šibko geslo", + "Weak password" : "Šibko geslo", + "So-so password" : "Slabo geslo", + "Good password" : "Dobro geslo", + "Strong password" : "Odlično geslo", + "Error occurred while checking server setup" : "Prišlo je do napake med preverjanjem nastavitev strežnika", + "Shared" : "V souporabi", + "Shared with" : "V skupni rabi z", + "Error setting expiration date" : "Napaka nastavljanja datuma preteka", + "The public link will expire no later than {days} days after it is created" : "Javna povezava bo potekla {days} dni po ustvarjanju.", + "Set expiration date" : "Nastavi datum preteka", + "Expiration" : "Datum preteka", + "Expiration date" : "Datum preteka", + "Choose a password for the public link" : "Izberite geslo za javno povezavo", + "Copied!" : "Skopirano!", + "Not supported!" : "Ni podprto!", + "Press ⌘-C to copy." : "Pritisni ⌘-C za kopiranje.", + "Press Ctrl-C to copy." : "Pritisni Ctrl-C za kopiranje.", + "Resharing is not allowed" : "Nadaljnja souporaba ni dovoljena", + "Share to {name}" : "Deli z {name}", + "Share link" : "Povezava za prejem", + "Link" : "Povezava", + "Password protect" : "Zaščiti z geslom", + "Allow editing" : "Dovoli urejanje", + "Email link to person" : "Posreduj povezavo po elektronski pošti", + "Send" : "Pošlji", + "Allow upload and editing" : "Dovoli nalaganje in urejanje", + "Read only" : "Samo branje", + "File drop (upload only)" : "File drop (samo nalaganje)", + "Shared with you and the group {group} by {owner}" : "V souporabi z vami in skupino {group}. Lastnik je {owner}.", + "Shared with you by {owner}" : "V souporabi z vami. Lastnik je {owner}.", + "group" : "skupina", + "remote" : "oddaljeno", + "email" : "e-pošta", + "shared by {sharer}" : "deli {sharer}", + "Unshare" : "Prekliči souporabo", + "Can reshare" : "Lahko deli naprej", + "Can edit" : "Lahko popravlja", + "Can create" : "Lahko ustvari", + "Can change" : "Lahko spremeni", + "Can delete" : "Lahko pobriše", + "Access control" : "Nadzor dostopa", + "Could not unshare" : "Ni mogoče prekiniti souporabe", + "Error while sharing" : "Napaka med souporabo", + "Share details could not be loaded for this item." : "Podrobnosti souporabe za te predmet ni mogoče naložiti.", + "No users or groups found for {search}" : "Ni najdenih uporabnikov ali skupin za {search}", + "No users found for {search}" : "Ni uporabnikov, skladnih z iskalnim nizom {search}", + "An error occurred. Please try again" : "Prišlo je do napake. Poskusite znova.", + "{sharee} (group)" : "{sharee} (skupina)", + "{sharee} (remote)" : "{sharee} (oddaljeno)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Souporaba", + "Name or email address..." : "Ime ali e-poštni naslov...", + "Name or federated cloud ID..." : "Ime ali ID oblaka...", + "Name, federated cloud ID or email address..." : "Ime, ID oblaka ali e-poštni naslov...", + "Name..." : "Ime...", + "Error" : "Napaka", + "Error removing share" : "Napaka odstranjevanja souporabe", + "Non-existing tag #{tag}" : "Neobstoječa oznaka #{tag}", + "restricted" : "omejeno", + "invisible" : "nevidno", + "({scope})" : "({scope})", + "Delete" : "Izbriši", + "Rename" : "Preimenuj", + "Collaborative tags" : "Oznake sodelovanja", + "No tags found" : "Ne najdem oznak", + "unknown text" : "neznano besedilo", + "Hello world!" : "Pozdravljen svet!", + "sunny" : "sončno", + "Hello {name}, the weather is {weather}" : "Pozdravljeni, {name}, vreme je {weather}", + "Hello {name}" : "Pozdravljeni, {name}", + "new" : "novo", + "_download %n file_::_download %n files_" : ["prejmi %n datoteko","prejmi %n datoteki","prejmi %n datoteke","prejmi %n datotek"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Posodobitev je v teku. Če zapustiš to stran, lahko, v določenih okoljih, prekineš proces", + "Update to {version}" : "Posodobi na {version}", + "An error occurred." : "Prišlo je do napake.", + "Please reload the page." : "Stran je treba ponovno naložiti", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Posodobitev je spodletela. Za več podrobnosti o napaki je objavljenih na forumu.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Posodobitev ni bila uspešna. Prosimo, prijavite to situacijo na Nextcloud skupnost.", + "Continue to Nextcloud" : "Nadaljuj na Nextcloud", + "Searching other places" : "Iskanje drugih mest", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} rezultat v drugih mapah","{count} rezultata v drugih mapah","{count} rezultatov v drugih mapah","{count} rezultatov v drugih mapah"], + "Personal" : "Osebno", + "Users" : "Uporabniki", + "Apps" : "Programi", + "Admin" : "Skrbništvo", + "Help" : "Pomoč", + "Access forbidden" : "Dostop je prepovedan", + "File not found" : "Datoteke ni mogoče najti", + "The specified document has not been found on the server." : "Določenega dokumenta na strežniku ni mogoče najti.", + "You can click here to return to %s." : "S klikom na povezavo boste vrnjeni na %s.", + "Internal Server Error" : "Notranja napaka strežnika", + "More details can be found in the server log." : "Več podrobnosti je zabeleženih v dnevniku strežnika.", + "Technical details" : "Tehnične podrobnosti", + "Remote Address: %s" : "Oddaljen naslov: %s", + "Request ID: %s" : "ID zahteve: %s", + "Type: %s" : "Vrsta: %s", + "Code: %s" : "Koda: %s", + "Message: %s" : "Sporočilo: %s", + "File: %s" : "Datoteka: %s", + "Line: %s" : "Vrstica: %s", + "Trace" : "Sledenje povezav", + "Security warning" : "Varnostno opozorilo", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Podatkovna mapa in datoteke so najverjetneje javno dostopni preko interneta, saj datoteka .htaccess ni ustrezno nastavljena.", + "Create an admin account" : "Ustvari skrbniški račun", + "Username" : "Uporabniško ime", + "Storage & database" : "Shramba in podatkovna zbirka", + "Data folder" : "Podatkovna mapa", + "Configure the database" : "Nastavi podatkovno zbirko", + "Only %s is available." : "Le %s je na voljo.", + "Install and activate additional PHP modules to choose other database types." : "Namestite in omogočite dodatne module PHP za izbor drugih vrst podatkovnih zbirk.", + "For more details check out the documentation." : "Za več podrobnosti preverite dokumentacijo.", + "Database user" : "Uporabnik podatkovne zbirke", + "Database password" : "Geslo podatkovne zbirke", + "Database name" : "Ime podatkovne zbirke", + "Database tablespace" : "Razpredelnica podatkovne zbirke", + "Database host" : "Gostitelj podatkovne zbirke", + "Performance warning" : "Opozorilo učinkovitosti delovanja", + "SQLite will be used as database." : "Kot podatkovna zbirka bo uporabljena zbirka SQLite", + "For larger installations we recommend to choose a different database backend." : "Za večje namestitve je priporočljivo uporabiti drugo ozadnji program zbirke podatkov.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Uporaba SQLite ni priporočljiva iz varnostnih razlogov, še posebej če se sistem krajevno usklajuje z namizjem prek odjemalca.", + "Finish setup" : "Končaj nastavitev", + "Finishing …" : "Poteka zaključevanje opravila ...", + "Need help?" : "Ali potrebujete pomoč?", + "See the documentation" : "Preverite dokumentacijo", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Program zahteva podporo JavaScript za pravilno delovanje. Med nastavitvami omogočite {linkstart}JavaScript{linkend} in osvežite spletno stran.", + "More apps" : "Več aplikacij", + "Search" : "Poišči", + "Confirm your password" : "Potrdi svoje geslo", + "Server side authentication failed!" : "Overitev s strežnika je spodletela!", + "Please contact your administrator." : "Stopite v stik s skrbnikom sistema.", + "An internal error occurred." : "Prišlo je do notranje napake.", + "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", + "Username or email" : "Uporabniško ime ali elektronski naslov", + "Log in" : "Prijava", + "Wrong password." : "Napačno geslo!", + "Stay logged in" : "Ohrani prijavo", + "Forgot password?" : "Pozabili geslo?", + "Back to log in" : "Nazaj na prijavo", + "Alternative Logins" : "Druge prijavne možnosti", + "Grant access" : "Odobri dostop", + "App token" : "Ključ aplikacije", + "Redirecting …" : "Presumerjam...", + "New password" : "Novo geslo", + "New Password" : "Novo geslo", + "Two-factor authentication" : "Dvo-stopenjska prijava", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Na tvojem računu je vključena napredna varnost. Prosim, prijavi se z drugim korakom.", + "Cancel log in" : "Prekini prijavo", + "Use backup code" : "Uporabi rezervno šifro", + "Error while validating your second factor" : "Napaka med preverjanjem drugega koraka", + "Add \"%s\" as trusted domain" : "Dodaj \"%s\" kot varno domeno", + "App update required" : "Zahtevana je posodobitev programa", + "%s will be updated to version %s" : "%s bo posodobljen na različico %s.", + "These apps will be updated:" : "Posodobljeni bodo naslednji vstavki:", + "These incompatible apps will be disabled:" : "Ti neskladni vstavki bodo onemogočeni:", + "The theme %s has been disabled." : "Tema %s je onemogočena za uporabo.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pred nadaljevanjem se prepričajte se, da je ustvarjena varnostna kopija podatkovne zbirke, nastavitvenih datotek in podatkovne mape.", + "Start update" : "Začni posodobitev", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Za razreševanje časovnih zahtev večjih namestitev lahko uporabite ukaz iz namestitvene mape:", + "Detailed logs" : "Podrobni dnevniški zapisi", + "Update needed" : "Zahtevana je posodobitev", + "Upgrade via web on my own risk" : "Posodobi preko spleta na moje tveganje", + "This %s instance is currently in maintenance mode, which may take a while." : "Strežnik %s je trenutno v načinu vzdrževanja, kar lahko traja.", + "This page will refresh itself when the %s instance is available again." : "Stran bo osvežena ko bo %s spet na voljo.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", + "Thank you for your patience." : "Hvala za potrpežljivost!" +}, +"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/core/l10n/sl.json b/core/l10n/sl.json new file mode 100644 index 0000000000000..9e4291680ec9d --- /dev/null +++ b/core/l10n/sl.json @@ -0,0 +1,264 @@ +{ "translations": { + "Please select a file." : "Izberite datoteko", + "File is too big" : "Datoteka je prevelika", + "The selected file is not an image." : "Izbrana datoteka ni slika.", + "The selected file cannot be read." : "Izbrane datoteke ni mogoče prebrati.", + "Invalid file provided" : "Predložena je neveljavna datoteka", + "No image or file provided" : "Ni podane datoteke ali slike", + "Unknown filetype" : "Neznana vrsta datoteke", + "Invalid image" : "Neveljavna slika", + "An error occurred. Please contact your admin." : "Prišlo je do napake. Stopite v stik s skrbnikom sistema.", + "No temporary profile picture available, try again" : "Na voljo ni nobene začasne slike za profil. Poskusite znova.", + "No crop data provided" : "Ni podanih podatkov obreza", + "No valid crop data provided" : "Navedeni so neveljavni podatki obrez slike", + "Crop is not square" : "Obrez ni pravokoten", + "Password reset is disabled" : "Ponastavitev gesla je izključena", + "Couldn't reset password because the token is invalid" : "Ni mogoče ponastaviti gesla zaradi neustreznega žetona.", + "Couldn't reset password because the token is expired" : "Ni mogoče ponastaviti gesla, ker je žeton potekel.", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Ni mogoče poslati elektronskega sporočila za ponastavitev gesla, ker ni navedenega elektronskega naslova. Stopite v stik s skrbnikom sistema.", + "%s password reset" : "Ponastavitev gesla %s", + "Password reset" : "Ponastavitev gesla", + "Reset your password" : "Ponastavi svoje geslo", + "Couldn't send reset email. Please contact your administrator." : "Ni mogoče nastaviti elektronskega naslova za ponastavitev. Stopite v stik s skrbnikom sistema.", + "Couldn't send reset email. Please make sure your username is correct." : "Ni mogoče poslati elektronskega sporočila. Prepričajte se, da je uporabniško ime pravilno.", + "Preparing update" : "Pripravljanje posodobitve", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Opozorilo popravila:", + "Repair error: " : "Napaka popravila:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Posodobitev sistema je treba izvesti prek ukazne vrstice, ker je nastavitev samodejne posodobitve v config.php onemogočena.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Poteka preverjanje razpredelnice %s", + "Turned on maintenance mode" : "Vzdrževalni način je omogočen", + "Turned off maintenance mode" : "Vzdrževalni način je onemogočen", + "Maintenance mode is kept active" : "Vzdrževalni način je še vedno dejaven", + "Updating database schema" : "Poteka posodabljanje sheme podatkovne zbirke", + "Updated database" : "Posodobljena podatkovna zbirka", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke mogoče posodobiti (zaradi velikosti je lahko opravilo dolgotrajno).", + "Checked database schema update" : "Izbrana posodobitev sheme podatkovne zbirke", + "Checking updates of apps" : "Poteka preverjanje za posodobitve programov", + "Checking for update of app \"%s\" in appstore" : "Preverjam posodobitev za aplikacijo \"%s\" v trgovini", + "Update app \"%s\" from appstore" : "Posodobi aplikacijo \"%s\" iz trgovine", + "Checked for update of app \"%s\" in appstore" : "Preverjena posodobitev za \"%s\" v trgovini", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Poteka preverjanje, ali je shemo podatkovne zbirke za %s mogoče posodobiti (trajanje posodobitve je odvisno od velikosti zbirke).", + "Checked database schema update for apps" : "Izbrana posodobitev sheme podatkovne zbirke za programe", + "Updated \"%s\" to %s" : "Datoteka \"%s\" je posodobljena na %s", + "Set log level to debug" : "Nastavi raven beleženja za razhroščevanje", + "Reset log level" : "Počisti raven beleženja", + "Starting code integrity check" : "Začenjanje preverjanja stanja kode", + "Finished code integrity check" : "Končano preverjanje stanja kode", + "%s (incompatible)" : "%s (neskladno)", + "Following apps have been disabled: %s" : "Navedeni programi so onemogočeni: %s", + "Already up to date" : "Sistem je že posodobljen", + "Search contacts …" : "Iščem stike...", + "No contacts found" : "Ne najdem stikov", + "Show all contacts …" : "Prikaži vse kontakte", + "Loading your contacts …" : "Nalagam tvoje stike...", + "Looking for {term} …" : "Iščem {term} …", + "There were problems with the code integrity check. More information…" : "Med preverjanjem celovitosti kode je prišlo do napak. Več podrobnosti …", + "No action available" : "Ni akcij na voljo", + "Error fetching contact actions" : "Napaka pri branju operacij stikov", + "Settings" : "Nastavitve", + "Connection to server lost" : "Povezava s strežnikom spodletela", + "Saving..." : "Poteka shranjevanje ...", + "Dismiss" : "Opusti", + "This action requires you to confirm your password" : "Ta operacija zahteva potrditev tvojega gesla", + "Authentication required" : "Zahteva za avtentikacijo", + "Password" : "Geslo", + "Cancel" : "Prekliči", + "Confirm" : "Potrdi", + "seconds ago" : "pred nekaj sekundami", + "Logging in …" : "Prijava...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Povezava za ponastavitev gesla je bila poslana na naveden elektronski naslov. V kolikor sporočila ne dobite v kratkem, preverite tudi mapo neželene pošte.
Če sporočila ni niti v tej mapi, stopite v stik s skrbnikom.", + "I know what I'm doing" : "Vem, kaj delam!", + "Password can not be changed. Please contact your administrator." : "Gesla ni mogoče spremeniti. Stopite v stik s skrbnikom.", + "Reset password" : "Ponastavi geslo", + "Sending email …" : "Pošiljanje e-pošte ...", + "No" : "Ne", + "Yes" : "Da", + "No files in here" : "Tukaj ni datotek", + "Choose" : "Izbor", + "Copy" : "Kopiraj", + "Move" : "Premakni", + "Error loading file picker template: {error}" : "Napaka nalaganja predloge izbirnika datotek: {error}", + "OK" : "V redu", + "Error loading message template: {error}" : "Napaka nalaganja predloge sporočil: {error}", + "read-only" : "le za branje", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} spor datotek","{count} spora datotek","{count} spori datotek","{count} sporov datotek"], + "One file conflict" : "En spor datotek", + "New Files" : "Nove datoteke", + "Already existing files" : "Obstoječe datoteke", + "Which files do you want to keep?" : "Katare datoteke želite ohraniti?", + "If you select both versions, the copied file will have a number added to its name." : "Če izberete obe različici, bo kopirani datoteki k imenu dodana številka.", + "Continue" : "Nadaljuj", + "(all selected)" : "(vse izbrano)", + "({count} selected)" : "({count} izbranih)", + "Error loading file exists template" : "Napaka nalaganja predloge obstoječih datotek", + "Pending" : "Na čakanju", + "Very weak password" : "Zelo šibko geslo", + "Weak password" : "Šibko geslo", + "So-so password" : "Slabo geslo", + "Good password" : "Dobro geslo", + "Strong password" : "Odlično geslo", + "Error occurred while checking server setup" : "Prišlo je do napake med preverjanjem nastavitev strežnika", + "Shared" : "V souporabi", + "Shared with" : "V skupni rabi z", + "Error setting expiration date" : "Napaka nastavljanja datuma preteka", + "The public link will expire no later than {days} days after it is created" : "Javna povezava bo potekla {days} dni po ustvarjanju.", + "Set expiration date" : "Nastavi datum preteka", + "Expiration" : "Datum preteka", + "Expiration date" : "Datum preteka", + "Choose a password for the public link" : "Izberite geslo za javno povezavo", + "Copied!" : "Skopirano!", + "Not supported!" : "Ni podprto!", + "Press ⌘-C to copy." : "Pritisni ⌘-C za kopiranje.", + "Press Ctrl-C to copy." : "Pritisni Ctrl-C za kopiranje.", + "Resharing is not allowed" : "Nadaljnja souporaba ni dovoljena", + "Share to {name}" : "Deli z {name}", + "Share link" : "Povezava za prejem", + "Link" : "Povezava", + "Password protect" : "Zaščiti z geslom", + "Allow editing" : "Dovoli urejanje", + "Email link to person" : "Posreduj povezavo po elektronski pošti", + "Send" : "Pošlji", + "Allow upload and editing" : "Dovoli nalaganje in urejanje", + "Read only" : "Samo branje", + "File drop (upload only)" : "File drop (samo nalaganje)", + "Shared with you and the group {group} by {owner}" : "V souporabi z vami in skupino {group}. Lastnik je {owner}.", + "Shared with you by {owner}" : "V souporabi z vami. Lastnik je {owner}.", + "group" : "skupina", + "remote" : "oddaljeno", + "email" : "e-pošta", + "shared by {sharer}" : "deli {sharer}", + "Unshare" : "Prekliči souporabo", + "Can reshare" : "Lahko deli naprej", + "Can edit" : "Lahko popravlja", + "Can create" : "Lahko ustvari", + "Can change" : "Lahko spremeni", + "Can delete" : "Lahko pobriše", + "Access control" : "Nadzor dostopa", + "Could not unshare" : "Ni mogoče prekiniti souporabe", + "Error while sharing" : "Napaka med souporabo", + "Share details could not be loaded for this item." : "Podrobnosti souporabe za te predmet ni mogoče naložiti.", + "No users or groups found for {search}" : "Ni najdenih uporabnikov ali skupin za {search}", + "No users found for {search}" : "Ni uporabnikov, skladnih z iskalnim nizom {search}", + "An error occurred. Please try again" : "Prišlo je do napake. Poskusite znova.", + "{sharee} (group)" : "{sharee} (skupina)", + "{sharee} (remote)" : "{sharee} (oddaljeno)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Souporaba", + "Name or email address..." : "Ime ali e-poštni naslov...", + "Name or federated cloud ID..." : "Ime ali ID oblaka...", + "Name, federated cloud ID or email address..." : "Ime, ID oblaka ali e-poštni naslov...", + "Name..." : "Ime...", + "Error" : "Napaka", + "Error removing share" : "Napaka odstranjevanja souporabe", + "Non-existing tag #{tag}" : "Neobstoječa oznaka #{tag}", + "restricted" : "omejeno", + "invisible" : "nevidno", + "({scope})" : "({scope})", + "Delete" : "Izbriši", + "Rename" : "Preimenuj", + "Collaborative tags" : "Oznake sodelovanja", + "No tags found" : "Ne najdem oznak", + "unknown text" : "neznano besedilo", + "Hello world!" : "Pozdravljen svet!", + "sunny" : "sončno", + "Hello {name}, the weather is {weather}" : "Pozdravljeni, {name}, vreme je {weather}", + "Hello {name}" : "Pozdravljeni, {name}", + "new" : "novo", + "_download %n file_::_download %n files_" : ["prejmi %n datoteko","prejmi %n datoteki","prejmi %n datoteke","prejmi %n datotek"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Posodobitev je v teku. Če zapustiš to stran, lahko, v določenih okoljih, prekineš proces", + "Update to {version}" : "Posodobi na {version}", + "An error occurred." : "Prišlo je do napake.", + "Please reload the page." : "Stran je treba ponovno naložiti", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Posodobitev je spodletela. Za več podrobnosti o napaki je objavljenih na forumu.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Posodobitev ni bila uspešna. Prosimo, prijavite to situacijo na Nextcloud skupnost.", + "Continue to Nextcloud" : "Nadaljuj na Nextcloud", + "Searching other places" : "Iskanje drugih mest", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} rezultat v drugih mapah","{count} rezultata v drugih mapah","{count} rezultatov v drugih mapah","{count} rezultatov v drugih mapah"], + "Personal" : "Osebno", + "Users" : "Uporabniki", + "Apps" : "Programi", + "Admin" : "Skrbništvo", + "Help" : "Pomoč", + "Access forbidden" : "Dostop je prepovedan", + "File not found" : "Datoteke ni mogoče najti", + "The specified document has not been found on the server." : "Določenega dokumenta na strežniku ni mogoče najti.", + "You can click here to return to %s." : "S klikom na povezavo boste vrnjeni na %s.", + "Internal Server Error" : "Notranja napaka strežnika", + "More details can be found in the server log." : "Več podrobnosti je zabeleženih v dnevniku strežnika.", + "Technical details" : "Tehnične podrobnosti", + "Remote Address: %s" : "Oddaljen naslov: %s", + "Request ID: %s" : "ID zahteve: %s", + "Type: %s" : "Vrsta: %s", + "Code: %s" : "Koda: %s", + "Message: %s" : "Sporočilo: %s", + "File: %s" : "Datoteka: %s", + "Line: %s" : "Vrstica: %s", + "Trace" : "Sledenje povezav", + "Security warning" : "Varnostno opozorilo", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Podatkovna mapa in datoteke so najverjetneje javno dostopni preko interneta, saj datoteka .htaccess ni ustrezno nastavljena.", + "Create an admin account" : "Ustvari skrbniški račun", + "Username" : "Uporabniško ime", + "Storage & database" : "Shramba in podatkovna zbirka", + "Data folder" : "Podatkovna mapa", + "Configure the database" : "Nastavi podatkovno zbirko", + "Only %s is available." : "Le %s je na voljo.", + "Install and activate additional PHP modules to choose other database types." : "Namestite in omogočite dodatne module PHP za izbor drugih vrst podatkovnih zbirk.", + "For more details check out the documentation." : "Za več podrobnosti preverite dokumentacijo.", + "Database user" : "Uporabnik podatkovne zbirke", + "Database password" : "Geslo podatkovne zbirke", + "Database name" : "Ime podatkovne zbirke", + "Database tablespace" : "Razpredelnica podatkovne zbirke", + "Database host" : "Gostitelj podatkovne zbirke", + "Performance warning" : "Opozorilo učinkovitosti delovanja", + "SQLite will be used as database." : "Kot podatkovna zbirka bo uporabljena zbirka SQLite", + "For larger installations we recommend to choose a different database backend." : "Za večje namestitve je priporočljivo uporabiti drugo ozadnji program zbirke podatkov.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Uporaba SQLite ni priporočljiva iz varnostnih razlogov, še posebej če se sistem krajevno usklajuje z namizjem prek odjemalca.", + "Finish setup" : "Končaj nastavitev", + "Finishing …" : "Poteka zaključevanje opravila ...", + "Need help?" : "Ali potrebujete pomoč?", + "See the documentation" : "Preverite dokumentacijo", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Program zahteva podporo JavaScript za pravilno delovanje. Med nastavitvami omogočite {linkstart}JavaScript{linkend} in osvežite spletno stran.", + "More apps" : "Več aplikacij", + "Search" : "Poišči", + "Confirm your password" : "Potrdi svoje geslo", + "Server side authentication failed!" : "Overitev s strežnika je spodletela!", + "Please contact your administrator." : "Stopite v stik s skrbnikom sistema.", + "An internal error occurred." : "Prišlo je do notranje napake.", + "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", + "Username or email" : "Uporabniško ime ali elektronski naslov", + "Log in" : "Prijava", + "Wrong password." : "Napačno geslo!", + "Stay logged in" : "Ohrani prijavo", + "Forgot password?" : "Pozabili geslo?", + "Back to log in" : "Nazaj na prijavo", + "Alternative Logins" : "Druge prijavne možnosti", + "Grant access" : "Odobri dostop", + "App token" : "Ključ aplikacije", + "Redirecting …" : "Presumerjam...", + "New password" : "Novo geslo", + "New Password" : "Novo geslo", + "Two-factor authentication" : "Dvo-stopenjska prijava", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Na tvojem računu je vključena napredna varnost. Prosim, prijavi se z drugim korakom.", + "Cancel log in" : "Prekini prijavo", + "Use backup code" : "Uporabi rezervno šifro", + "Error while validating your second factor" : "Napaka med preverjanjem drugega koraka", + "Add \"%s\" as trusted domain" : "Dodaj \"%s\" kot varno domeno", + "App update required" : "Zahtevana je posodobitev programa", + "%s will be updated to version %s" : "%s bo posodobljen na različico %s.", + "These apps will be updated:" : "Posodobljeni bodo naslednji vstavki:", + "These incompatible apps will be disabled:" : "Ti neskladni vstavki bodo onemogočeni:", + "The theme %s has been disabled." : "Tema %s je onemogočena za uporabo.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pred nadaljevanjem se prepričajte se, da je ustvarjena varnostna kopija podatkovne zbirke, nastavitvenih datotek in podatkovne mape.", + "Start update" : "Začni posodobitev", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Za razreševanje časovnih zahtev večjih namestitev lahko uporabite ukaz iz namestitvene mape:", + "Detailed logs" : "Podrobni dnevniški zapisi", + "Update needed" : "Zahtevana je posodobitev", + "Upgrade via web on my own risk" : "Posodobi preko spleta na moje tveganje", + "This %s instance is currently in maintenance mode, which may take a while." : "Strežnik %s je trenutno v načinu vzdrževanja, kar lahko traja.", + "This page will refresh itself when the %s instance is available again." : "Stran bo osvežena ko bo %s spet na voljo.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", + "Thank you for your patience." : "Hvala za potrpežljivost!" +},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" +} \ No newline at end of file diff --git a/core/l10n/sq.js b/core/l10n/sq.js new file mode 100644 index 0000000000000..3aa98819e4c5f --- /dev/null +++ b/core/l10n/sq.js @@ -0,0 +1,281 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Ju lutem përzgjidhni një skedar.", + "File is too big" : "Skedari është shumë i madh", + "The selected file is not an image." : "Skedari i zgjedhur nuk është një imazh", + "The selected file cannot be read." : "Skedari i zgjedhur nuk mund të lexohet", + "Invalid file provided" : "U dha kartelë e pavlefshme", + "No image or file provided" : "S’u dha figurë apo kartelë", + "Unknown filetype" : "Lloj i panjohur kartele", + "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" : "Prerja s’është katrore", + "State token does not match" : "Shenja shtetërore nuk përputhet", + "Password reset is disabled" : "Opsioni për rigjenerimin e fjalëkalimit është çaktivizuar", + "Couldn't reset password because the token is invalid" : "S’u ricaktua dot fjalëkalimi, ngaqë token-i është i pavlefshëm", + "Couldn't reset password because the token is expired" : "S’u ricaktua dot fjalëkalimi, ngaqë token-i ka skaduar", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "S’u dërgua dot email ricaktimi, ngaqë s’ka adresë email për këtë përdoruesi. Ju lutemi, lidhuni me përgjegjësin tuaj.", + "%s password reset" : "U ricaktua fjalëkalimi për %s", + "Password reset" : "Fjalkalimi u rivendos", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Klikoni butonin më poshtë për të rivendosur fjalëkalimin tuaj. Nëse nuk keni kërkuar rivendosjen e fjalëkalimit, atëherë injorojeni këtë email.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Klikoni ne 'link-un' e rradhes per te rivendosur fjalekalimin tuaj.Nese nuk e keni vendosur akoma fjalekalimin atehere mos e merrni parasysh kete email.", + "Reset your password" : "Rivendosni nje fjalekalim te ri", + "Couldn't send reset email. Please contact your administrator." : "S’u dërgua dot email-i i ricaktimit. Ju lutemi, lidhuni me përgjegjësin tuaj.", + "Couldn't send reset email. Please make sure your username is correct." : "S’u dërgua dot email ricaktimi. Ju lutemi, sigurohuni që emri juaj i përdoruesit është i saktë.", + "Preparing update" : "Duke përgatitur përditësimin", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Sinjalizim ndreqjeje: ", + "Repair error: " : "Gabim ndreqjeje: ", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Ju lutemi, përdorni përditësuesin e rreshtit të urdhrave, sepse përditësimi i vetvetishëm është i çaktivizuar te config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Po kontrollohet tabela %s", + "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 for update of app \"%s\" in appstore" : "Duke kontrolluar për përditësim të aplikacionit \"%s\" në appstore.", + "Update app \"%s\" from appstore" : "Përditëso aplikacionin \"%s\" nga appstore", + "Checked for update of app \"%s\" in appstore" : "Duke kontrolluar për përditësim të aplikacionit \"%s\" në appstore.", + "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", + "Set log level to debug" : "Caktoni shkallë regjistrimi për diagnostikimin", + "Reset log level" : "Rikthe te parazgjedhja shkallën e regjistrimit", + "Starting code integrity check" : "Po fillohet kontroll integriteti për kodin", + "Finished code integrity check" : "Përfundoi kontrolli i integritetit për kodin", + "%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", + "Search contacts …" : "Kërko kontakte ...", + "No contacts found" : "Nuk jane gjetur kontakte", + "Show all contacts …" : "Shfaq të gjitha kontaktet", + "Loading your contacts …" : "Kontaktet tuaja po ngarkohen ...", + "Looking for {term} …" : "Duke kërkuar {për] ...", + "There were problems with the code integrity check. More information…" : "Pati probleme me kontrollin e integritetit të kodit. Më tepër të dhëna…", + "No action available" : "Jo veprim i mundur", + "Error fetching contact actions" : "Gabim gjatë marrjes së veprimeve të kontaktit", + "Settings" : "Rregullime", + "Connection to server lost" : "Lidhja me serverin u shkëput", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problem gjatë ngarkimit të faqes, rifreskimi në %n sekonda","Problem gjatë ngarkimit të faqes, rifreskimi në %n sekonda"], + "Saving..." : "Po ruhet …", + "Dismiss" : "Mos e merr parasysh", + "This action requires you to confirm your password" : "Ky veprim kërkon që të konfirmoni fjalëkalimin tuaj.", + "Authentication required" : "Verifikim i kërkuar", + "Password" : "Fjalëkalim", + "Cancel" : "Anuloje", + "Confirm" : "Konfirmo", + "Failed to authenticate, try again" : "Dështoi në verifikim, provo përsëri", + "seconds ago" : "sekonda më parë", + "Logging in …" : "Duke u loguar ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Lidhja për ricaktimin e fjalëkalimi tuaj u dërgua tek email-i juaj. Nëse nuk e merrni brenda një kohe të arsyeshme, kontrolloni dosjet e postës së padëshirueshme/postës së pavlerë.
Nëse s’është as aty, pyetni përgjegjësin tuaj lokal.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Skedarët tuaj janë të enkriptuar. Nuk do ketë asnjë mënyrë për ti rimarrë të dhënat pasi fjalëkalimi juaj të rivendoset.
Nëse nuk jeni të sigurt se çfarë duhet të bëni, ju lutemi flisni me administratorin tuaj para se të vazhdoni.
Doni vërtet të vazhdoni?", + "I know what I'm doing" : "E di se ç’bëj", + "Password can not be changed. Please contact your administrator." : "Fjalëkalimi nuk mund të ndryshohet. Ju lutemi, lidhuni me përgjegjësin tuaj.", + "Reset password" : "Ricaktoni fjalëkalimin", + "No" : "Jo", + "Yes" : "Po", + "No files in here" : "Jo skedar këtu", + "Choose" : "Zgjidhni", + "Copy" : "Kopjo", + "Error loading file picker template: {error}" : "Gabim në ngarkimin e gjedhes së marrësit të kartelave: {error}", + "OK" : "OK", + "Error loading message template: {error}" : "Gabim gjatë ngarkimit të gjedhes së mesazheve: {error}", + "read-only" : "vetëm për lexim", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} përplasje kartelash","{count} përplasje kartelash"], + "One file conflict" : "Një përplasje kartele", + "New Files" : "Kartela të Reja", + "Already existing files" : "Kartela ekzistuese", + "Which files do you want to keep?" : "Cilat kartela doni të mbani?", + "If you select both versions, the copied file will have a number added to its name." : "Nëse përzgjidhni të dy versionet, kartelës së kopjuar do t’i shtohet një numër në emrin e saj.", + "Continue" : "Vazhdo", + "(all selected)" : "(krejt të përzgjedhurat)", + "({count} selected)" : "({count} të përzgjedhura)", + "Error loading file exists template" : "Gabim në ngarkimin e gjedhes kartela ekziston", + "Pending" : "Në pritje", + "Very weak password" : "Fjalëkalim shumë i dobët", + "Weak password" : "Fjalëkalim i dobët", + "So-so password" : "Fjalëkalim çka", + "Good password" : "Fjalëkalim i mirë", + "Strong password" : "Fjalëkalim i fortë", + "Error occurred while checking server setup" : "Ndodhi një gabim gjatë kontrollit të rregullimit të shërbyesit", + "Shared" : "Ndarë", + "Error setting expiration date" : "Gabim në caktimin e datës së skadimit", + "The public link will expire no later than {days} days after it is created" : "Lidhja publike do të skadojë jo më vonë se {days} ditë pas krijimit të saj", + "Set expiration date" : "Caktoni datë skadimi", + "Expiration" : "Skadim", + "Expiration date" : "Datë skadimi", + "Choose a password for the public link" : "Zgjidhni një fjalëkalim për lidhjen publike", + "Choose a password for the public link or press the \"Enter\" key" : "Zgjidhni një fjalëkalim për lidhjen publike ose shtypni butonin \"Enter\"", + "Copied!" : "U kopjua!", + "Not supported!" : "Jo i përshtatshëm!", + "Press ⌘-C to copy." : "Shtyp ⌘-C për të kopjuar.", + "Press Ctrl-C to copy." : "Shtypni Ctrl-C për të kopjuar.", + "Resharing is not allowed" : "Nuk lejohen rindarjet", + "Share to {name}" : "Ndaj tek {name}", + "Share link" : "Lidhje ndarjeje", + "Link" : "Lidhje", + "Password protect" : "Mbroje me fjalëkalim", + "Allow editing" : "Lejo përpunim", + "Email link to person" : "Dërgoja personit lidhjen me email", + "Send" : "Dërgo", + "Allow upload and editing" : "Lejo ngarkim dhe editim", + "Read only" : "Vetëm i lexueshëm", + "File drop (upload only)" : "Lësho skedar (vetëm ngarkim)", + "Shared with you and the group {group} by {owner}" : "Ndarë me ju dhe me grupin {group} nga {owner}", + "Shared with you by {owner}" : "Ndarë me ju nga {owner}", + "Choose a password for the mail share" : "Zgjidh një fjalëkalim për shpërndarjen e mail-it", + "{{shareInitiatorDisplayName}} shared via link" : "{{shpërndaEmrinEShfaqurTëNismëtarit}} shpërnda nëpërmjet linkut", + "group" : "grup", + "remote" : "i largët", + "email" : "postë elektronike", + "shared by {sharer}" : "ndarë nga {ndarësi}", + "Unshare" : "Hiqe ndarjen", + "Can reshare" : "Mund të rishpërdajë", + "Can edit" : "Mund të editojë", + "Can create" : "Mund të krijoni", + "Can change" : "Mund të ndryshojë", + "Can delete" : "Mund të fshijë", + "Access control" : "Kontrolli i aksesit", + "Could not unshare" : "S’e shndau dot", + "Error while sharing" : "Gabim gjatë ndarjes", + "Share details could not be loaded for this item." : "Për këtë objekt s’u ngarkuan dot hollësi ndarjeje.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Të paktën {count} karaktere janë të nevojshëm për vetëpërmbushje","Të paktën {count} karaktere janë të nevojshëm për vetëpërmbushje"], + "This list is maybe truncated - please refine your search term to see more results." : "Kjo listë ndoshta është e prerë - ju lutemi të përmirësoni termat e kërkimit tuaj për të parë më shumë rezultate.", + "No users or groups found for {search}" : "S’u gjetën përdorues ose grupe për {search}", + "No users found for {search}" : "S’u gjet përdorues për {search}", + "An error occurred. Please try again" : "Ndodhi një gabim. Ju lutemi, riprovoni", + "{sharee} (group)" : "{sharee} (grup)", + "{sharee} (remote)" : "{sharee} (i largët)", + "{sharee} (email)" : "{sharee} (email)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Ndaje", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Shpërndaje me persona të tjerë duke vendosur një përdorues ose një grup, një ID reje të federuar ose një adresë emaili", + "Share with other people by entering a user or group or a federated cloud ID." : "Ndaj me njerëz të tjerë duke futur një pëdorues ose grup ose një ID reje federale.", + "Share with other people by entering a user or group or an email address." : "Shpërndaje me persona të tjerë duke vendosur një perdorues ose një grup ose një adresë emaili", + "Name or email address..." : "Emri ose adresa e email-it", + "Name or federated cloud ID..." : "Emri ose ID e resë të fedferuar", + "Name, federated cloud ID or email address..." : "Emri, ID e resë të federuar ose adresën e email-it...", + "Name..." : "Emër", + "Error" : "Gabim", + "Error removing share" : "Gabim në heqjen e ndarjes", + "Non-existing tag #{tag}" : "Etiketë #{tag} që s’ekziston", + "restricted" : "e kufizuar", + "invisible" : "e padukshme", + "({scope})" : "({scope})", + "Delete" : "Fshije", + "Rename" : "Riemërtoje", + "Collaborative tags" : "Etiketa bashkëpunimi", + "No tags found" : "Jo etiketime të gjetura", + "unknown text" : "tekst i panjohur", + "Hello world!" : "Hello world!", + "sunny" : "me diell", + "Hello {name}, the weather is {weather}" : "Tungjatjeta {name}, koha është {weather}", + "Hello {name}" : "Tungjatjeta {name}", + "These are your search results" : "Këto janë rezultatet e juaj të kërkimit" : "Këto janë rezultatet e juaj të kërkimit From 95ac2e31aeab03f5d73b8ef134988192bd04bffb Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Fri, 25 Aug 2017 17:48:04 +0200 Subject: [PATCH 081/251] Remove old perl script to update l10n files Signed-off-by: Morris Jobke --- .gitignore | 2 + .tx/config | 129 +++++++++++++++++++++ build/files-checker.php | 2 +- build/l10nParseAppInfo.php | 60 ---------- l10n/.gitignore | 2 - l10n/.tx/config | 129 --------------------- l10n/l10n.pl | 227 ------------------------------------- l10n/rm-old.sh | 24 ---- 8 files changed, 132 insertions(+), 443 deletions(-) create mode 100644 .tx/config delete mode 100644 build/l10nParseAppInfo.php delete mode 100644 l10n/.gitignore delete mode 100644 l10n/.tx/config delete mode 100644 l10n/l10n.pl delete mode 100644 l10n/rm-old.sh diff --git a/.gitignore b/.gitignore index 8e0794a7999fa..48fc68ec24049 100644 --- a/.gitignore +++ b/.gitignore @@ -8,6 +8,8 @@ /apps/inc.php /assets /.htaccess +/translationfiles +/translationtool.phar # ignore all apps except core ones /apps*/* diff --git a/.tx/config b/.tx/config new file mode 100644 index 0000000000000..b24acaeb386a9 --- /dev/null +++ b/.tx/config @@ -0,0 +1,129 @@ +[main] +host = https://www.transifex.com +lang_map = bg_BG: bg, cs_CZ: cs, fi_FI: fi, hu_HU: hu, nb_NO: nb, sk_SK: sk, th_TH: th, ja_JP: ja + +[nextcloud.core] +file_filter = translationfiles//core.po +source_file = translationfiles/templates/core.pot +source_lang = en +type = PO + +[nextcloud.files] +file_filter = translationfiles//files.po +source_file = translationfiles/templates/files.pot +source_lang = en +type = PO + +[nextcloud.settings-1] +file_filter = translationfiles//settings.po +source_file = translationfiles/templates/settings.pot +source_lang = en +type = PO + +[nextcloud.lib] +file_filter = translationfiles//lib.po +source_file = translationfiles/templates/lib.pot +source_lang = en +type = PO + +[nextcloud.dav] +file_filter = translationfiles//dav.po +source_file = translationfiles/templates/dav.pot +source_lang = en +type = PO + +[nextcloud.files_encryption] +file_filter = translationfiles//encryption.po +source_file = translationfiles/templates/encryption.pot +source_lang = en +type = PO + +[nextcloud.files_external] +file_filter = translationfiles//files_external.po +source_file = translationfiles/templates/files_external.pot +source_lang = en +type = PO + +[nextcloud.files_sharing] +file_filter = translationfiles//files_sharing.po +source_file = translationfiles/templates/files_sharing.pot +source_lang = en +type = PO + +[nextcloud.files_trashbin] +file_filter = translationfiles//files_trashbin.po +source_file = translationfiles/templates/files_trashbin.pot +source_lang = en +type = PO + +[nextcloud.files_versions] +file_filter = translationfiles//files_versions.po +source_file = translationfiles/templates/files_versions.pot +source_lang = en +type = PO + +[nextcloud.user_ldap] +file_filter = translationfiles//user_ldap.po +source_file = translationfiles/templates/user_ldap.pot +source_lang = en +type = PO + +[nextcloud.comments] +file_filter = translationfiles//comments.po +source_file = translationfiles/templates/comments.pot +source_lang = en +type = PO + +[nextcloud.federatedfilesharing] +file_filter = translationfiles//federatedfilesharing.po +source_file = translationfiles/templates/federatedfilesharing.pot +source_lang = en +type = PO + +[nextcloud.federation] +file_filter = translationfiles//federation.po +source_file = translationfiles/templates/federation.pot +source_lang = en +type = PO + +[nextcloud.oauth2] +file_filter = translationfiles//oauth2.po +source_file = translationfiles/templates/oauth2.pot +source_lang = en +type = PO + +[nextcloud.sharebymail] +file_filter = translationfiles//sharebymail.po +source_file = translationfiles/templates/sharebymail.pot +source_lang = en +type = PO + +[nextcloud.systemtags] +file_filter = translationfiles//systemtags.po +source_file = translationfiles/templates/systemtags.pot +source_lang = en +type = PO + +[nextcloud.updatenotification] +file_filter = translationfiles//updatenotification.po +source_file = translationfiles/templates/updatenotification.pot +source_lang = en +type = PO + +[nextcloud.theming] +file_filter = translationfiles//theming.po +source_file = translationfiles/templates/theming.pot +source_lang = en +type = PO + +[nextcloud.twofactor_backupcodes] +file_filter = translationfiles//twofactor_backupcodes.po +source_file = translationfiles/templates/twofactor_backupcodes.pot +source_lang = en +type = PO + +[nextcloud.workflowengine] +file_filter = translationfiles//workflowengine.po +source_file = translationfiles/templates/workflowengine.pot +source_lang = en +type = PO diff --git a/build/files-checker.php b/build/files-checker.php index 20d8b4b5f3339..bdded803d9972 100644 --- a/build/files-checker.php +++ b/build/files-checker.php @@ -36,6 +36,7 @@ '.mailmap', '.scrutinizer.yml', '.tag', + '.tx', '.user.ini', '3rdparty', 'apps', @@ -62,7 +63,6 @@ 'index.html', 'index.php', 'issue_template.md', - 'l10n', 'lib', 'occ', 'ocs', diff --git a/build/l10nParseAppInfo.php b/build/l10nParseAppInfo.php deleted file mode 100644 index 74c040b333cc6..0000000000000 --- a/build/l10nParseAppInfo.php +++ /dev/null @@ -1,60 +0,0 @@ - - * - * @license GNU AGPL version 3 or any later version - * - * This program is free software: you can redistribute it and/or modify - * it under the terms of the GNU Affero General Public License as - * published by the Free Software Foundation, either version 3 of the - * License, or (at your option) any later version. - * - * This program is distributed in the hope that it will be useful, - * but WITHOUT ANY WARRANTY; without even the implied warranty of - * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - * GNU Affero General Public License for more details. - * - * You should have received a copy of the GNU Affero General Public License - * along with this program. If not, see . - * - */ - -/** - * This little script parses the info.xml and extracts the app name as well - * as the navigation entry name from the XML and writes it into a file named - * specialAppInfoFakeDummyForL10nScript.php that is created and deleted during - * l10n string extraction - */ - -$fileName = getcwd() . '/appinfo/info.xml'; -$strings = []; - -if (!file_exists($fileName)) { - exit(); -} - -$xml = simplexml_load_file($fileName); - -if ($xml->name) { - $strings[] = $xml->name->__toString(); -} - -if ($xml->navigations) { - foreach ($xml->navigations as $navigation) { - $name = $navigation->navigation->name->__toString(); - if (!in_array($name, $strings)) { - $strings[] = $name; - } - } -} - -print_r($strings); - -$content = 't("' . $string . '");' . PHP_EOL; -} - -file_put_contents('specialAppInfoFakeDummyForL10nScript.php', $content); - diff --git a/l10n/.gitignore b/l10n/.gitignore deleted file mode 100644 index 72ab4b0e23656..0000000000000 --- a/l10n/.gitignore +++ /dev/null @@ -1,2 +0,0 @@ -*.po -*.pot diff --git a/l10n/.tx/config b/l10n/.tx/config deleted file mode 100644 index 5e32709c70270..0000000000000 --- a/l10n/.tx/config +++ /dev/null @@ -1,129 +0,0 @@ -[main] -host = https://www.transifex.com -lang_map = bg_BG: bg, cs_CZ: cs, fi_FI: fi, hu_HU: hu, nb_NO: nb, sk_SK: sk, th_TH: th, ja_JP: ja - -[nextcloud.core] -file_filter = /core.po -source_file = templates/core.pot -source_lang = en -type = PO - -[nextcloud.files] -file_filter = /files.po -source_file = templates/files.pot -source_lang = en -type = PO - -[nextcloud.settings-1] -file_filter = /settings.po -source_file = templates/settings.pot -source_lang = en -type = PO - -[nextcloud.lib] -file_filter = /lib.po -source_file = templates/lib.pot -source_lang = en -type = PO - -[nextcloud.dav] -file_filter = /dav.po -source_file = templates/dav.pot -source_lang = en -type = PO - -[nextcloud.files_encryption] -file_filter = /encryption.po -source_file = templates/encryption.pot -source_lang = en -type = PO - -[nextcloud.files_external] -file_filter = /files_external.po -source_file = templates/files_external.pot -source_lang = en -type = PO - -[nextcloud.files_sharing] -file_filter = /files_sharing.po -source_file = templates/files_sharing.pot -source_lang = en -type = PO - -[nextcloud.files_trashbin] -file_filter = /files_trashbin.po -source_file = templates/files_trashbin.pot -source_lang = en -type = PO - -[nextcloud.files_versions] -file_filter = /files_versions.po -source_file = templates/files_versions.pot -source_lang = en -type = PO - -[nextcloud.user_ldap] -file_filter = /user_ldap.po -source_file = templates/user_ldap.pot -source_lang = en -type = PO - -[nextcloud.comments] -file_filter = /comments.po -source_file = templates/comments.pot -source_lang = en -type = PO - -[nextcloud.federatedfilesharing] -file_filter = /federatedfilesharing.po -source_file = templates/federatedfilesharing.pot -source_lang = en -type = PO - -[nextcloud.federation] -file_filter = /federation.po -source_file = templates/federation.pot -source_lang = en -type = PO - -[nextcloud.oauth2] -file_filter = /oauth2.po -source_file = templates/oauth2.pot -source_lang = en -type = PO - -[nextcloud.sharebymail] -file_filter = /sharebymail.po -source_file = templates/sharebymail.pot -source_lang = en -type = PO - -[nextcloud.systemtags] -file_filter = /systemtags.po -source_file = templates/systemtags.pot -source_lang = en -type = PO - -[nextcloud.updatenotification] -file_filter = /updatenotification.po -source_file = templates/updatenotification.pot -source_lang = en -type = PO - -[nextcloud.theming] -file_filter = /theming.po -source_file = templates/theming.pot -source_lang = en -type = PO - -[nextcloud.twofactor_backupcodes] -file_filter = /twofactor_backupcodes.po -source_file = templates/twofactor_backupcodes.pot -source_lang = en -type = PO - -[nextcloud.workflowengine] -file_filter = /workflowengine.po -source_file = templates/workflowengine.pot -source_lang = en -type = PO diff --git a/l10n/l10n.pl b/l10n/l10n.pl deleted file mode 100644 index c8312982fdc11..0000000000000 --- a/l10n/l10n.pl +++ /dev/null @@ -1,227 +0,0 @@ -#!/usr/bin/perl -use strict; -use Locale::PO; -use Cwd; -use Data::Dumper; -use File::Path; - -sub crawlPrograms{ - my( $dir, $ignore ) = @_; - my @found = (); - - opendir( DIR, $dir ); - my @files = readdir( DIR ); - closedir( DIR ); - @files = sort( @files ); - - foreach my $i ( @files ){ - next if substr( $i, 0, 1 ) eq '.'; - if( $i eq 'l10n' && !$ignore ){ - push( @found, $dir ); - } - elsif( -d $dir.'/'.$i ){ - push( @found, crawlPrograms( $dir.'/'.$i )); - } - } - - return @found; -} - -sub crawlFiles{ - my( $dir ) = @_; - my @found = (); - - opendir( DIR, $dir ); - my @files = readdir( DIR ); - closedir( DIR ); - @files = sort( @files ); - - foreach my $i ( @files ){ - next if substr( $i, 0, 1 ) eq '.'; - next if $i eq 'l10n'; - - if( -d $dir.'/'.$i ){ - push( @found, crawlFiles( $dir.'/'.$i )); - } - else{ - push(@found,$dir.'/'.$i) if $i =~ /.*(?){ - my $line = $_; - chomp($line); - $ignore{"./$line"}++; - } - close(IN); - return %ignore; -} - -sub getPluralInfo { - my( $info ) = @_; - - # get string - $info =~ s/.*Plural-Forms: (.+)\\n.*/$1/; - $info =~ s/^(.*)\\n.*/$1/g; - - return $info; -} - -sub init() { - # let's get the version from stdout of xgettext - my $out = `xgettext --version`; - # we assume the first line looks like this 'xgettext (GNU gettext-tools) 0.19.3' - $out = substr $out, 29, index($out, "\n")-29; - $out =~ s/^\s+|\s+$//g; - $out = "v" . $out; - my $actual = version->parse($out); - # 0.18.3 introduced JavaScript as a language option - my $expected = version->parse('v0.18.3'); - if ($actual < $expected) { - die( "Minimum expected version of xgettext is " . $expected . ". Detected: " . $actual ); - } -} - -init(); - -my $task = shift( @ARGV ); -my $place = '..'; - -die( "Usage: l10n.pl task\ntask: read, write\n" ) unless $task && $place; - -# Our current position -my $whereami = cwd(); -die( "Program must be executed in a l10n-folder called 'l10n'" ) unless $whereami =~ m/\/l10n$/; - -# Where are i18n-files? -my @dirs = crawlPrograms( $place, 1 ); - -# Languages -my @languages = (); -opendir( DIR, '.' ); -my @files = readdir( DIR ); -closedir( DIR ); -foreach my $i ( @files ){ - push( @languages, $i ) if -d $i && substr( $i, 0, 1 ) ne '.'; -} - -if( $task eq 'read' ){ - rmtree( 'templates' ); - mkdir( 'templates' ) unless -d 'templates'; - print "Mode: reading\n"; - foreach my $dir ( @dirs ){ - my @temp = split( /\//, $dir ); - my $app = pop( @temp ); - chdir( $dir ); - # parses the app info and creates an dummy file specialAppInfoFakeDummyForL10nScript.php - `php $whereami/../build/l10nParseAppInfo.php`; - my @totranslate = crawlFiles('.'); - my %ignore = readIgnorelist(); - my $output = "${whereami}/templates/$app.pot"; - print " Processing $app\n"; - - foreach my $file ( @totranslate ){ - next if $ignore{$file}; - my $keywords = ''; - if( $file =~ /\.js$/ ){ - $keywords = '--keyword=t:2 --keyword=n:2,3'; - } - else{ - $keywords = '--keyword=t --keyword=n:1,2'; - } - my $language = ( $file =~ /\.js$/ ? 'Javascript' : 'PHP'); - my $joinexisting = ( -e $output ? '--join-existing' : ''); - print " Reading $file\n"; - `xgettext --output="$output" $joinexisting $keywords --language=$language "$file" --add-comments=TRANSLATORS --from-code=UTF-8 --package-version="8.0.0" --package-name="ownCloud Core" --msgid-bugs-address="translations\@owncloud.org"`; - } - rmtree( "specialAppInfoFakeDummyForL10nScript.php" ); - chdir( $whereami ); - } -} -elsif( $task eq 'write' ){ - print "Mode: write\n"; - foreach my $dir ( @dirs ){ - my @temp = split( /\//, $dir ); - my $app = pop( @temp ); - chdir( $dir.'/l10n' ); - print " Processing $app\n"; - foreach my $language ( @languages ){ - next if $language eq 'templates'; - - my $input = "${whereami}/$language/$app.po"; - next unless -e $input; - - print " Language $language\n"; - my $array = Locale::PO->load_file_asarray( $input ); - # Create array - my @strings = (); - my @js_strings = (); - my $plurals; - - TRANSLATIONS: foreach my $string ( @{$array} ){ - if( $string->msgid() eq '""' ){ - # Translator information - $plurals = getPluralInfo( $string->msgstr()); - } - elsif( defined( $string->msgstr_n() )){ - # plural translations - my @variants = (); - my $msgid = $string->msgid(); - $msgid =~ s/^"(.*)"$/$1/; - my $msgid_plural = $string->msgid_plural(); - $msgid_plural =~ s/^"(.*)"$/$1/; - my $identifier = "_" . $msgid."_::_".$msgid_plural . "_"; - - foreach my $variant ( sort { $a <=> $b} keys( %{$string->msgstr_n()} )){ - next TRANSLATIONS if $string->msgstr_n()->{$variant} eq '""'; - push( @variants, $string->msgstr_n()->{$variant} ); - } - - push( @strings, "\"$identifier\" => array(".join(",", @variants).")"); - push( @js_strings, "\"$identifier\" : [".join(",", @variants)."]"); - } - else{ - # singular translations - next TRANSLATIONS if $string->msgstr() eq '""'; - push( @strings, $string->msgid()." => ".$string->msgstr()); - push( @js_strings, $string->msgid()." : ".$string->msgstr()); - } - } - next if $#strings == -1; # Skip empty files - - for (@strings) { - s/\$/\\\$/g; - } - - # delete old php file - unlink "$language.php"; - - # Write js file - open( OUT, ">$language.js" ); - print OUT "OC.L10N.register(\n \"$app\",\n {\n "; - print OUT join( ",\n ", @js_strings ); - print OUT "\n},\n\"$plurals\");\n"; - close( OUT ); - - # Write json file - open( OUT, ">$language.json" ); - print OUT "{ \"translations\": "; - print OUT "{\n "; - print OUT join( ",\n ", @js_strings ); - print OUT "\n},\"pluralForm\" :\"$plurals\"\n}"; - close( OUT ); - - } - chdir( $whereami ); - } -} -else{ - print "unknown task!\n"; -} diff --git a/l10n/rm-old.sh b/l10n/rm-old.sh deleted file mode 100644 index e5e1348014b3d..0000000000000 --- a/l10n/rm-old.sh +++ /dev/null @@ -1,24 +0,0 @@ -#!/usr/bin/env bash - -lang=(ach ady af_ZA ak am_ET ar ast az bal be bg_BG bn_BD bn_IN bs ca cs_CZ cy_GB da de de_AT de_DE el en_GB en@pirate eo es es_AR es_CL es_MX et_EE eu fa fi_FI fil fr fy_NL gl gu he hi hr hu_HU hy ia id io is it ja jv ka_GE km kn ko ku_IQ la lb lo lt_LT lv mg mk ml ml_IN mn mr ms_MY mt_MT my_MM nb_NO nds ne nl nn_NO nqo oc or_IN pa pl pt_BR pt_PT ro ru si_LK sk_SK sl sq sr sr@latin su sv sw_KE ta_IN ta_LK te tg_TJ th_TH tl_PH tr tzl tzm ug uk ur_PK uz vi yo zh_CN zh_HK zh_TW) - -ignore="" - -for fignore in "${lang[@]}"; do - ignore=${ignore}"-not -name ${fignore}.js -not -name ${fignore}.json " -done - - -find ../lib/l10n -type f $ignore -delete -find ../settings/l10n -type f $ignore -delete -find ../core/l10n -type f $ignore -delete -find ../apps/files/l10n -type f $ignore -delete -find ../apps/encryption/l10n -type f $ignore -delete -find ../apps/files_external/l10n -type f $ignore -delete -find ../apps/files_sharing/l10n -type f $ignore -delete -find ../apps/files_trashbin/l10n -type f $ignore -delete -find ../apps/files_versions/l10n -type f $ignore -delete -find ../apps/user_ldap/l10n -type f $ignore -delete -find ../apps/user_webdavauth/l10n -type f $ignore -delete - - From 2845166e2af9caec18e8a0a196ff8b431672576f Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Fri, 9 Feb 2018 01:11:05 +0000 Subject: [PATCH 082/251] [tx-robot] updated from transifex --- apps/comments/l10n/pt_PT.js | 23 +++-- apps/comments/l10n/pt_PT.json | 23 +++-- apps/files/l10n/pt_PT.js | 125 ++++++++++++++++------------ apps/files/l10n/pt_PT.json | 125 ++++++++++++++++------------ apps/files/l10n/uk.js | 1 + apps/files/l10n/uk.json | 1 + apps/files_external/l10n/pt_PT.js | 1 + apps/files_external/l10n/pt_PT.json | 1 + apps/files_sharing/l10n/pt_PT.js | 110 ++++++++++++++---------- apps/files_sharing/l10n/pt_PT.json | 110 ++++++++++++++---------- apps/files_versions/l10n/uk.js | 5 +- apps/files_versions/l10n/uk.json | 5 +- core/l10n/fr.js | 3 +- core/l10n/fr.json | 3 +- core/l10n/pt_PT.js | 11 ++- core/l10n/pt_PT.json | 11 ++- settings/l10n/ast.js | 1 - settings/l10n/ast.json | 1 - settings/l10n/az.js | 1 - settings/l10n/az.json | 1 - settings/l10n/bg.js | 1 - settings/l10n/bg.json | 1 - settings/l10n/ca.js | 1 - settings/l10n/ca.json | 1 - settings/l10n/cs.js | 1 - settings/l10n/cs.json | 1 - settings/l10n/da.js | 1 - settings/l10n/da.json | 1 - settings/l10n/de.js | 1 - settings/l10n/de.json | 1 - settings/l10n/de_DE.js | 1 - settings/l10n/de_DE.json | 1 - settings/l10n/el.js | 1 - settings/l10n/el.json | 1 - settings/l10n/en_GB.js | 1 - settings/l10n/en_GB.json | 1 - settings/l10n/es.js | 1 - settings/l10n/es.json | 1 - settings/l10n/es_419.js | 1 - settings/l10n/es_419.json | 1 - settings/l10n/es_AR.js | 1 - settings/l10n/es_AR.json | 1 - settings/l10n/es_CL.js | 1 - settings/l10n/es_CL.json | 1 - settings/l10n/es_CO.js | 1 - settings/l10n/es_CO.json | 1 - settings/l10n/es_CR.js | 1 - settings/l10n/es_CR.json | 1 - settings/l10n/es_DO.js | 1 - settings/l10n/es_DO.json | 1 - settings/l10n/es_EC.js | 1 - settings/l10n/es_EC.json | 1 - settings/l10n/es_GT.js | 1 - settings/l10n/es_GT.json | 1 - settings/l10n/es_HN.js | 1 - settings/l10n/es_HN.json | 1 - settings/l10n/es_MX.js | 1 - settings/l10n/es_MX.json | 1 - settings/l10n/es_NI.js | 1 - settings/l10n/es_NI.json | 1 - settings/l10n/es_PA.js | 1 - settings/l10n/es_PA.json | 1 - settings/l10n/es_PE.js | 1 - settings/l10n/es_PE.json | 1 - settings/l10n/es_PR.js | 1 - settings/l10n/es_PR.json | 1 - settings/l10n/es_PY.js | 1 - settings/l10n/es_PY.json | 1 - settings/l10n/es_SV.js | 1 - settings/l10n/es_SV.json | 1 - settings/l10n/es_UY.js | 1 - settings/l10n/es_UY.json | 1 - settings/l10n/et_EE.js | 1 - settings/l10n/et_EE.json | 1 - settings/l10n/eu.js | 1 - settings/l10n/eu.json | 1 - settings/l10n/fa.js | 1 - settings/l10n/fa.json | 1 - settings/l10n/fi.js | 1 - settings/l10n/fi.json | 1 - settings/l10n/fr.js | 10 ++- settings/l10n/fr.json | 10 ++- settings/l10n/he.js | 1 - settings/l10n/he.json | 1 - settings/l10n/hu.js | 1 - settings/l10n/hu.json | 1 - settings/l10n/id.js | 1 - settings/l10n/id.json | 1 - settings/l10n/is.js | 1 - settings/l10n/is.json | 1 - settings/l10n/it.js | 1 - settings/l10n/it.json | 1 - settings/l10n/ja.js | 1 - settings/l10n/ja.json | 1 - settings/l10n/ka_GE.js | 1 - settings/l10n/ka_GE.json | 1 - settings/l10n/ko.js | 1 - settings/l10n/ko.json | 1 - settings/l10n/lv.js | 1 - settings/l10n/lv.json | 1 - settings/l10n/mk.js | 1 - settings/l10n/mk.json | 1 - settings/l10n/nb.js | 1 - settings/l10n/nb.json | 1 - settings/l10n/nl.js | 1 - settings/l10n/nl.json | 1 - settings/l10n/pl.js | 1 - settings/l10n/pl.json | 1 - settings/l10n/pt_BR.js | 1 - settings/l10n/pt_BR.json | 1 - settings/l10n/pt_PT.js | 60 ++++++++++++- settings/l10n/pt_PT.json | 60 ++++++++++++- settings/l10n/ro.js | 1 - settings/l10n/ro.json | 1 - settings/l10n/ru.js | 1 - settings/l10n/ru.json | 1 - settings/l10n/sk.js | 1 - settings/l10n/sk.json | 1 - settings/l10n/sl.js | 1 - settings/l10n/sl.json | 1 - settings/l10n/sq.js | 1 - settings/l10n/sq.json | 1 - settings/l10n/sr.js | 1 - settings/l10n/sr.json | 1 - settings/l10n/sv.js | 1 - settings/l10n/sv.json | 1 - settings/l10n/th.js | 1 - settings/l10n/th.json | 1 - settings/l10n/tr.js | 1 - settings/l10n/tr.json | 1 - settings/l10n/uk.js | 1 - settings/l10n/uk.json | 1 - settings/l10n/zh_CN.js | 1 - settings/l10n/zh_CN.json | 1 - settings/l10n/zh_TW.js | 1 - settings/l10n/zh_TW.json | 1 - 136 files changed, 468 insertions(+), 346 deletions(-) diff --git a/apps/comments/l10n/pt_PT.js b/apps/comments/l10n/pt_PT.js index bc1a4cef17d00..395b5d51bb309 100644 --- a/apps/comments/l10n/pt_PT.js +++ b/apps/comments/l10n/pt_PT.js @@ -1,25 +1,36 @@ OC.L10N.register( "comments", { + "Comments" : "Comentários", + "New comment …" : "Novo comentário …", "Delete comment" : "Eliminar comentário", "Post" : "Publicar", "Cancel" : "Cancelar", "Edit comment" : "Editar comentário", "[Deleted user]" : "[Utilizador eliminado]", - "Comments" : "Comentários", + "No comments yet, start the conversation!" : "Ainda sem comentários, inicie uma conversação!", + "More comments …" : "Mais comentários ...", "Save" : "Guardar", "Allowed characters {count} of {max}" : "{count} de {max} caracteres restantes", "Error occurred while retrieving comment with id {id}" : "Ocorreu um erro ao tentar obter o comentário com o id {id}", "Error occurred while updating comment with id {id}" : "Ocorreu um erro ao tentar atualizar o comentário com o id {id}", "Error occurred while posting comment" : "Ocorreu um erro ao tentar publicar o comentário", + "_%n unread comment_::_%n unread comments_" : ["%n comentários por ler","%n comentários por ler"], "Comment" : "Comentário", "You commented" : "Comentou", "%1$s commented" : "%1$s comentou", - "You commented on %2$s" : "Comentou %2$s", + "{author} commented" : "{author} comentou", + "You commented on %1$s" : "Comentaste em %1$s", + "You commented on {file}" : "Comentaste em {file}", "%1$s commented on %2$s" : "%1$s comentou %2$s", - "Type in a new comment..." : "Escreva um novo comentário...", - "No other comments available" : "Nenhum outro comentário disponível", - "More comments..." : "Mais comentários...", - "{count} unread comments" : "{count} comentários não lidos" + "{author} commented on {file}" : "{author} comentou em {file}", + "Comments for files" : "Comentários aos ficheiros", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Foste mencionado em “%s”, num comentário de um utilizador que foi entretanto removido", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Foste mencionado e, “{file}”, num comentário de um utilizador que foi entretanto removido", + "%1$s mentioned you in a comment on “%2$s”" : "%1$s mencionou-te num comentário em “%2$s”", + "{user} mentioned you in a comment on “{file}”" : "{user} mencionou-te num comentário em “{file}”", + "Unknown user" : "Utilizador desconhecido", + "A (now) deleted user mentioned you in a comment on “%s”" : "Um utilizador (agora removido) mencionou-te num comentário em “%s”", + "A (now) deleted user mentioned you in a comment on “{file}”" : "Um utilizador (agora removido) mencionou-te num comentário em “{file}”" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/comments/l10n/pt_PT.json b/apps/comments/l10n/pt_PT.json index 7370bfc43b7d2..5adfabf3f3350 100644 --- a/apps/comments/l10n/pt_PT.json +++ b/apps/comments/l10n/pt_PT.json @@ -1,23 +1,34 @@ { "translations": { + "Comments" : "Comentários", + "New comment …" : "Novo comentário …", "Delete comment" : "Eliminar comentário", "Post" : "Publicar", "Cancel" : "Cancelar", "Edit comment" : "Editar comentário", "[Deleted user]" : "[Utilizador eliminado]", - "Comments" : "Comentários", + "No comments yet, start the conversation!" : "Ainda sem comentários, inicie uma conversação!", + "More comments …" : "Mais comentários ...", "Save" : "Guardar", "Allowed characters {count} of {max}" : "{count} de {max} caracteres restantes", "Error occurred while retrieving comment with id {id}" : "Ocorreu um erro ao tentar obter o comentário com o id {id}", "Error occurred while updating comment with id {id}" : "Ocorreu um erro ao tentar atualizar o comentário com o id {id}", "Error occurred while posting comment" : "Ocorreu um erro ao tentar publicar o comentário", + "_%n unread comment_::_%n unread comments_" : ["%n comentários por ler","%n comentários por ler"], "Comment" : "Comentário", "You commented" : "Comentou", "%1$s commented" : "%1$s comentou", - "You commented on %2$s" : "Comentou %2$s", + "{author} commented" : "{author} comentou", + "You commented on %1$s" : "Comentaste em %1$s", + "You commented on {file}" : "Comentaste em {file}", "%1$s commented on %2$s" : "%1$s comentou %2$s", - "Type in a new comment..." : "Escreva um novo comentário...", - "No other comments available" : "Nenhum outro comentário disponível", - "More comments..." : "Mais comentários...", - "{count} unread comments" : "{count} comentários não lidos" + "{author} commented on {file}" : "{author} comentou em {file}", + "Comments for files" : "Comentários aos ficheiros", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Foste mencionado em “%s”, num comentário de um utilizador que foi entretanto removido", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Foste mencionado e, “{file}”, num comentário de um utilizador que foi entretanto removido", + "%1$s mentioned you in a comment on “%2$s”" : "%1$s mencionou-te num comentário em “%2$s”", + "{user} mentioned you in a comment on “{file}”" : "{user} mencionou-te num comentário em “{file}”", + "Unknown user" : "Utilizador desconhecido", + "A (now) deleted user mentioned you in a comment on “%s”" : "Um utilizador (agora removido) mencionou-te num comentário em “%s”", + "A (now) deleted user mentioned you in a comment on “{file}”" : "Um utilizador (agora removido) mencionou-te num comentário em “{file}”" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/pt_PT.js b/apps/files/l10n/pt_PT.js index 2d47f139030ee..feb43aced76f1 100644 --- a/apps/files/l10n/pt_PT.js +++ b/apps/files/l10n/pt_PT.js @@ -1,10 +1,12 @@ OC.L10N.register( "files", { + "Storage is temporarily not available" : "Armazenamento temporariamente indisponível", "Storage invalid" : "Armazenamento inválido", "Unknown error" : "Erro desconhecido", - "Files" : "Ficheiros", "All files" : "Todos os ficheiros", + "Recent" : "Recentes", + "File could not be found" : "O ficheiro não foi encontrado", "Home" : "Início", "Close" : "Fechar", "Favorites" : "Favoritos", @@ -12,24 +14,21 @@ OC.L10N.register( "Upload cancelled." : "Envio cancelado.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "Não é possível enviar {filename}, porque este é uma diretoria ou tem 0 bytes", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Não existe espaço suficiente, está a enviar {size1} mas resta apenas {size2}", - "Uploading..." : "A enviar...", - "..." : "...", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "Tempo restante: {hours}:{minutes}:{seconds} hora{plural_s}", - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "{minutes}:{seconds} minute{plural_s} left" : "faltam: {minutes}:{seconds} minute{plural_s}", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds} second{plural_s} left" : "faltam: {seconds} segundo{plural_s}", - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Agora, a qualquer momento...", - "Soon..." : "Brevemente...", + "Target folder \"{dir}\" does not exist any more" : "A pasta de destino \"{dir}\" já não existe", + "Not enough free space" : "Espaço insuficiente", + "Uploading …" : "A carregar ...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} de {totalSize} ({bitrate})", - "File upload is in progress. Leaving the page now will cancel the upload." : "Envio de ficheiro em progresso. Se deixar a página agora, irá cancelar o envio.", + "Target folder does not exist any more" : "A pasta de destino já não existe", "Actions" : "Ações", "Download" : "Transferir", "Rename" : "Renomear", + "Move or copy" : "Mover ou copiar", + "Target folder" : "Pasta de destino", "Delete" : "Eliminar", "Disconnect storage" : "Desligue o armazenamento", "Unshare" : "Cancelar partilha", + "Could not load info for file \"{file}\"" : "Não foi possível carregar informações do ficheiro \"{file}\"", + "Files" : "Ficheiros", "Details" : "Detalhes", "Select" : "Selecionar", "Pending" : "Pendente", @@ -38,6 +37,10 @@ OC.L10N.register( "This directory is unavailable, please check the logs or contact the administrator" : "Esta diretoria está indisponível, por favor, verifique os registos ou contacte o administrador", "Could not move \"{file}\", target exists" : "Não foi possível mover \"{file}\", destino já existe", "Could not move \"{file}\"" : "Não foi possivel mover o ficheiro \"{file}\"", + "Could not copy \"{file}\", target exists" : "Não foi possível copiar \"{file}\", o destino já existe", + "Could not copy \"{file}\"" : "Impossível copiar \"{file}\"", + "Copied {origin} inside {destination}" : "Copiado {origin} para {destination}", + "Copied {origin} and {nbfiles} other files inside {destination}" : "Copiados {origin} e {nbfiles} outros ficheiros para dentro de {destination}", "{newName} already exists" : "{newName} já existe", "Could not rename \"{fileName}\", it does not exist any more" : "Não foi possível renomear \"{fileName}\", este já não existe", "The name \"{targetName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome \"{targetName}\" já está em utilização na pasta \"{dir}\". Por favor, escolha um nome diferente.", @@ -46,32 +49,73 @@ OC.L10N.register( "Could not create file \"{file}\" because it already exists" : "Não foi possível criar o ficheiro \"{file}\", porque este já existe", "Could not create folder \"{dir}\" because it already exists" : "Não foi possível criar a pasta \"{dir}\", porque esta já existe", "Error deleting file \"{fileName}\"." : "Erro ao eliminar o ficheiro \"{fileName}\".", + "No search results in other folders for {tag}{filter}{endtag}" : "Nenhum resultado noutras pastas para {tag}{filter}{endtag}", "Name" : "Nome", "Size" : "Tamanho", "Modified" : "Modificado", "_%n folder_::_%n folders_" : ["%n pasta","%n pastas"], "_%n file_::_%n files_" : ["%n ficheiro","%n ficheiros"], "{dirs} and {files}" : "{dirs} e {files}", + "_including %n hidden_::_including %n hidden_" : ["incluindo %n ocultos","incluindo %n ocultos"], "You don’t have permission to upload or create files here" : "Não tem permissão para enviar ou criar ficheiros aqui", "_Uploading %n file_::_Uploading %n files_" : ["A enviar %n ficheiro","A enviar %n ficheiros"], "New" : "Novo", + "{used} of {quota} used" : "{used} de {quota} utilizado", + "{used} used" : "{used} utilizado", "\"{name}\" is an invalid file name." : "\"{name}\" é um nome de ficheiro inválido.", "File name cannot be empty." : "O nome do ficheiro não pode estar em branco.", + "\"/\" is not allowed inside a file name." : "\"/\" não é permitido dentro de um nome de um ficheiro.", + "\"{name}\" is not an allowed filetype" : "\"{name}\" não é um tipo de ficheiro permitido", "Storage of {owner} is full, files can not be updated or synced anymore!" : "O armazenamento de {owner} está cheio. Os ficheiros já não podem ser atualizados ou sincronizados!", "Your storage is full, files can not be updated or synced anymore!" : "O seu armazenamento está cheio, os ficheiros já não podem ser atualizados ou sincronizados.", "Storage of {owner} is almost full ({usedSpacePercent}%)" : "O armazenamento de {owner} está quase cheio ({usedSpacePercent}%)", "Your storage is almost full ({usedSpacePercent}%)" : "O seu armazenamento está quase cheio ({usedSpacePercent}%)", "_matches '{filter}'_::_match '{filter}'_" : ["corresponde a '{filter}'","correspondem a '{filter}'"], + "View in folder" : "Ver na pasta", + "Copied!" : "Copiado!", + "Copy direct link (only works for users who have access to this file/folder)" : "Copiar hiperligação directa (apenas funciona para utilizadores que tenham acesso a este ficheiro/pasta)", "Path" : "Caminho", "_%n byte_::_%n bytes_" : ["%n byte","%n bytes"], "Favorited" : "Nos Favoritos", "Favorite" : "Favorito", - "Folder" : "Pasta", "New folder" : "Nova pasta", - "Upload" : "Enviar", + "Upload file" : "Enviar ficheiro", + "Not favorited" : "Não favorito", + "Remove from favorites" : "Remover dos favoritos", + "Add to favorites" : "Adicionar aos favoritos", "An error occurred while trying to update the tags" : "Ocorreu um erro ao tentar atualizar as etiquetas", + "Added to favorites" : "Adicionado aos favoritos", + "Removed from favorites" : "Removido dos favoritos", + "You added {file} to your favorites" : "Adicionou {file} aos favoritos", + "You removed {file} from your favorites" : "Removeu {file} dos favoritos", + "File changes" : "Alterações no ficheiro", + "Created by {user}" : "Criado por {user}", + "Changed by {user}" : "Modificado por {user}", + "Deleted by {user}" : "Apagado por {user}", + "Restored by {user}" : "Restaurado por {user}", + "Renamed by {user}" : "Renomeado por {user}", + "Moved by {user}" : "Movido por {user}", + "\"remote user\"" : "\"utilizador remoto\"", + "You created {file}" : "Criou {file}", + "{user} created {file}" : "{user} criou {file}", + "{file} was created in a public folder" : "{file} foi criado numa pasta pública", + "You changed {file}" : "Modificou {file}", + "{user} changed {file}" : "{user} modificou {file}", + "You deleted {file}" : "Eliminou {file}", + "{user} deleted {file}" : "{user} eliminou {file}", + "You restored {file}" : "Restaurou {file}", + "{user} restored {file}" : "{user} restaurou {file}", + "You renamed {oldfile} to {newfile}" : "Renomeou {oldfile} para {newfile}", + "{user} renamed {oldfile} to {newfile}" : "{user} renomeou {oldfile} para {newfile}", + "You moved {oldfile} to {newfile}" : "Moveu {oldfile} para {newfile}", + "{user} moved {oldfile} to {newfile}" : "{user} moveu {oldfile} para {newfile}", + "A file has been added to or removed from your favorites" : "Um ficheiro foi adicionado ou removido dos seus favoritos", + "A file or folder has been changed or renamed" : "Um ficheiro ou pasta foram modificados ou renomeados", "A new file or folder has been created" : "Foi criado um novo ficheiro ou pasta", + "A file or folder has been deleted" : "Um ficheiro ou pasta foram apagados", "Limit notifications about creation and changes to your favorite files (Stream only)" : "Limite as notificações sobre a criação e alterações para os seus ficheiros favoritos (apenas Emissão)", + "A file or folder has been restored" : "Um ficheiro ou pasta foram restaurados", + "Unlimited" : "Ilimitado", "Upload (max. %s)" : "Envio (máx. %s)", "File handling" : "Utilização do ficheiro", "Maximum upload size" : "Tamanho máximo de envio", @@ -79,56 +123,31 @@ OC.L10N.register( "Save" : "Guardar", "With PHP-FPM it might take 5 minutes for changes to be applied." : "Com o PHP-FPM poderá demorar 5 minutos até que as alterações sejam aplicadas.", "Missing permissions to edit from here." : "Faltam permissões para editar a partir daqui.", + "%s of %s used" : "%s de %s utilizado", + "%s used" : "%s utilizado", "Settings" : "Configurações", "Show hidden files" : "Mostrar ficheiros ocultos", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "Utilize este endereço para aceder aos seus ficheiros via WebDAV", + "Use this address to access your Files via WebDAV" : "Utilize este endereço para aceder aos seus ficheiros por WebDAV", + "Cancel upload" : "Cancelar envio", "No files in here" : "Nenhuns ficheiros aqui", "Upload some content or sync with your devices!" : "Envie algum conteúdo ou sincronize com os seus dispositivos!", "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Select all" : "Selecionar todos", "Upload too large" : "Envio muito grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os ficheiros que está a tentar enviar excedem o tamanho máximo para os envios de ficheiro neste servidor.", - "No favorites" : "Sem favoritos", + "No favorites yet" : "Sem favoritos", "Files and folders you mark as favorite will show up here" : "Os ficheiros e pastas que marcou como favoritos serão mostrados aqui", + "Shared with you" : "Partilhado consigo ", + "Shared with others" : "Partilhado com terceiros", + "Shared by link" : "Partilhado por hiperligação", + "Tags" : "Etiquetas", + "Deleted files" : "Ficheiros eliminados", "Text file" : "Ficheiro de Texto", "New text file.txt" : "Novo texto ficheiro.txt", - "Storage not available" : "Armazenamento indisponível", - "Unable to set upload directory." : "Não foi possível definir a diretoria de envio.", - "Invalid Token" : "Senha Inválida", - "No file was uploaded. Unknown error" : "Não foi enviado nenhum ficheiro. Erro desconhecido", - "There is no error, the file uploaded with success" : "Não ocorreram erros, o ficheiro foi enviado com sucesso", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "O ficheiro enviado excede a diretiva php.ini upload_max_filesize no php.ini", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O tamanho do ficheiro enviado excede a diretiva MAX_FILE_SIZE definida no formulário HTML", - "The uploaded file was only partially uploaded" : "O ficheiro enviado só foi parcialmente enviado", - "No file was uploaded" : "Não foi enviado nenhum ficheiro", - "Missing a temporary folder" : "A pasta temporária está em falta", - "Failed to write to disk" : "Não foi possível gravar no disco", - "Not enough storage available" : "Não há espaço suficiente em disco", - "The target folder has been moved or deleted." : "A pasta de destino foi movida ou eliminada.", - "Upload failed. Could not find uploaded file" : "Envio falhou. Não foi possível encontrar o ficheiro enviado", - "Upload failed. Could not get file info." : "Envio falhou. Não foi possível obter a informação do ficheiro.", - "Invalid directory." : "Diretoria inválida.", - "Total file size {size1} exceeds upload limit {size2}" : "O tamanho total do ficheiro {size1} excede o limite de envio {size2}", - "Error uploading file \"{fileName}\": {message}" : "Erro ao enviar o ficheiro \"{fileName}\": {message}", - "Could not get result from server." : "Não foi possível obter o resultado do servidor.", - "No entries in this folder match '{filter}'" : "Nenhumas entradas nesta pasta correspondem a '{filter}'", - "Local link" : "Hiperligação local", - "{newname} already exists" : "{newname} já existe", - "A file or folder has been changed" : "Foi alterado um ficheiro ou pasta", - "A file or folder has been deleted" : "Foi eliminado um ficheiro ou pasta", - "A file or folder has been restored" : "Foi restaurado um ficheiro ou pasta", - "You created %1$s" : "Criou %1$s", - "%2$s created %1$s" : "%2$s criou %1$s", - "%1$s was created in a public folder" : "%1$s foi criado numa pasta pública", - "You changed %1$s" : "Alterou %1$s", - "%2$s changed %1$s" : "%2$s alterou %1$s", - "You deleted %1$s" : "Eliminou %1$s", - "%2$s deleted %1$s" : "%2$s eliminou %1$s", - "You restored %1$s" : "Restaurou %1$s", - "%2$s restored %1$s" : "%2$s restaurou %1$s", - "Changed by %2$s" : "Alterado por %2$s", - "Deleted by %2$s" : "Eliminado por %2$s", - "Restored by %2$s" : "Restaurado por %2$s" + "Move" : "Mover", + "A new file or folder has been deleted" : "Um novo ficheiro ou pasta foi eliminado", + "A new file or folder has been restored" : "Um novo ficheiro ou pasta foi restaurado", + "Use this address to access your Files via WebDAV" : "Utilize este endereço para aceder aos seus ficheiros por WebDAV" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/pt_PT.json b/apps/files/l10n/pt_PT.json index fe984ec661281..97d4308cab439 100644 --- a/apps/files/l10n/pt_PT.json +++ b/apps/files/l10n/pt_PT.json @@ -1,8 +1,10 @@ { "translations": { + "Storage is temporarily not available" : "Armazenamento temporariamente indisponível", "Storage invalid" : "Armazenamento inválido", "Unknown error" : "Erro desconhecido", - "Files" : "Ficheiros", "All files" : "Todos os ficheiros", + "Recent" : "Recentes", + "File could not be found" : "O ficheiro não foi encontrado", "Home" : "Início", "Close" : "Fechar", "Favorites" : "Favoritos", @@ -10,24 +12,21 @@ "Upload cancelled." : "Envio cancelado.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "Não é possível enviar {filename}, porque este é uma diretoria ou tem 0 bytes", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Não existe espaço suficiente, está a enviar {size1} mas resta apenas {size2}", - "Uploading..." : "A enviar...", - "..." : "...", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "Tempo restante: {hours}:{minutes}:{seconds} hora{plural_s}", - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "{minutes}:{seconds} minute{plural_s} left" : "faltam: {minutes}:{seconds} minute{plural_s}", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds} second{plural_s} left" : "faltam: {seconds} segundo{plural_s}", - "{seconds}s" : "{seconds}s", - "Any moment now..." : "Agora, a qualquer momento...", - "Soon..." : "Brevemente...", + "Target folder \"{dir}\" does not exist any more" : "A pasta de destino \"{dir}\" já não existe", + "Not enough free space" : "Espaço insuficiente", + "Uploading …" : "A carregar ...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} de {totalSize} ({bitrate})", - "File upload is in progress. Leaving the page now will cancel the upload." : "Envio de ficheiro em progresso. Se deixar a página agora, irá cancelar o envio.", + "Target folder does not exist any more" : "A pasta de destino já não existe", "Actions" : "Ações", "Download" : "Transferir", "Rename" : "Renomear", + "Move or copy" : "Mover ou copiar", + "Target folder" : "Pasta de destino", "Delete" : "Eliminar", "Disconnect storage" : "Desligue o armazenamento", "Unshare" : "Cancelar partilha", + "Could not load info for file \"{file}\"" : "Não foi possível carregar informações do ficheiro \"{file}\"", + "Files" : "Ficheiros", "Details" : "Detalhes", "Select" : "Selecionar", "Pending" : "Pendente", @@ -36,6 +35,10 @@ "This directory is unavailable, please check the logs or contact the administrator" : "Esta diretoria está indisponível, por favor, verifique os registos ou contacte o administrador", "Could not move \"{file}\", target exists" : "Não foi possível mover \"{file}\", destino já existe", "Could not move \"{file}\"" : "Não foi possivel mover o ficheiro \"{file}\"", + "Could not copy \"{file}\", target exists" : "Não foi possível copiar \"{file}\", o destino já existe", + "Could not copy \"{file}\"" : "Impossível copiar \"{file}\"", + "Copied {origin} inside {destination}" : "Copiado {origin} para {destination}", + "Copied {origin} and {nbfiles} other files inside {destination}" : "Copiados {origin} e {nbfiles} outros ficheiros para dentro de {destination}", "{newName} already exists" : "{newName} já existe", "Could not rename \"{fileName}\", it does not exist any more" : "Não foi possível renomear \"{fileName}\", este já não existe", "The name \"{targetName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome \"{targetName}\" já está em utilização na pasta \"{dir}\". Por favor, escolha um nome diferente.", @@ -44,32 +47,73 @@ "Could not create file \"{file}\" because it already exists" : "Não foi possível criar o ficheiro \"{file}\", porque este já existe", "Could not create folder \"{dir}\" because it already exists" : "Não foi possível criar a pasta \"{dir}\", porque esta já existe", "Error deleting file \"{fileName}\"." : "Erro ao eliminar o ficheiro \"{fileName}\".", + "No search results in other folders for {tag}{filter}{endtag}" : "Nenhum resultado noutras pastas para {tag}{filter}{endtag}", "Name" : "Nome", "Size" : "Tamanho", "Modified" : "Modificado", "_%n folder_::_%n folders_" : ["%n pasta","%n pastas"], "_%n file_::_%n files_" : ["%n ficheiro","%n ficheiros"], "{dirs} and {files}" : "{dirs} e {files}", + "_including %n hidden_::_including %n hidden_" : ["incluindo %n ocultos","incluindo %n ocultos"], "You don’t have permission to upload or create files here" : "Não tem permissão para enviar ou criar ficheiros aqui", "_Uploading %n file_::_Uploading %n files_" : ["A enviar %n ficheiro","A enviar %n ficheiros"], "New" : "Novo", + "{used} of {quota} used" : "{used} de {quota} utilizado", + "{used} used" : "{used} utilizado", "\"{name}\" is an invalid file name." : "\"{name}\" é um nome de ficheiro inválido.", "File name cannot be empty." : "O nome do ficheiro não pode estar em branco.", + "\"/\" is not allowed inside a file name." : "\"/\" não é permitido dentro de um nome de um ficheiro.", + "\"{name}\" is not an allowed filetype" : "\"{name}\" não é um tipo de ficheiro permitido", "Storage of {owner} is full, files can not be updated or synced anymore!" : "O armazenamento de {owner} está cheio. Os ficheiros já não podem ser atualizados ou sincronizados!", "Your storage is full, files can not be updated or synced anymore!" : "O seu armazenamento está cheio, os ficheiros já não podem ser atualizados ou sincronizados.", "Storage of {owner} is almost full ({usedSpacePercent}%)" : "O armazenamento de {owner} está quase cheio ({usedSpacePercent}%)", "Your storage is almost full ({usedSpacePercent}%)" : "O seu armazenamento está quase cheio ({usedSpacePercent}%)", "_matches '{filter}'_::_match '{filter}'_" : ["corresponde a '{filter}'","correspondem a '{filter}'"], + "View in folder" : "Ver na pasta", + "Copied!" : "Copiado!", + "Copy direct link (only works for users who have access to this file/folder)" : "Copiar hiperligação directa (apenas funciona para utilizadores que tenham acesso a este ficheiro/pasta)", "Path" : "Caminho", "_%n byte_::_%n bytes_" : ["%n byte","%n bytes"], "Favorited" : "Nos Favoritos", "Favorite" : "Favorito", - "Folder" : "Pasta", "New folder" : "Nova pasta", - "Upload" : "Enviar", + "Upload file" : "Enviar ficheiro", + "Not favorited" : "Não favorito", + "Remove from favorites" : "Remover dos favoritos", + "Add to favorites" : "Adicionar aos favoritos", "An error occurred while trying to update the tags" : "Ocorreu um erro ao tentar atualizar as etiquetas", + "Added to favorites" : "Adicionado aos favoritos", + "Removed from favorites" : "Removido dos favoritos", + "You added {file} to your favorites" : "Adicionou {file} aos favoritos", + "You removed {file} from your favorites" : "Removeu {file} dos favoritos", + "File changes" : "Alterações no ficheiro", + "Created by {user}" : "Criado por {user}", + "Changed by {user}" : "Modificado por {user}", + "Deleted by {user}" : "Apagado por {user}", + "Restored by {user}" : "Restaurado por {user}", + "Renamed by {user}" : "Renomeado por {user}", + "Moved by {user}" : "Movido por {user}", + "\"remote user\"" : "\"utilizador remoto\"", + "You created {file}" : "Criou {file}", + "{user} created {file}" : "{user} criou {file}", + "{file} was created in a public folder" : "{file} foi criado numa pasta pública", + "You changed {file}" : "Modificou {file}", + "{user} changed {file}" : "{user} modificou {file}", + "You deleted {file}" : "Eliminou {file}", + "{user} deleted {file}" : "{user} eliminou {file}", + "You restored {file}" : "Restaurou {file}", + "{user} restored {file}" : "{user} restaurou {file}", + "You renamed {oldfile} to {newfile}" : "Renomeou {oldfile} para {newfile}", + "{user} renamed {oldfile} to {newfile}" : "{user} renomeou {oldfile} para {newfile}", + "You moved {oldfile} to {newfile}" : "Moveu {oldfile} para {newfile}", + "{user} moved {oldfile} to {newfile}" : "{user} moveu {oldfile} para {newfile}", + "A file has been added to or removed from your favorites" : "Um ficheiro foi adicionado ou removido dos seus favoritos", + "A file or folder has been changed or renamed" : "Um ficheiro ou pasta foram modificados ou renomeados", "A new file or folder has been created" : "Foi criado um novo ficheiro ou pasta", + "A file or folder has been deleted" : "Um ficheiro ou pasta foram apagados", "Limit notifications about creation and changes to your favorite files (Stream only)" : "Limite as notificações sobre a criação e alterações para os seus ficheiros favoritos (apenas Emissão)", + "A file or folder has been restored" : "Um ficheiro ou pasta foram restaurados", + "Unlimited" : "Ilimitado", "Upload (max. %s)" : "Envio (máx. %s)", "File handling" : "Utilização do ficheiro", "Maximum upload size" : "Tamanho máximo de envio", @@ -77,56 +121,31 @@ "Save" : "Guardar", "With PHP-FPM it might take 5 minutes for changes to be applied." : "Com o PHP-FPM poderá demorar 5 minutos até que as alterações sejam aplicadas.", "Missing permissions to edit from here." : "Faltam permissões para editar a partir daqui.", + "%s of %s used" : "%s de %s utilizado", + "%s used" : "%s utilizado", "Settings" : "Configurações", "Show hidden files" : "Mostrar ficheiros ocultos", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "Utilize este endereço para aceder aos seus ficheiros via WebDAV", + "Use this address to access your Files via WebDAV" : "Utilize este endereço para aceder aos seus ficheiros por WebDAV", + "Cancel upload" : "Cancelar envio", "No files in here" : "Nenhuns ficheiros aqui", "Upload some content or sync with your devices!" : "Envie algum conteúdo ou sincronize com os seus dispositivos!", "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Select all" : "Selecionar todos", "Upload too large" : "Envio muito grande", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Os ficheiros que está a tentar enviar excedem o tamanho máximo para os envios de ficheiro neste servidor.", - "No favorites" : "Sem favoritos", + "No favorites yet" : "Sem favoritos", "Files and folders you mark as favorite will show up here" : "Os ficheiros e pastas que marcou como favoritos serão mostrados aqui", + "Shared with you" : "Partilhado consigo ", + "Shared with others" : "Partilhado com terceiros", + "Shared by link" : "Partilhado por hiperligação", + "Tags" : "Etiquetas", + "Deleted files" : "Ficheiros eliminados", "Text file" : "Ficheiro de Texto", "New text file.txt" : "Novo texto ficheiro.txt", - "Storage not available" : "Armazenamento indisponível", - "Unable to set upload directory." : "Não foi possível definir a diretoria de envio.", - "Invalid Token" : "Senha Inválida", - "No file was uploaded. Unknown error" : "Não foi enviado nenhum ficheiro. Erro desconhecido", - "There is no error, the file uploaded with success" : "Não ocorreram erros, o ficheiro foi enviado com sucesso", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "O ficheiro enviado excede a diretiva php.ini upload_max_filesize no php.ini", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O tamanho do ficheiro enviado excede a diretiva MAX_FILE_SIZE definida no formulário HTML", - "The uploaded file was only partially uploaded" : "O ficheiro enviado só foi parcialmente enviado", - "No file was uploaded" : "Não foi enviado nenhum ficheiro", - "Missing a temporary folder" : "A pasta temporária está em falta", - "Failed to write to disk" : "Não foi possível gravar no disco", - "Not enough storage available" : "Não há espaço suficiente em disco", - "The target folder has been moved or deleted." : "A pasta de destino foi movida ou eliminada.", - "Upload failed. Could not find uploaded file" : "Envio falhou. Não foi possível encontrar o ficheiro enviado", - "Upload failed. Could not get file info." : "Envio falhou. Não foi possível obter a informação do ficheiro.", - "Invalid directory." : "Diretoria inválida.", - "Total file size {size1} exceeds upload limit {size2}" : "O tamanho total do ficheiro {size1} excede o limite de envio {size2}", - "Error uploading file \"{fileName}\": {message}" : "Erro ao enviar o ficheiro \"{fileName}\": {message}", - "Could not get result from server." : "Não foi possível obter o resultado do servidor.", - "No entries in this folder match '{filter}'" : "Nenhumas entradas nesta pasta correspondem a '{filter}'", - "Local link" : "Hiperligação local", - "{newname} already exists" : "{newname} já existe", - "A file or folder has been changed" : "Foi alterado um ficheiro ou pasta", - "A file or folder has been deleted" : "Foi eliminado um ficheiro ou pasta", - "A file or folder has been restored" : "Foi restaurado um ficheiro ou pasta", - "You created %1$s" : "Criou %1$s", - "%2$s created %1$s" : "%2$s criou %1$s", - "%1$s was created in a public folder" : "%1$s foi criado numa pasta pública", - "You changed %1$s" : "Alterou %1$s", - "%2$s changed %1$s" : "%2$s alterou %1$s", - "You deleted %1$s" : "Eliminou %1$s", - "%2$s deleted %1$s" : "%2$s eliminou %1$s", - "You restored %1$s" : "Restaurou %1$s", - "%2$s restored %1$s" : "%2$s restaurou %1$s", - "Changed by %2$s" : "Alterado por %2$s", - "Deleted by %2$s" : "Eliminado por %2$s", - "Restored by %2$s" : "Restaurado por %2$s" + "Move" : "Mover", + "A new file or folder has been deleted" : "Um novo ficheiro ou pasta foi eliminado", + "A new file or folder has been restored" : "Um novo ficheiro ou pasta foi restaurado", + "Use this address to access your Files via WebDAV" : "Utilize este endereço para aceder aos seus ficheiros por WebDAV" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/uk.js b/apps/files/l10n/uk.js index b214ccf6997fa..c5b9b7938c37e 100644 --- a/apps/files/l10n/uk.js +++ b/apps/files/l10n/uk.js @@ -16,6 +16,7 @@ OC.L10N.register( "Not enough free space, you are uploading {size1} but only {size2} is left" : "Недостатньо вільного місця, ви вивантажуєте {size1}, а залишилося лише {size2}", "Target folder \"{dir}\" does not exist any more" : "Теки призначення \"{dir}\" більше не існує.", "Not enough free space" : "Недостатньо вільного місця", + "Uploading …" : "Вивантаження …", "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} з {totalSize} ({bitrate})", "Actions" : "Дії", diff --git a/apps/files/l10n/uk.json b/apps/files/l10n/uk.json index 7f189d3125cd5..01f37c48ffa79 100644 --- a/apps/files/l10n/uk.json +++ b/apps/files/l10n/uk.json @@ -14,6 +14,7 @@ "Not enough free space, you are uploading {size1} but only {size2} is left" : "Недостатньо вільного місця, ви вивантажуєте {size1}, а залишилося лише {size2}", "Target folder \"{dir}\" does not exist any more" : "Теки призначення \"{dir}\" більше не існує.", "Not enough free space" : "Недостатньо вільного місця", + "Uploading …" : "Вивантаження …", "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} з {totalSize} ({bitrate})", "Actions" : "Дії", diff --git a/apps/files_external/l10n/pt_PT.js b/apps/files_external/l10n/pt_PT.js index d1649b8f7f5c9..5f119553b57e7 100644 --- a/apps/files_external/l10n/pt_PT.js +++ b/apps/files_external/l10n/pt_PT.js @@ -1,6 +1,7 @@ OC.L10N.register( "files_external", { + "External storages" : "Armazenamento externo", "Personal" : "Pessoal", "System" : "Sistema", "Grant access" : "Conceder acesso", diff --git a/apps/files_external/l10n/pt_PT.json b/apps/files_external/l10n/pt_PT.json index dd6f41398b1bb..88600ac5eaf54 100644 --- a/apps/files_external/l10n/pt_PT.json +++ b/apps/files_external/l10n/pt_PT.json @@ -1,4 +1,5 @@ { "translations": { + "External storages" : "Armazenamento externo", "Personal" : "Pessoal", "System" : "Sistema", "Grant access" : "Conceder acesso", diff --git a/apps/files_sharing/l10n/pt_PT.js b/apps/files_sharing/l10n/pt_PT.js index 310587d436632..e3ddf5f0ad0f8 100644 --- a/apps/files_sharing/l10n/pt_PT.js +++ b/apps/files_sharing/l10n/pt_PT.js @@ -2,21 +2,75 @@ OC.L10N.register( "files_sharing", { "Shared with you" : "Partilhado consigo ", - "Shared with others" : "Partilhado com outros", + "Shared with others" : "Partilhado com terceiros", "Shared by link" : "Partilhado por hiperligação", "Nothing shared with you yet" : "Ainda não foi partilhado nada consigo", - "Files and folders others share with you will show up here" : "Os ficheiros e pastas que os outros partilham consigo, serão mostrados aqui", + "Files and folders others share with you will show up here" : "Os ficheiros e pastas que terceiros partilham consigo, serão mostrados aqui", "Nothing shared yet" : "Ainda não foi partilhado nada", "Files and folders you share will show up here" : "Os ficheiros e as pastas que partilha serão mostrados aqui", "No shared links" : "Sem hiperligações partilhadas", "Files and folders you share by link will show up here" : "Os ficheiros e as pastas que partilha com esta hiperligação, serão mostrados aqui", "You can upload into this folder" : "Pode enviar para esta pasta", + "No compatible server found at {remote}" : "Nenhum servidor compatível encontrado em {remote}", + "Invalid server URL" : "URL de servidor inválido", + "Failed to add the public link to your Nextcloud" : "Falha ao adicionar hiperligação pública ao seu Nextcloud", + "Share" : "Partilhar", + "No expiration date set" : "Data de expiração não definida", "Shared by" : "Partilhado por", "Sharing" : "Partilha", + "File shares" : "Partilhas de ficheiro", + "Downloaded via public link" : "Transferido via hiperligação pública", + "Downloaded by {email}" : "Descarregado por {email}", + "{file} downloaded via public link" : "{file} descarregado através de uma hiperligação pública", + "{email} downloaded {file}" : "{email} descarregou {file}", + "Shared with group {group}" : "Partilhado com o grupo {group}", + "Removed share for group {group}" : "Removeu a partilha para o grupo {group}", + "{actor} shared with group {group}" : "{actor} partilhou com o grupo {group}", + "{actor} removed share for group {group}" : "{actor} removeu a partilha para o grupo {group}", + "You shared {file} with group {group}" : "Partilhaste {file} com o grupo {group}", + "You removed group {group} from {file}" : "Removeste o grupo {group} de {file}", + "{actor} shared {file} with group {group}" : "{actor} partilhou {file} com o grupo {group}", + "{actor} removed group {group} from {file}" : "{actor} removeu o grupo {group} de {file}", + "Shared as public link" : "Partilhado como hiperligação pública", + "Removed public link" : "Hiperligação pública removida", + "Public link expired" : "A hiperligação pública expirou", + "{actor} shared as public link" : "{actor} partilhou como hiperligação pública", + "{actor} removed public link" : "{actor} removeu a hiperligação pública", + "Public link of {actor} expired" : "Hiperligação pública de {actor} expirou", + "You shared {file} as public link" : "Partilhaste {file} como hiperligação pública", + "You removed public link for {file}" : "Removeste hiperligação pública de {file}", + "Public link expired for {file}" : "Hiperligação pública expirada para {file}", + "{actor} shared {file} as public link" : "{actor} partilhou {file} como hiperligação pública", + "{actor} removed public link for {file}" : "{actor} removeu hiperligação pública de {file}", + "Public link of {actor} for {file} expired" : "Hiperligação pública de {actor} para {file} expirou", + "{user} accepted the remote share" : "{user} aceitou a partilha remota", + "{user} declined the remote share" : "{user} rejeitou a partilha remota", + "You received a new remote share {file} from {user}" : "Recebeu uma nova partilha remota {file} de {user}", + "{user} accepted the remote share of {file}" : "{user} aceitou a partilha remota de {file}", + "{user} declined the remote share of {file}" : "{user} rejeitou a partilha remota de {file}", + "{user} unshared {file} from you" : "{user} cancelou a partilha de {file} consigo", + "Shared with {user}" : "Partilhado com {user}", + "Removed share for {user}" : "Partilha removida para {user}", + "{actor} shared with {user}" : "{actor} partilhou com {user}", + "{actor} removed share for {user}" : "{actor} removeu partilha com {user}", + "Shared by {actor}" : "Partilhado por {actor}", + "{actor} removed share" : "{actor} removeu partilha", + "You shared {file} with {user}" : "Partilhaste {file} com {user}", + "You removed {user} from {file}" : "Removeste {user} de {file}", + "{actor} shared {file} with {user}" : "{actor} partilhou {file} com {user}", + "{actor} removed {user} from {file}" : "{actor} removeu {user} de {file}", + "{actor} shared {file} with you" : "{actor} partilhou {file} consigo", + "{actor} removed you from {file}" : "{actor} removeu-o de {file}", + "A file or folder shared by mail or by public link was downloaded" : "Um ficheiro ou pasta partilhado por email ou hiperligação publica foi descarregado", + "A file or folder was shared from another server" : "Um ficheiro ou pasta foi partilhado a partir de outro servidor", + "A file or folder has been shared" : "Foi partilhado um ficheiro ou uma pasta", "Wrong share ID, share doesn't exist" : "Id. de partilha errada, a partilha não existe", + "could not delete share" : "Não foi possível eliminar a partilha", "Could not delete share" : "Não foi possível eliminar a partilha", "Please specify a file or folder path" : "Por favor, especifique um ficheiro ou caminho de pasta", "Wrong path, file/folder doesn't exist" : "Caminho errado, ficheiro/pasta não existe", + "Could not create share" : "Não foi possível criar partilha", + "invalid permissions" : "permissões inválidas", "Please specify a valid user" : "Por favor, especifique um utilizador válido", "Group sharing is disabled by the administrator" : "A partilha em grupo está desativada pelo administrador", "Please specify a valid group" : "Por favor, especifique um grupo válido", @@ -31,49 +85,6 @@ OC.L10N.register( "Wrong or no update parameter given" : "Parâmetro indicado errado ou desatualizado", "Can't change permissions for public share links" : "Não é possível alterar as permissões para as hiperligações de partilha pública", "Cannot increase permissions" : "Não é possível incrementar as permissões", - "A file or folder has been shared" : "Foi partilhado um ficheiro ou uma pasta", - "A file or folder was shared from another server" : "Um ficheiro ou pasta foi partilhado a partir de outro servidor", - "A public shared file or folder was downloaded" : "Foi transferido um ficheiro ou uma pasta partilhada publicamente", - "You received a new remote share %2$s from %1$s" : "Recebeu uma nova partilha remota %2$s de %1$s", - "You received a new remote share from %s" : "Recebeu uma nova partilha remota de %s", - "%1$s accepted remote share %2$s" : "%1$s aceitou a partilha remota %2$s", - "%1$s declined remote share %2$s" : "%1$s rejeitou a partilha remota %2$s", - "%1$s unshared %2$s from you" : "%1$s cancelou a partilha %2$s consigo", - "Public shared folder %1$s was downloaded" : "Foi transferida a pasta %1$s partilhada publicamente", - "Public shared file %1$s was downloaded" : "Foi transferido o ficheiro %1$s partilhado publicamente", - "You shared %1$s with %2$s" : "Partilhou %1$s com %2$s", - "%2$s shared %1$s with %3$s" : "%2$s partilhou %1$s com %3$s", - "You removed the share of %2$s for %1$s" : "Removeu a partilha de %2$s para %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s removeu a partilha de %3$s para %1$s", - "You shared %1$s with group %2$s" : "Partilhou %1$s com o grupo %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s partilhou %1$s com o grupo %3$s", - "You removed the share of group %2$s for %1$s" : "Removeu a partilha do grupo %2$s para %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s removeu a partilha do grupo %3$s para %1$s", - "%2$s shared %1$s via link" : "%2$s partilhou %1$s via hiperligação", - "You shared %1$s via link" : "Partilhou %1$s através de uma hiperligação", - "You removed the public link for %1$s" : "Removeu a hiperligação pública para %1$s", - "%2$s removed the public link for %1$s" : "%2$s removeu a hiperligação pública para %1$s", - "Your public link for %1$s expired" : "A sua hiperligação pública para %1$s expirou", - "The public link of %2$s for %1$s expired" : "A sua hiperligação pública de %2$s para %1$s expirou", - "%2$s shared %1$s with you" : "%2$s partilhou %1$s consigo", - "%2$s removed the share for %1$s" : "%2$s removeu a partilha para %1$s", - "Downloaded via public link" : "Transferido via hiperligação pública", - "Shared with %2$s" : "Partilhado com %2$s", - "Shared with %3$s by %2$s" : "Partilhado com %3$s por %2$s", - "Removed share for %2$s" : "Partilha removida para %2$s", - "%2$s removed share for %3$s" : "%2$s removeu a partilha para %3$s", - "Shared with group %2$s" : "Partilhado com o grupo %2$s", - "Shared with group %3$s by %2$s" : "Partilhado com o grupo %3$s por %2$s", - "Removed share of group %2$s" : "Partilha removida do grupo %2$s", - "%2$s removed share of group %3$s" : "%2$s removeu a partilha do grupo %3$s", - "Shared via link by %2$s" : "Partilhado via hiperligação por %2$s", - "Shared via public link" : "Partilhado via hiperligação pública", - "Removed public link" : "Hiperligação pública removida", - "%2$s removed public link" : "%2$s removeu a hiperligação pública", - "Public link expired" : "A hiperligação pública expirou", - "Public link of %2$s expired" : "A hiperligação pública de %2$s expirou", - "Shared by %2$s" : "Partilhado por %2$s", - "Shares" : "Partilhas", "Share API is disabled" : "A partilha de API está desativada", "This share is password-protected" : "Esta partilha está protegida por palavra-passe", "The password is wrong. Try again." : "A palavra-passe está errada. Por favor, tente de novo.", @@ -81,14 +92,21 @@ OC.L10N.register( "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Name" : "Nome", "Share time" : "Hora da Partilha", + "Expiration date" : "Data de expiração", "Sorry, this link doesn’t seem to work anymore." : "Desculpe, mas esta hiperligação parece já não estar a funcionar.", "Reasons might be:" : "As razões poderão ser:", "the item was removed" : "o item foi removido", "the link expired" : "a hiperligação expirou", "sharing is disabled" : "a partilha está desativada", "For more info, please ask the person who sent this link." : "Para mais informação, por favor, pergunte à pessoa que lhe enviou esta hiperligação.", + "shared by %s" : "partilhado por %s", "Download" : "Transferir", + "Direct link" : "Hiperligação direta", "Download %s" : "Transferir %s", - "Direct link" : "Hiperligação direta" + "Upload files to %s" : "Enviar ficheiros para %s", + "Select or drop files" : "Seleccione ou solte ficheiros", + "Uploading files…" : "A enviar ficheiros...", + "Uploaded files:" : "Ficheiros enviados:", + "%s is publicly shared" : "%s está partilhado publicamente" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/pt_PT.json b/apps/files_sharing/l10n/pt_PT.json index 1ad593da9eade..c641db9695f24 100644 --- a/apps/files_sharing/l10n/pt_PT.json +++ b/apps/files_sharing/l10n/pt_PT.json @@ -1,20 +1,74 @@ { "translations": { "Shared with you" : "Partilhado consigo ", - "Shared with others" : "Partilhado com outros", + "Shared with others" : "Partilhado com terceiros", "Shared by link" : "Partilhado por hiperligação", "Nothing shared with you yet" : "Ainda não foi partilhado nada consigo", - "Files and folders others share with you will show up here" : "Os ficheiros e pastas que os outros partilham consigo, serão mostrados aqui", + "Files and folders others share with you will show up here" : "Os ficheiros e pastas que terceiros partilham consigo, serão mostrados aqui", "Nothing shared yet" : "Ainda não foi partilhado nada", "Files and folders you share will show up here" : "Os ficheiros e as pastas que partilha serão mostrados aqui", "No shared links" : "Sem hiperligações partilhadas", "Files and folders you share by link will show up here" : "Os ficheiros e as pastas que partilha com esta hiperligação, serão mostrados aqui", "You can upload into this folder" : "Pode enviar para esta pasta", + "No compatible server found at {remote}" : "Nenhum servidor compatível encontrado em {remote}", + "Invalid server URL" : "URL de servidor inválido", + "Failed to add the public link to your Nextcloud" : "Falha ao adicionar hiperligação pública ao seu Nextcloud", + "Share" : "Partilhar", + "No expiration date set" : "Data de expiração não definida", "Shared by" : "Partilhado por", "Sharing" : "Partilha", + "File shares" : "Partilhas de ficheiro", + "Downloaded via public link" : "Transferido via hiperligação pública", + "Downloaded by {email}" : "Descarregado por {email}", + "{file} downloaded via public link" : "{file} descarregado através de uma hiperligação pública", + "{email} downloaded {file}" : "{email} descarregou {file}", + "Shared with group {group}" : "Partilhado com o grupo {group}", + "Removed share for group {group}" : "Removeu a partilha para o grupo {group}", + "{actor} shared with group {group}" : "{actor} partilhou com o grupo {group}", + "{actor} removed share for group {group}" : "{actor} removeu a partilha para o grupo {group}", + "You shared {file} with group {group}" : "Partilhaste {file} com o grupo {group}", + "You removed group {group} from {file}" : "Removeste o grupo {group} de {file}", + "{actor} shared {file} with group {group}" : "{actor} partilhou {file} com o grupo {group}", + "{actor} removed group {group} from {file}" : "{actor} removeu o grupo {group} de {file}", + "Shared as public link" : "Partilhado como hiperligação pública", + "Removed public link" : "Hiperligação pública removida", + "Public link expired" : "A hiperligação pública expirou", + "{actor} shared as public link" : "{actor} partilhou como hiperligação pública", + "{actor} removed public link" : "{actor} removeu a hiperligação pública", + "Public link of {actor} expired" : "Hiperligação pública de {actor} expirou", + "You shared {file} as public link" : "Partilhaste {file} como hiperligação pública", + "You removed public link for {file}" : "Removeste hiperligação pública de {file}", + "Public link expired for {file}" : "Hiperligação pública expirada para {file}", + "{actor} shared {file} as public link" : "{actor} partilhou {file} como hiperligação pública", + "{actor} removed public link for {file}" : "{actor} removeu hiperligação pública de {file}", + "Public link of {actor} for {file} expired" : "Hiperligação pública de {actor} para {file} expirou", + "{user} accepted the remote share" : "{user} aceitou a partilha remota", + "{user} declined the remote share" : "{user} rejeitou a partilha remota", + "You received a new remote share {file} from {user}" : "Recebeu uma nova partilha remota {file} de {user}", + "{user} accepted the remote share of {file}" : "{user} aceitou a partilha remota de {file}", + "{user} declined the remote share of {file}" : "{user} rejeitou a partilha remota de {file}", + "{user} unshared {file} from you" : "{user} cancelou a partilha de {file} consigo", + "Shared with {user}" : "Partilhado com {user}", + "Removed share for {user}" : "Partilha removida para {user}", + "{actor} shared with {user}" : "{actor} partilhou com {user}", + "{actor} removed share for {user}" : "{actor} removeu partilha com {user}", + "Shared by {actor}" : "Partilhado por {actor}", + "{actor} removed share" : "{actor} removeu partilha", + "You shared {file} with {user}" : "Partilhaste {file} com {user}", + "You removed {user} from {file}" : "Removeste {user} de {file}", + "{actor} shared {file} with {user}" : "{actor} partilhou {file} com {user}", + "{actor} removed {user} from {file}" : "{actor} removeu {user} de {file}", + "{actor} shared {file} with you" : "{actor} partilhou {file} consigo", + "{actor} removed you from {file}" : "{actor} removeu-o de {file}", + "A file or folder shared by mail or by public link was downloaded" : "Um ficheiro ou pasta partilhado por email ou hiperligação publica foi descarregado", + "A file or folder was shared from another server" : "Um ficheiro ou pasta foi partilhado a partir de outro servidor", + "A file or folder has been shared" : "Foi partilhado um ficheiro ou uma pasta", "Wrong share ID, share doesn't exist" : "Id. de partilha errada, a partilha não existe", + "could not delete share" : "Não foi possível eliminar a partilha", "Could not delete share" : "Não foi possível eliminar a partilha", "Please specify a file or folder path" : "Por favor, especifique um ficheiro ou caminho de pasta", "Wrong path, file/folder doesn't exist" : "Caminho errado, ficheiro/pasta não existe", + "Could not create share" : "Não foi possível criar partilha", + "invalid permissions" : "permissões inválidas", "Please specify a valid user" : "Por favor, especifique um utilizador válido", "Group sharing is disabled by the administrator" : "A partilha em grupo está desativada pelo administrador", "Please specify a valid group" : "Por favor, especifique um grupo válido", @@ -29,49 +83,6 @@ "Wrong or no update parameter given" : "Parâmetro indicado errado ou desatualizado", "Can't change permissions for public share links" : "Não é possível alterar as permissões para as hiperligações de partilha pública", "Cannot increase permissions" : "Não é possível incrementar as permissões", - "A file or folder has been shared" : "Foi partilhado um ficheiro ou uma pasta", - "A file or folder was shared from another server" : "Um ficheiro ou pasta foi partilhado a partir de outro servidor", - "A public shared file or folder was downloaded" : "Foi transferido um ficheiro ou uma pasta partilhada publicamente", - "You received a new remote share %2$s from %1$s" : "Recebeu uma nova partilha remota %2$s de %1$s", - "You received a new remote share from %s" : "Recebeu uma nova partilha remota de %s", - "%1$s accepted remote share %2$s" : "%1$s aceitou a partilha remota %2$s", - "%1$s declined remote share %2$s" : "%1$s rejeitou a partilha remota %2$s", - "%1$s unshared %2$s from you" : "%1$s cancelou a partilha %2$s consigo", - "Public shared folder %1$s was downloaded" : "Foi transferida a pasta %1$s partilhada publicamente", - "Public shared file %1$s was downloaded" : "Foi transferido o ficheiro %1$s partilhado publicamente", - "You shared %1$s with %2$s" : "Partilhou %1$s com %2$s", - "%2$s shared %1$s with %3$s" : "%2$s partilhou %1$s com %3$s", - "You removed the share of %2$s for %1$s" : "Removeu a partilha de %2$s para %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s removeu a partilha de %3$s para %1$s", - "You shared %1$s with group %2$s" : "Partilhou %1$s com o grupo %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s partilhou %1$s com o grupo %3$s", - "You removed the share of group %2$s for %1$s" : "Removeu a partilha do grupo %2$s para %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s removeu a partilha do grupo %3$s para %1$s", - "%2$s shared %1$s via link" : "%2$s partilhou %1$s via hiperligação", - "You shared %1$s via link" : "Partilhou %1$s através de uma hiperligação", - "You removed the public link for %1$s" : "Removeu a hiperligação pública para %1$s", - "%2$s removed the public link for %1$s" : "%2$s removeu a hiperligação pública para %1$s", - "Your public link for %1$s expired" : "A sua hiperligação pública para %1$s expirou", - "The public link of %2$s for %1$s expired" : "A sua hiperligação pública de %2$s para %1$s expirou", - "%2$s shared %1$s with you" : "%2$s partilhou %1$s consigo", - "%2$s removed the share for %1$s" : "%2$s removeu a partilha para %1$s", - "Downloaded via public link" : "Transferido via hiperligação pública", - "Shared with %2$s" : "Partilhado com %2$s", - "Shared with %3$s by %2$s" : "Partilhado com %3$s por %2$s", - "Removed share for %2$s" : "Partilha removida para %2$s", - "%2$s removed share for %3$s" : "%2$s removeu a partilha para %3$s", - "Shared with group %2$s" : "Partilhado com o grupo %2$s", - "Shared with group %3$s by %2$s" : "Partilhado com o grupo %3$s por %2$s", - "Removed share of group %2$s" : "Partilha removida do grupo %2$s", - "%2$s removed share of group %3$s" : "%2$s removeu a partilha do grupo %3$s", - "Shared via link by %2$s" : "Partilhado via hiperligação por %2$s", - "Shared via public link" : "Partilhado via hiperligação pública", - "Removed public link" : "Hiperligação pública removida", - "%2$s removed public link" : "%2$s removeu a hiperligação pública", - "Public link expired" : "A hiperligação pública expirou", - "Public link of %2$s expired" : "A hiperligação pública de %2$s expirou", - "Shared by %2$s" : "Partilhado por %2$s", - "Shares" : "Partilhas", "Share API is disabled" : "A partilha de API está desativada", "This share is password-protected" : "Esta partilha está protegida por palavra-passe", "The password is wrong. Try again." : "A palavra-passe está errada. Por favor, tente de novo.", @@ -79,14 +90,21 @@ "No entries found in this folder" : "Não foram encontradas entradas nesta pasta", "Name" : "Nome", "Share time" : "Hora da Partilha", + "Expiration date" : "Data de expiração", "Sorry, this link doesn’t seem to work anymore." : "Desculpe, mas esta hiperligação parece já não estar a funcionar.", "Reasons might be:" : "As razões poderão ser:", "the item was removed" : "o item foi removido", "the link expired" : "a hiperligação expirou", "sharing is disabled" : "a partilha está desativada", "For more info, please ask the person who sent this link." : "Para mais informação, por favor, pergunte à pessoa que lhe enviou esta hiperligação.", + "shared by %s" : "partilhado por %s", "Download" : "Transferir", + "Direct link" : "Hiperligação direta", "Download %s" : "Transferir %s", - "Direct link" : "Hiperligação direta" + "Upload files to %s" : "Enviar ficheiros para %s", + "Select or drop files" : "Seleccione ou solte ficheiros", + "Uploading files…" : "A enviar ficheiros...", + "Uploaded files:" : "Ficheiros enviados:", + "%s is publicly shared" : "%s está partilhado publicamente" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/uk.js b/apps/files_versions/l10n/uk.js index bea96a8a45031..34a9faedbd5fb 100644 --- a/apps/files_versions/l10n/uk.js +++ b/apps/files_versions/l10n/uk.js @@ -4,8 +4,9 @@ OC.L10N.register( "Could not revert: %s" : "Не вдалося відновити: %s", "Versions" : "Версії", "Failed to revert {file} to revision {timestamp}." : "Не вдалося повернути {file} до ревізії {timestamp}.", + "_%n byte_::_%n bytes_" : ["%n байт","%n байтів","%n байта"], "Restore" : "Відновити", - "More versions..." : "Більше версій ...", - "No other versions available" : "Інші версії недоступні" + "No earlier versions available" : "Попередні версії недоступні", + "More versions …" : "Більше версій …" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_versions/l10n/uk.json b/apps/files_versions/l10n/uk.json index 83ad7c61e8ba8..8bd76ae3526bf 100644 --- a/apps/files_versions/l10n/uk.json +++ b/apps/files_versions/l10n/uk.json @@ -2,8 +2,9 @@ "Could not revert: %s" : "Не вдалося відновити: %s", "Versions" : "Версії", "Failed to revert {file} to revision {timestamp}." : "Не вдалося повернути {file} до ревізії {timestamp}.", + "_%n byte_::_%n bytes_" : ["%n байт","%n байтів","%n байта"], "Restore" : "Відновити", - "More versions..." : "Більше версій ...", - "No other versions available" : "Інші версії недоступні" + "No earlier versions available" : "Попередні версії недоступні", + "More versions …" : "Більше версій …" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/core/l10n/fr.js b/core/l10n/fr.js index 98f781b7cb6fd..ab68d8b872434 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -339,6 +339,7 @@ OC.L10N.register( "You are accessing the server from an untrusted domain." : "Vous accédez au serveur à partir d'un domaine non approuvé.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Veuillez contacter votre administrateur. Si vous êtes un administrateur de cette instance, configurez la variable \"trusted_domains\" dans le fichier config/config.php. Un exemple de configuration est fournit dans le fichier config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En fonction de votre configuration, en tant qu'administrateur vous pouvez également utiliser le bouton ci-dessous pour approuver ce domaine.", - "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation." + "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre version de PHP n'est pas prise en charge par freetype. Cela se traduira par des images de profil et une interface des paramètres cassées." }, "nplurals=2; plural=(n > 1);"); diff --git a/core/l10n/fr.json b/core/l10n/fr.json index d6d6006285315..ce7aa117583e3 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -337,6 +337,7 @@ "You are accessing the server from an untrusted domain." : "Vous accédez au serveur à partir d'un domaine non approuvé.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Veuillez contacter votre administrateur. Si vous êtes un administrateur de cette instance, configurez la variable \"trusted_domains\" dans le fichier config/config.php. Un exemple de configuration est fournit dans le fichier config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "En fonction de votre configuration, en tant qu'administrateur vous pouvez également utiliser le bouton ci-dessous pour approuver ce domaine.", - "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation." + "For help, see the documentation." : "Pour obtenir de l'aide, lisez la documentation.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Votre version de PHP n'est pas prise en charge par freetype. Cela se traduira par des images de profil et une interface des paramètres cassées." },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 9822d6ac840f7..58e7a617482de 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -54,8 +54,11 @@ OC.L10N.register( "Search contacts …" : "Pesquisar contactos ...", "No contacts found" : "Não foram encontrados contactos", "Show all contacts …" : "Mostrar todos os contactos ...", + "Could not load your contacts" : "Não foi possível carregar os seus contactos", "Loading your contacts …" : "A carregar os seus contactos", + "Looking for {term} …" : "Procurando por {term} …", "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", + "No action available" : "Nenhuma acção disponível", "Settings" : "Configurações", "Connection to server lost" : "Ligação perdida ao servidor", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], @@ -74,6 +77,7 @@ OC.L10N.register( "I know what I'm doing" : "Eu sei o que eu estou a fazer", "Password can not be changed. Please contact your administrator." : "A senha não pode ser alterada. Por favor, contacte o seu administrador.", "Reset password" : "Repor senha", + "Sending email …" : "A enviar e-mail ...", "No" : "Não", "Yes" : "Sim", "No files in here" : "Sem ficheiros aqui", @@ -156,8 +160,8 @@ OC.L10N.register( "{sharee} (email)" : "{sharee} (email)", "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", "Share" : "Partilhar", - "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com outros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", - "Share with other people by entering a user or group or an email address." : "Partilhar com outros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", + "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", + "Share with other people by entering a user or group or an email address." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", "Name or email address..." : "Nome ou endereço de email...", "Name or federated cloud ID..." : "Nome ou ID de cloud federada", "Name, federated cloud ID or email address..." : "Nome, ID de cloud federada ou endereço de e-mail", @@ -246,11 +250,12 @@ OC.L10N.register( "Please contact your administrator." : "Por favor, contacte o seu administrador.", "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", - "Username or email" : "Nome de utilizador ou e-mail", + "Username or email" : "Utilizador ou e-mail", "Log in" : "Iniciar Sessão", "Wrong password." : "Senha errada.", "Stay logged in" : "Manter sessão iniciada", "Forgot password?" : "Senha esquecida?", + "Back to log in" : "Voltar à entrada", "Alternative Logins" : "Contas de Acesso Alternativas", "Redirecting …" : "A redirecionar...", "New password" : "Nova senha", diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index c436e7b31b248..53b19e170e8aa 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -52,8 +52,11 @@ "Search contacts …" : "Pesquisar contactos ...", "No contacts found" : "Não foram encontrados contactos", "Show all contacts …" : "Mostrar todos os contactos ...", + "Could not load your contacts" : "Não foi possível carregar os seus contactos", "Loading your contacts …" : "A carregar os seus contactos", + "Looking for {term} …" : "Procurando por {term} …", "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", + "No action available" : "Nenhuma acção disponível", "Settings" : "Configurações", "Connection to server lost" : "Ligação perdida ao servidor", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], @@ -72,6 +75,7 @@ "I know what I'm doing" : "Eu sei o que eu estou a fazer", "Password can not be changed. Please contact your administrator." : "A senha não pode ser alterada. Por favor, contacte o seu administrador.", "Reset password" : "Repor senha", + "Sending email …" : "A enviar e-mail ...", "No" : "Não", "Yes" : "Sim", "No files in here" : "Sem ficheiros aqui", @@ -154,8 +158,8 @@ "{sharee} (email)" : "{sharee} (email)", "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", "Share" : "Partilhar", - "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com outros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", - "Share with other people by entering a user or group or an email address." : "Partilhar com outros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", + "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", + "Share with other people by entering a user or group or an email address." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", "Name or email address..." : "Nome ou endereço de email...", "Name or federated cloud ID..." : "Nome ou ID de cloud federada", "Name, federated cloud ID or email address..." : "Nome, ID de cloud federada ou endereço de e-mail", @@ -244,11 +248,12 @@ "Please contact your administrator." : "Por favor, contacte o seu administrador.", "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Por favor, tente de novo ou contacte o seu administrador.", - "Username or email" : "Nome de utilizador ou e-mail", + "Username or email" : "Utilizador ou e-mail", "Log in" : "Iniciar Sessão", "Wrong password." : "Senha errada.", "Stay logged in" : "Manter sessão iniciada", "Forgot password?" : "Senha esquecida?", + "Back to log in" : "Voltar à entrada", "Alternative Logins" : "Contas de Acesso Alternativas", "Redirecting …" : "A redirecionar...", "New password" : "Nova senha", diff --git a/settings/l10n/ast.js b/settings/l10n/ast.js index 6d36f6a30e3d1..47eabf58c096d 100644 --- a/settings/l10n/ast.js +++ b/settings/l10n/ast.js @@ -254,7 +254,6 @@ OC.L10N.register( "Tips & tricks" : "Conseyos y trucos", "This is particularly recommended when using the desktop client for file synchronisation." : "Esto aconséyase particularmente al usar el veceru d'escritoriu pa la sincronización de ficheros.", "How to do backups" : "Cómo facer respaldos", - "Advanced monitoring" : "Advanced monitoring", "Performance tuning" : "Afinamientu de rindimientu", "Improving the config.php" : "Ameyorando'l config.php", "Theming" : "Aspeutu", diff --git a/settings/l10n/ast.json b/settings/l10n/ast.json index aafb774dbb888..b04bb5a80532b 100644 --- a/settings/l10n/ast.json +++ b/settings/l10n/ast.json @@ -252,7 +252,6 @@ "Tips & tricks" : "Conseyos y trucos", "This is particularly recommended when using the desktop client for file synchronisation." : "Esto aconséyase particularmente al usar el veceru d'escritoriu pa la sincronización de ficheros.", "How to do backups" : "Cómo facer respaldos", - "Advanced monitoring" : "Advanced monitoring", "Performance tuning" : "Afinamientu de rindimientu", "Improving the config.php" : "Ameyorando'l config.php", "Theming" : "Aspeutu", diff --git a/settings/l10n/az.js b/settings/l10n/az.js index 44b93f0ebd23e..efeb9cc37e6d1 100644 --- a/settings/l10n/az.js +++ b/settings/l10n/az.js @@ -106,7 +106,6 @@ OC.L10N.register( "Exclude groups from sharing" : "Qrupları paylaşımdan ayır", "These groups will still be able to receive shares, but not to initiate them." : "Bu qruplar paylaşımları hələdə ala biləcəklər ancaq, yarada bilməyəcəklər", "How to do backups" : "Rezerv nüsxələr neçə edilisin", - "Advanced monitoring" : "İrəliləmiş monitoring", "Profile picture" : "Profil şəkli", "Upload new" : "Yenisini yüklə", "Remove image" : "Şəkili sil", diff --git a/settings/l10n/az.json b/settings/l10n/az.json index 485df22449e66..ca71077ddcd59 100644 --- a/settings/l10n/az.json +++ b/settings/l10n/az.json @@ -104,7 +104,6 @@ "Exclude groups from sharing" : "Qrupları paylaşımdan ayır", "These groups will still be able to receive shares, but not to initiate them." : "Bu qruplar paylaşımları hələdə ala biləcəklər ancaq, yarada bilməyəcəklər", "How to do backups" : "Rezerv nüsxələr neçə edilisin", - "Advanced monitoring" : "İrəliləmiş monitoring", "Profile picture" : "Profil şəkli", "Upload new" : "Yenisini yüklə", "Remove image" : "Şəkili sil", diff --git a/settings/l10n/bg.js b/settings/l10n/bg.js index 03915d94fa49b..2369b77e84732 100644 --- a/settings/l10n/bg.js +++ b/settings/l10n/bg.js @@ -141,7 +141,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Тези групи ще могат да получават споделения, но няма да могат самите те да споделят.", "This is particularly recommended when using the desktop client for file synchronisation." : "Препоръчително, особено ако ползвате клиента за настолен компютър.", "How to do backups" : "Как се правят резервни копия", - "Advanced monitoring" : "Разширено наблюдение", "Performance tuning" : "Настройване на производителност", "Improving the config.php" : "Подобряване на config.php", "Theming" : "Промяна на облика", diff --git a/settings/l10n/bg.json b/settings/l10n/bg.json index be89bac242d77..fb438020d1a24 100644 --- a/settings/l10n/bg.json +++ b/settings/l10n/bg.json @@ -139,7 +139,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Тези групи ще могат да получават споделения, но няма да могат самите те да споделят.", "This is particularly recommended when using the desktop client for file synchronisation." : "Препоръчително, особено ако ползвате клиента за настолен компютър.", "How to do backups" : "Как се правят резервни копия", - "Advanced monitoring" : "Разширено наблюдение", "Performance tuning" : "Настройване на производителност", "Improving the config.php" : "Подобряване на config.php", "Theming" : "Промяна на облика", diff --git a/settings/l10n/ca.js b/settings/l10n/ca.js index 681f79b60f592..ae7dbc1648c72 100644 --- a/settings/l10n/ca.js +++ b/settings/l10n/ca.js @@ -258,7 +258,6 @@ OC.L10N.register( "Tips & tricks" : "Consells i trucs", "This is particularly recommended when using the desktop client for file synchronisation." : "Això es recomana especialment quan s'utilitza el client d'escriptori per a sincronització d'arxius.", "How to do backups" : "Com fer còpies de seguretat", - "Advanced monitoring" : "Supervisió avançada", "Performance tuning" : "Ajust del rendiment", "Improving the config.php" : "Millorant el config.php", "Theming" : "Tematització", diff --git a/settings/l10n/ca.json b/settings/l10n/ca.json index 6225b7ec2b7e6..26bd959c5f9f0 100644 --- a/settings/l10n/ca.json +++ b/settings/l10n/ca.json @@ -256,7 +256,6 @@ "Tips & tricks" : "Consells i trucs", "This is particularly recommended when using the desktop client for file synchronisation." : "Això es recomana especialment quan s'utilitza el client d'escriptori per a sincronització d'arxius.", "How to do backups" : "Com fer còpies de seguretat", - "Advanced monitoring" : "Supervisió avançada", "Performance tuning" : "Ajust del rendiment", "Improving the config.php" : "Millorant el config.php", "Theming" : "Tematització", diff --git a/settings/l10n/cs.js b/settings/l10n/cs.js index d030bfd29bbe3..8501e458dc66e 100644 --- a/settings/l10n/cs.js +++ b/settings/l10n/cs.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "To je obzvlášť vhodné, pokud se používá k synchronizaci desktopový klient.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Chcete-li migrovat do jiné databáze, použijte nástroj příkazového řádku: 'occ db:convert-type', nebo si projděte dokumentaci ↗.", "How to do backups" : "Jak vytvářet zálohy", - "Advanced monitoring" : "Pokročilé monitorování", "Performance tuning" : "Ladění výkonu", "Improving the config.php" : "Vylepšení souboru config.php", "Theming" : "Vzhledy", diff --git a/settings/l10n/cs.json b/settings/l10n/cs.json index 32a7d77e5b5f9..39b7fb7461afc 100644 --- a/settings/l10n/cs.json +++ b/settings/l10n/cs.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "To je obzvlášť vhodné, pokud se používá k synchronizaci desktopový klient.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Chcete-li migrovat do jiné databáze, použijte nástroj příkazového řádku: 'occ db:convert-type', nebo si projděte dokumentaci ↗.", "How to do backups" : "Jak vytvářet zálohy", - "Advanced monitoring" : "Pokročilé monitorování", "Performance tuning" : "Ladění výkonu", "Improving the config.php" : "Vylepšení souboru config.php", "Theming" : "Vzhledy", diff --git a/settings/l10n/da.js b/settings/l10n/da.js index 14544d6e20cc1..d1838ebc186eb 100644 --- a/settings/l10n/da.js +++ b/settings/l10n/da.js @@ -236,7 +236,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Disse grupper vil stadig kunne modtage delefiler, men ikke skabe dem.", "Tips & tricks" : "Tips & tricks", "How to do backups" : "Hvordan man laver sikkerhedskopier", - "Advanced monitoring" : "Avancerede monitorering", "Performance tuning" : "Ydelses optimering", "Improving the config.php" : "Forbedring af config.php", "Theming" : "Temaer", diff --git a/settings/l10n/da.json b/settings/l10n/da.json index 226345c557b16..5a43f159ecce9 100644 --- a/settings/l10n/da.json +++ b/settings/l10n/da.json @@ -234,7 +234,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Disse grupper vil stadig kunne modtage delefiler, men ikke skabe dem.", "Tips & tricks" : "Tips & tricks", "How to do backups" : "Hvordan man laver sikkerhedskopier", - "Advanced monitoring" : "Avancerede monitorering", "Performance tuning" : "Ydelses optimering", "Improving the config.php" : "Forbedring af config.php", "Theming" : "Temaer", diff --git a/settings/l10n/de.js b/settings/l10n/de.js index 89d25eedade2a..6b3947395b8de 100644 --- a/settings/l10n/de.js +++ b/settings/l10n/de.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Dies wird insbesondere bei der Benutzung des Dektop-Clients zur Synchronisierung empfohlen.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Um zu einer anderen Datenbank zu migrieren, benutze bitte die Kommandozeile: 'occ db:convert-type', oder in die Dokumentation ↗ schauen.", "How to do backups" : "Wie man Datensicherungen anlegt", - "Advanced monitoring" : "Erweitertes Monitoring", "Performance tuning" : "Leistungsoptimierung", "Improving the config.php" : "Die config.php optimieren", "Theming" : "Themen verwenden", diff --git a/settings/l10n/de.json b/settings/l10n/de.json index 60c320929ba49..5210bfa4261f8 100644 --- a/settings/l10n/de.json +++ b/settings/l10n/de.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Dies wird insbesondere bei der Benutzung des Dektop-Clients zur Synchronisierung empfohlen.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Um zu einer anderen Datenbank zu migrieren, benutze bitte die Kommandozeile: 'occ db:convert-type', oder in die Dokumentation ↗ schauen.", "How to do backups" : "Wie man Datensicherungen anlegt", - "Advanced monitoring" : "Erweitertes Monitoring", "Performance tuning" : "Leistungsoptimierung", "Improving the config.php" : "Die config.php optimieren", "Theming" : "Themen verwenden", diff --git a/settings/l10n/de_DE.js b/settings/l10n/de_DE.js index 614e3830edbcb..860797a10ec7e 100644 --- a/settings/l10n/de_DE.js +++ b/settings/l10n/de_DE.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Dies wird insbesondere bei der Benutzung des Dektop-Clients zur Synchronisierung empfohlen.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Um zu einer anderen Datenbank zu migrieren, benutzen Sie bitte die Kommandozeile: 'occ db:convert-type', oder in die Dokumentation ↗ schauen.", "How to do backups" : "Wie man Datensicherungen anlegt", - "Advanced monitoring" : "Erweitertes Monitoring", "Performance tuning" : "Leistungsoptimierung", "Improving the config.php" : "Die config.php optimieren", "Theming" : "Themes verwenden", diff --git a/settings/l10n/de_DE.json b/settings/l10n/de_DE.json index 9043d3155f3ec..28a6d98437ae2 100644 --- a/settings/l10n/de_DE.json +++ b/settings/l10n/de_DE.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Dies wird insbesondere bei der Benutzung des Dektop-Clients zur Synchronisierung empfohlen.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Um zu einer anderen Datenbank zu migrieren, benutzen Sie bitte die Kommandozeile: 'occ db:convert-type', oder in die Dokumentation ↗ schauen.", "How to do backups" : "Wie man Datensicherungen anlegt", - "Advanced monitoring" : "Erweitertes Monitoring", "Performance tuning" : "Leistungsoptimierung", "Improving the config.php" : "Die config.php optimieren", "Theming" : "Themes verwenden", diff --git a/settings/l10n/el.js b/settings/l10n/el.js index eb0f50054fe2d..e3af1b8e52058 100644 --- a/settings/l10n/el.js +++ b/settings/l10n/el.js @@ -265,7 +265,6 @@ OC.L10N.register( "This text will be shown on the public link upload page when the file list is hidden." : "Αυτό το κείμενο θα ", "Tips & tricks" : "Συμβουλές & τεχνάσματα", "How to do backups" : "Πώς να κάνετε αντίγραφα ασφαλείας", - "Advanced monitoring" : "Παρακολούθηση για προχωρημένους", "Performance tuning" : "Ρύθμιση βελτίωσης της απόδοσης", "Improving the config.php" : "Βελτίωση του config.php", "Theming" : "Θέματα", diff --git a/settings/l10n/el.json b/settings/l10n/el.json index 5c03d4bd594ea..78fe002e2b333 100644 --- a/settings/l10n/el.json +++ b/settings/l10n/el.json @@ -263,7 +263,6 @@ "This text will be shown on the public link upload page when the file list is hidden." : "Αυτό το κείμενο θα ", "Tips & tricks" : "Συμβουλές & τεχνάσματα", "How to do backups" : "Πώς να κάνετε αντίγραφα ασφαλείας", - "Advanced monitoring" : "Παρακολούθηση για προχωρημένους", "Performance tuning" : "Ρύθμιση βελτίωσης της απόδοσης", "Improving the config.php" : "Βελτίωση του config.php", "Theming" : "Θέματα", diff --git a/settings/l10n/en_GB.js b/settings/l10n/en_GB.js index 40d3bb005fff2..1d655193bcb45 100644 --- a/settings/l10n/en_GB.js +++ b/settings/l10n/en_GB.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "This is particularly recommended when using the desktop client for file synchronisation.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗.", "How to do backups" : "How to do backups", - "Advanced monitoring" : "Advanced monitoring", "Performance tuning" : "Performance tuning", "Improving the config.php" : "Improving the config.php", "Theming" : "Theming", diff --git a/settings/l10n/en_GB.json b/settings/l10n/en_GB.json index b3ba1455d5a7f..6c031ac99266c 100644 --- a/settings/l10n/en_GB.json +++ b/settings/l10n/en_GB.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "This is particularly recommended when using the desktop client for file synchronisation.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗.", "How to do backups" : "How to do backups", - "Advanced monitoring" : "Advanced monitoring", "Performance tuning" : "Performance tuning", "Improving the config.php" : "Improving the config.php", "Theming" : "Theming", diff --git a/settings/l10n/es.js b/settings/l10n/es.js index 52710923e1051..bcaafec56d711 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto está especialmente recomendado cuando se utiliza el cliente de escritorio para la sincronización de archivos.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos, usa la herramienta de línea de comandos: 'occ db:convert-type o comprueba la documentación ↗.", "How to do backups" : "Cómo hacer copias de seguridad", - "Advanced monitoring" : "Monitorización avanzada", "Performance tuning" : "Ajuste de rendimiento", "Improving the config.php" : "Mejorar el config.php", "Theming" : "Personalizar el tema", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index bd4508c12766c..e67855029c8d0 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto está especialmente recomendado cuando se utiliza el cliente de escritorio para la sincronización de archivos.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos, usa la herramienta de línea de comandos: 'occ db:convert-type o comprueba la documentación ↗.", "How to do backups" : "Cómo hacer copias de seguridad", - "Advanced monitoring" : "Monitorización avanzada", "Performance tuning" : "Ajuste de rendimiento", "Improving the config.php" : "Mejorar el config.php", "Theming" : "Personalizar el tema", diff --git a/settings/l10n/es_419.js b/settings/l10n/es_419.js index 84c9d9891fac5..6ffa5d1298cfd 100644 --- a/settings/l10n/es_419.js +++ b/settings/l10n/es_419.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_419.json b/settings/l10n/es_419.json index 9f34dbb106d29..e96998ad235ce 100644 --- a/settings/l10n/es_419.json +++ b/settings/l10n/es_419.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_AR.js b/settings/l10n/es_AR.js index 9ee98430317c3..95b51f50d5a65 100644 --- a/settings/l10n/es_AR.js +++ b/settings/l10n/es_AR.js @@ -275,7 +275,6 @@ OC.L10N.register( "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "Actualmente está usando SQLite como el backend de base de datos. Para instalaciones más grandes le recomendamos cambiar a un backend de base de datos diferente.", "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_AR.json b/settings/l10n/es_AR.json index 1f824458b9281..4fe3f44f0b93a 100644 --- a/settings/l10n/es_AR.json +++ b/settings/l10n/es_AR.json @@ -273,7 +273,6 @@ "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "Actualmente está usando SQLite como el backend de base de datos. Para instalaciones más grandes le recomendamos cambiar a un backend de base de datos diferente.", "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_CL.js b/settings/l10n/es_CL.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_CL.js +++ b/settings/l10n/es_CL.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_CL.json b/settings/l10n/es_CL.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_CL.json +++ b/settings/l10n/es_CL.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_CO.js b/settings/l10n/es_CO.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_CO.js +++ b/settings/l10n/es_CO.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_CO.json b/settings/l10n/es_CO.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_CO.json +++ b/settings/l10n/es_CO.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_CR.js b/settings/l10n/es_CR.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_CR.js +++ b/settings/l10n/es_CR.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_CR.json b/settings/l10n/es_CR.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_CR.json +++ b/settings/l10n/es_CR.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_DO.js b/settings/l10n/es_DO.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_DO.js +++ b/settings/l10n/es_DO.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_DO.json b/settings/l10n/es_DO.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_DO.json +++ b/settings/l10n/es_DO.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_EC.js b/settings/l10n/es_EC.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_EC.js +++ b/settings/l10n/es_EC.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_EC.json b/settings/l10n/es_EC.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_EC.json +++ b/settings/l10n/es_EC.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_GT.js b/settings/l10n/es_GT.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_GT.js +++ b/settings/l10n/es_GT.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_GT.json b/settings/l10n/es_GT.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_GT.json +++ b/settings/l10n/es_GT.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_HN.js b/settings/l10n/es_HN.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_HN.js +++ b/settings/l10n/es_HN.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_HN.json b/settings/l10n/es_HN.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_HN.json +++ b/settings/l10n/es_HN.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_MX.js b/settings/l10n/es_MX.js index 3050db44ad1a3..de56935d93836 100644 --- a/settings/l10n/es_MX.js +++ b/settings/l10n/es_MX.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_MX.json b/settings/l10n/es_MX.json index 28db74b849592..ab2bbbb556bb9 100644 --- a/settings/l10n/es_MX.json +++ b/settings/l10n/es_MX.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_NI.js b/settings/l10n/es_NI.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_NI.js +++ b/settings/l10n/es_NI.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_NI.json b/settings/l10n/es_NI.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_NI.json +++ b/settings/l10n/es_NI.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PA.js b/settings/l10n/es_PA.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_PA.js +++ b/settings/l10n/es_PA.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PA.json b/settings/l10n/es_PA.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_PA.json +++ b/settings/l10n/es_PA.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PE.js b/settings/l10n/es_PE.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_PE.js +++ b/settings/l10n/es_PE.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PE.json b/settings/l10n/es_PE.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_PE.json +++ b/settings/l10n/es_PE.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PR.js b/settings/l10n/es_PR.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_PR.js +++ b/settings/l10n/es_PR.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PR.json b/settings/l10n/es_PR.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_PR.json +++ b/settings/l10n/es_PR.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PY.js b/settings/l10n/es_PY.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_PY.js +++ b/settings/l10n/es_PY.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_PY.json b/settings/l10n/es_PY.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_PY.json +++ b/settings/l10n/es_PY.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_SV.js b/settings/l10n/es_SV.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_SV.js +++ b/settings/l10n/es_SV.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_SV.json b/settings/l10n/es_SV.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_SV.json +++ b/settings/l10n/es_SV.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_UY.js b/settings/l10n/es_UY.js index 2c8b8dce2ef58..38170da30523c 100644 --- a/settings/l10n/es_UY.js +++ b/settings/l10n/es_UY.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/es_UY.json b/settings/l10n/es_UY.json index 3f75f54c21a66..e892d61151486 100644 --- a/settings/l10n/es_UY.json +++ b/settings/l10n/es_UY.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Esto es particularmente recomendado cuando se usa el cliente de escritorio para sincronización de archivos. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos usa la herramienta de línea de comandos; 'occ db:convert-type', o bien consulta la documentación ↗ .", "How to do backups" : "Cómo hacer respaldos", - "Advanced monitoring" : "Monitoreo avanzado", "Performance tuning" : "Optimización de rendimiento", "Improving the config.php" : "Mejorando la config.php", "Theming" : "Tematizar", diff --git a/settings/l10n/et_EE.js b/settings/l10n/et_EE.js index 9e46cf5f494ce..2f44a2fbbe30a 100644 --- a/settings/l10n/et_EE.js +++ b/settings/l10n/et_EE.js @@ -221,7 +221,6 @@ OC.L10N.register( "This text will be shown on the public link upload page when the file list is hidden." : "Seda teksti näidatakse avaliku lingiga üleslaadimise lehel kui failide loend on peidetud.", "Tips & tricks" : "Nõuanded ja trikid", "How to do backups" : "Kuidas teha varukoopiaid", - "Advanced monitoring" : "Täpsem monitooring", "Performance tuning" : "Kiiruse seadistamine", "Improving the config.php" : "config.php faili täiendamine", "Theming" : "Teemad", diff --git a/settings/l10n/et_EE.json b/settings/l10n/et_EE.json index 0d9c2d6dc2cce..4ef77d2a81f3b 100644 --- a/settings/l10n/et_EE.json +++ b/settings/l10n/et_EE.json @@ -219,7 +219,6 @@ "This text will be shown on the public link upload page when the file list is hidden." : "Seda teksti näidatakse avaliku lingiga üleslaadimise lehel kui failide loend on peidetud.", "Tips & tricks" : "Nõuanded ja trikid", "How to do backups" : "Kuidas teha varukoopiaid", - "Advanced monitoring" : "Täpsem monitooring", "Performance tuning" : "Kiiruse seadistamine", "Improving the config.php" : "config.php faili täiendamine", "Theming" : "Teemad", diff --git a/settings/l10n/eu.js b/settings/l10n/eu.js index d5656a0ba37c4..937ba2161d2d2 100644 --- a/settings/l10n/eu.js +++ b/settings/l10n/eu.js @@ -283,7 +283,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Talde hauek oraindik jaso ahal izango dute partekatzeak, baina ezingo dute partekatu", "Tips & tricks" : "Aholkuak eta trikimailuak", "How to do backups" : "Nola egin babes kopiak", - "Advanced monitoring" : "Monitorizazio aurreratua", "Performance tuning" : "Errendimendu ezarpenak", "Improving the config.php" : "config.php hobetzen", "Theming" : "Itxura", diff --git a/settings/l10n/eu.json b/settings/l10n/eu.json index e0493e73651ab..3fb8f7dab8472 100644 --- a/settings/l10n/eu.json +++ b/settings/l10n/eu.json @@ -281,7 +281,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Talde hauek oraindik jaso ahal izango dute partekatzeak, baina ezingo dute partekatu", "Tips & tricks" : "Aholkuak eta trikimailuak", "How to do backups" : "Nola egin babes kopiak", - "Advanced monitoring" : "Monitorizazio aurreratua", "Performance tuning" : "Errendimendu ezarpenak", "Improving the config.php" : "config.php hobetzen", "Theming" : "Itxura", diff --git a/settings/l10n/fa.js b/settings/l10n/fa.js index 57b6db866932f..1106aeabfa3a3 100644 --- a/settings/l10n/fa.js +++ b/settings/l10n/fa.js @@ -118,7 +118,6 @@ OC.L10N.register( "Restrict users to only share with users in their groups" : "محدود کردن کاربران برای اشتراک‌گذاری تنها میان کاربران گروه خود", "Exclude groups from sharing" : "مستثنی شدن گروه ها از اشتراک گذاری", "Tips & tricks" : "نکات و راهنمایی‌ها", - "Advanced monitoring" : "مانیتورینگ پیشرفته", "Performance tuning" : "تنظیم کارایی", "Improving the config.php" : "بهبود config.php", "Theming" : "قالب‌بندی", diff --git a/settings/l10n/fa.json b/settings/l10n/fa.json index 4024a4eeb129f..4beb48ea8f5b1 100644 --- a/settings/l10n/fa.json +++ b/settings/l10n/fa.json @@ -116,7 +116,6 @@ "Restrict users to only share with users in their groups" : "محدود کردن کاربران برای اشتراک‌گذاری تنها میان کاربران گروه خود", "Exclude groups from sharing" : "مستثنی شدن گروه ها از اشتراک گذاری", "Tips & tricks" : "نکات و راهنمایی‌ها", - "Advanced monitoring" : "مانیتورینگ پیشرفته", "Performance tuning" : "تنظیم کارایی", "Improving the config.php" : "بهبود config.php", "Theming" : "قالب‌بندی", diff --git a/settings/l10n/fi.js b/settings/l10n/fi.js index 354c579b863dd..6a598a0024733 100644 --- a/settings/l10n/fi.js +++ b/settings/l10n/fi.js @@ -278,7 +278,6 @@ OC.L10N.register( "Tips & tricks" : "Vinkit", "This is particularly recommended when using the desktop client for file synchronisation." : "Tämä on suositeltavaa erityisesti silloin, kun työpöytäsovellusta käytetään tiedostojen synkronointiin.", "How to do backups" : "Kuinka tehdä varmuuskopioita", - "Advanced monitoring" : "Edistynyt valvonta", "Performance tuning" : "Suorituskyvyn hienosäätö", "Improving the config.php" : "Config.php-tiedoston parantaminen", "Theming" : "Teemojen käyttö", diff --git a/settings/l10n/fi.json b/settings/l10n/fi.json index b88028bbd72d4..eeee5aff9fc98 100644 --- a/settings/l10n/fi.json +++ b/settings/l10n/fi.json @@ -276,7 +276,6 @@ "Tips & tricks" : "Vinkit", "This is particularly recommended when using the desktop client for file synchronisation." : "Tämä on suositeltavaa erityisesti silloin, kun työpöytäsovellusta käytetään tiedostojen synkronointiin.", "How to do backups" : "Kuinka tehdä varmuuskopioita", - "Advanced monitoring" : "Edistynyt valvonta", "Performance tuning" : "Suorituskyvyn hienosäätö", "Improving the config.php" : "Config.php-tiedoston parantaminen", "Theming" : "Teemojen käyttö", diff --git a/settings/l10n/fr.js b/settings/l10n/fr.js index 44bab6c62f1ab..dceba29a67722 100644 --- a/settings/l10n/fr.js +++ b/settings/l10n/fr.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "C'est particulièrement recommandé lorsque l'on utilise un client bureau pour la synchronisation des fichiers.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Pour migrer vers un autre type de base de données, utilisez la ligne de commande : 'occ db:convert-type' ou consultez la documentation ↗.", "How to do backups" : "Comment faire des sauvegardes", - "Advanced monitoring" : "Surveillance avancée", "Performance tuning" : "Ajustement des performances", "Improving the config.php" : "Amélioration du config.php ", "Theming" : "Personnalisation de l'apparence", @@ -390,6 +389,7 @@ OC.L10N.register( "Error while updating app" : "Erreur lors de la mise à jour de l'application", "Error while removing app" : "Erreur lors de la suppression de l'application", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "L'application a été activée mais doit être mise à jour. Vous allez être redirigé vers la page des mises à jour dans 5 secondes.", + "App update" : "Mise à jour de l'application", "__language_name__" : "Français", "Verifying" : "Vérification en cours", "Personal info" : "Informations personnelles", @@ -399,15 +399,23 @@ OC.L10N.register( "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Veuillez consulter la documentation d'installation ↗ pour savoir comment configurer php sur votre serveur, en particulier en cas d'utilisation de php-fpm.", "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP est apparemment configuré pour supprimer les blocs de documentation internes. Cela rendra plusieurs applications de base inaccessibles.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats de détection du type MIME.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Le verrouillage transactionnel de fichiers est désactivé. Cela peut causer des conflits en cas d'accès concurrent. Activez 'filelocking.enabled' dans config.php pour éviter ces problèmes. Consultez la documentation ↗ pour plus d'informations.", "This means that there might be problems with certain characters in file names." : "Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichier.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Nous vous recommandons d'installer sur votre système les paquets nécessaires à la prise en charge de l'un des paramètres locaux suivants : %s", "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Si votre installation n'a pas été effectuée à la racine du domaine et qu'elle utilise le cron du système, il peut y avoir des problèmes avec la génération d'URL. Pour les éviter, veuillez configurer l'option \"overwrite.cli.url\" de votre fichier config.php avec le chemin de la racine de votre installation (suggéré : \"%s\")", "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "La tâche cron n'a pu s'exécuter via CLI. Ces erreurs techniques sont apparues :", "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Merci de consulter les guides d'installation ↗ et de vérifier les erreurs ou avertissements dans les journaux.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php est enregistré à un service webcron pour exécuter cron.php toutes les 15 minutes par HTTP.", "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Pour l'exécuter, vous devez avoir l'extension PHP posix. Regarder la {linkstart}documentation PHP{linkend} pour plus de détails.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Pour migrer vers un autre type de base de données, utilisez la ligne de commande : 'occ db:convert-type' ou consultez la documentation ↗.", + "Get the apps to sync your files" : "Obtenez les applications pour synchroniser vos fichiers", "Desktop client" : "Client de bureau", "Android app" : "Application Android", "iOS app" : "Application iOS", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si vous voulez soutenir le projet {contributeopen}rejoindre son développement{linkclose} ou {contributeopen}passez le mot{linkclose}!", + "Show First Run Wizard again" : "Ré-afficher l'assistant de premier démarrage", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Les clients web, de bureau et mobiles ainsi que les mots de passe spécifiques d'application qui ont accès actuellement à votre compte.", + "App passwords" : "Mots de passe d'application", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Ici vous pouvez générer des mots de passe individuels pour les applications pour éviter de communiquer votre mot de passe. Vous pouvez aussi les révoquer individuellement.", "Follow us on Google+!" : "Suivez-nous sur Google+ !", "Like our facebook page!" : "Aimez notre page Facebook !", diff --git a/settings/l10n/fr.json b/settings/l10n/fr.json index c863c43b29a03..e7930508dc59e 100644 --- a/settings/l10n/fr.json +++ b/settings/l10n/fr.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "C'est particulièrement recommandé lorsque l'on utilise un client bureau pour la synchronisation des fichiers.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Pour migrer vers un autre type de base de données, utilisez la ligne de commande : 'occ db:convert-type' ou consultez la documentation ↗.", "How to do backups" : "Comment faire des sauvegardes", - "Advanced monitoring" : "Surveillance avancée", "Performance tuning" : "Ajustement des performances", "Improving the config.php" : "Amélioration du config.php ", "Theming" : "Personnalisation de l'apparence", @@ -388,6 +387,7 @@ "Error while updating app" : "Erreur lors de la mise à jour de l'application", "Error while removing app" : "Erreur lors de la suppression de l'application", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "L'application a été activée mais doit être mise à jour. Vous allez être redirigé vers la page des mises à jour dans 5 secondes.", + "App update" : "Mise à jour de l'application", "__language_name__" : "Français", "Verifying" : "Vérification en cours", "Personal info" : "Informations personnelles", @@ -397,15 +397,23 @@ "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Veuillez consulter la documentation d'installation ↗ pour savoir comment configurer php sur votre serveur, en particulier en cas d'utilisation de php-fpm.", "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP est apparemment configuré pour supprimer les blocs de documentation internes. Cela rendra plusieurs applications de base inaccessibles.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats de détection du type MIME.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Le verrouillage transactionnel de fichiers est désactivé. Cela peut causer des conflits en cas d'accès concurrent. Activez 'filelocking.enabled' dans config.php pour éviter ces problèmes. Consultez la documentation ↗ pour plus d'informations.", "This means that there might be problems with certain characters in file names." : "Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichier.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Nous vous recommandons d'installer sur votre système les paquets nécessaires à la prise en charge de l'un des paramètres locaux suivants : %s", "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Si votre installation n'a pas été effectuée à la racine du domaine et qu'elle utilise le cron du système, il peut y avoir des problèmes avec la génération d'URL. Pour les éviter, veuillez configurer l'option \"overwrite.cli.url\" de votre fichier config.php avec le chemin de la racine de votre installation (suggéré : \"%s\")", "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "La tâche cron n'a pu s'exécuter via CLI. Ces erreurs techniques sont apparues :", "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Merci de consulter les guides d'installation ↗ et de vérifier les erreurs ou avertissements dans les journaux.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php est enregistré à un service webcron pour exécuter cron.php toutes les 15 minutes par HTTP.", "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Pour l'exécuter, vous devez avoir l'extension PHP posix. Regarder la {linkstart}documentation PHP{linkend} pour plus de détails.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Pour migrer vers un autre type de base de données, utilisez la ligne de commande : 'occ db:convert-type' ou consultez la documentation ↗.", + "Get the apps to sync your files" : "Obtenez les applications pour synchroniser vos fichiers", "Desktop client" : "Client de bureau", "Android app" : "Application Android", "iOS app" : "Application iOS", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si vous voulez soutenir le projet {contributeopen}rejoindre son développement{linkclose} ou {contributeopen}passez le mot{linkclose}!", + "Show First Run Wizard again" : "Ré-afficher l'assistant de premier démarrage", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Les clients web, de bureau et mobiles ainsi que les mots de passe spécifiques d'application qui ont accès actuellement à votre compte.", + "App passwords" : "Mots de passe d'application", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Ici vous pouvez générer des mots de passe individuels pour les applications pour éviter de communiquer votre mot de passe. Vous pouvez aussi les révoquer individuellement.", "Follow us on Google+!" : "Suivez-nous sur Google+ !", "Like our facebook page!" : "Aimez notre page Facebook !", diff --git a/settings/l10n/he.js b/settings/l10n/he.js index 45990fa8a226b..cf2d0e0ddc416 100644 --- a/settings/l10n/he.js +++ b/settings/l10n/he.js @@ -155,7 +155,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "קבוצות אלו עדיין יוכלו לקבל שיתופים, אך לא לשתף בעצמם.", "Tips & tricks" : "עצות ותחבולות", "How to do backups" : "איך לבצע גיבויים", - "Advanced monitoring" : "ניטור מתקדם", "Performance tuning" : "כוונון ביצועים", "Improving the config.php" : "שיפור קובץ config.php", "Theming" : "ערכת נושא", diff --git a/settings/l10n/he.json b/settings/l10n/he.json index 095fad8fd7499..b65704f38451e 100644 --- a/settings/l10n/he.json +++ b/settings/l10n/he.json @@ -153,7 +153,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "קבוצות אלו עדיין יוכלו לקבל שיתופים, אך לא לשתף בעצמם.", "Tips & tricks" : "עצות ותחבולות", "How to do backups" : "איך לבצע גיבויים", - "Advanced monitoring" : "ניטור מתקדם", "Performance tuning" : "כוונון ביצועים", "Improving the config.php" : "שיפור קובץ config.php", "Theming" : "ערכת נושא", diff --git a/settings/l10n/hu.js b/settings/l10n/hu.js index 3e9baaf1d3230..92f687352f6a2 100644 --- a/settings/l10n/hu.js +++ b/settings/l10n/hu.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Ez különösen asztali kliens szinkronizáció használata esetén javasolt.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Más adatbázisra való migráláshoz használd a parancssori eszközt: 'occ db:convert-type', vagy nézd meg a dokumentációt ↗.", "How to do backups" : "Hogyan csináljunk biztonsági mentéseket", - "Advanced monitoring" : "Haladó monitorozás", "Performance tuning" : "Teljesítmény hangolás", "Improving the config.php" : "config.php javítása", "Theming" : "Témázás", diff --git a/settings/l10n/hu.json b/settings/l10n/hu.json index fd66441b7f31c..04de75bf13449 100644 --- a/settings/l10n/hu.json +++ b/settings/l10n/hu.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Ez különösen asztali kliens szinkronizáció használata esetén javasolt.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Más adatbázisra való migráláshoz használd a parancssori eszközt: 'occ db:convert-type', vagy nézd meg a dokumentációt ↗.", "How to do backups" : "Hogyan csináljunk biztonsági mentéseket", - "Advanced monitoring" : "Haladó monitorozás", "Performance tuning" : "Teljesítmény hangolás", "Improving the config.php" : "config.php javítása", "Theming" : "Témázás", diff --git a/settings/l10n/id.js b/settings/l10n/id.js index 498a5732927f4..70cf248da1bcd 100644 --- a/settings/l10n/id.js +++ b/settings/l10n/id.js @@ -194,7 +194,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Grup ini akan tetap dapat menerima berbagi, tatapi tidak dapat membagikan.", "Tips & tricks" : "Tips & trik", "How to do backups" : "Bagaimana cara membuat cadangan", - "Advanced monitoring" : "Pemantauan tingkat lanjut", "Performance tuning" : "Pemeliharaan performa", "Improving the config.php" : "Memperbaiki config.php", "Theming" : "Tema", diff --git a/settings/l10n/id.json b/settings/l10n/id.json index 79f989bb8f5b0..25a3ba228d670 100644 --- a/settings/l10n/id.json +++ b/settings/l10n/id.json @@ -192,7 +192,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Grup ini akan tetap dapat menerima berbagi, tatapi tidak dapat membagikan.", "Tips & tricks" : "Tips & trik", "How to do backups" : "Bagaimana cara membuat cadangan", - "Advanced monitoring" : "Pemantauan tingkat lanjut", "Performance tuning" : "Pemeliharaan performa", "Improving the config.php" : "Memperbaiki config.php", "Theming" : "Tema", diff --git a/settings/l10n/is.js b/settings/l10n/is.js index 790b4ac2e8c88..b14b7f1753667 100644 --- a/settings/l10n/is.js +++ b/settings/l10n/is.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Mælt er sérstaklega með þessu þegar skjáborðsforritið er notað til að samstilla skrár.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Til að yfirfæra í annan gagnagrunn skaltu nota skipanalínutólið: 'occ db:convert-type', eða lesa hjálparskjölin ↗.", "How to do backups" : "Hvernig á að taka öryggisafrit", - "Advanced monitoring" : "Ítarleg vöktun", "Performance tuning" : "Fínstilling afkasta", "Improving the config.php" : "Bæting á config.php skránni", "Theming" : "Þemu", diff --git a/settings/l10n/is.json b/settings/l10n/is.json index 74e6f954e0e7f..e59d3b114fe1c 100644 --- a/settings/l10n/is.json +++ b/settings/l10n/is.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Mælt er sérstaklega með þessu þegar skjáborðsforritið er notað til að samstilla skrár.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Til að yfirfæra í annan gagnagrunn skaltu nota skipanalínutólið: 'occ db:convert-type', eða lesa hjálparskjölin ↗.", "How to do backups" : "Hvernig á að taka öryggisafrit", - "Advanced monitoring" : "Ítarleg vöktun", "Performance tuning" : "Fínstilling afkasta", "Improving the config.php" : "Bæting á config.php skránni", "Theming" : "Þemu", diff --git a/settings/l10n/it.js b/settings/l10n/it.js index 7e09e17b69e23..7cfb523247a28 100644 --- a/settings/l10n/it.js +++ b/settings/l10n/it.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Consigliato particolarmente quando si utilizza il client desktop per la sincronizzazione dei file.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Per migrare a un altro database, usa lo strumento da riga di comando: 'occ db:convert-type', o leggi la documentazione ↗.", "How to do backups" : "Come creare delle copie di sicurezza", - "Advanced monitoring" : "Monitoraggio avanzato", "Performance tuning" : "Ottimizzazione delle prestazioni", "Improving the config.php" : "Ottimizzare il config.php", "Theming" : "Temi", diff --git a/settings/l10n/it.json b/settings/l10n/it.json index a8d6e8816e763..f25416f5a149d 100644 --- a/settings/l10n/it.json +++ b/settings/l10n/it.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Consigliato particolarmente quando si utilizza il client desktop per la sincronizzazione dei file.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Per migrare a un altro database, usa lo strumento da riga di comando: 'occ db:convert-type', o leggi la documentazione ↗.", "How to do backups" : "Come creare delle copie di sicurezza", - "Advanced monitoring" : "Monitoraggio avanzato", "Performance tuning" : "Ottimizzazione delle prestazioni", "Improving the config.php" : "Ottimizzare il config.php", "Theming" : "Temi", diff --git a/settings/l10n/ja.js b/settings/l10n/ja.js index 1cfe06d3ba67f..f9487c92c7e1f 100644 --- a/settings/l10n/ja.js +++ b/settings/l10n/ja.js @@ -283,7 +283,6 @@ OC.L10N.register( "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLiteがデータベースとして使用されています。大規模な運用では別のデータベースに切り替えることをお勧めします。", "This is particularly recommended when using the desktop client for file synchronisation." : "これは、ファイル同期にデスクトップクライアントを使用する場合に特に推奨されます。", "How to do backups" : "バックアップ方法", - "Advanced monitoring" : "詳細モニタリング", "Performance tuning" : "パフォーマンスチューニング", "Improving the config.php" : "config.phpの改善", "Theming" : "テーマ", diff --git a/settings/l10n/ja.json b/settings/l10n/ja.json index be21db7be1903..6cb1f6c92af57 100644 --- a/settings/l10n/ja.json +++ b/settings/l10n/ja.json @@ -281,7 +281,6 @@ "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLiteがデータベースとして使用されています。大規模な運用では別のデータベースに切り替えることをお勧めします。", "This is particularly recommended when using the desktop client for file synchronisation." : "これは、ファイル同期にデスクトップクライアントを使用する場合に特に推奨されます。", "How to do backups" : "バックアップ方法", - "Advanced monitoring" : "詳細モニタリング", "Performance tuning" : "パフォーマンスチューニング", "Improving the config.php" : "config.phpの改善", "Theming" : "テーマ", diff --git a/settings/l10n/ka_GE.js b/settings/l10n/ka_GE.js index 58c169704a048..5958a0b022b57 100644 --- a/settings/l10n/ka_GE.js +++ b/settings/l10n/ka_GE.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "ეს კერძოდ რეკომედირებულია განსაკუთრებით მაშინ, როდესაც ფაილების სინქრონიზაციისთვის იყენებთ დესკტოპ-კლიენტს.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "სხვა მონაცემთა ბაზის მიგრაციისთვის გამოიყენეთ command line ხელსაწყო: 'occ db:convert-type', ან იხილეთ დოუმენტაცია ↗.", "How to do backups" : "როგორ შევქმნათ რეზერვები", - "Advanced monitoring" : "პროგრესიული მონიტორინგი", "Performance tuning" : "მოქმედების რეგულირება", "Improving the config.php" : "config.php-ს გაუმჯობესება", "Theming" : "ვიზუალური თემები", diff --git a/settings/l10n/ka_GE.json b/settings/l10n/ka_GE.json index 8b69ea9d22a2d..e7f0cc745b874 100644 --- a/settings/l10n/ka_GE.json +++ b/settings/l10n/ka_GE.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "ეს კერძოდ რეკომედირებულია განსაკუთრებით მაშინ, როდესაც ფაილების სინქრონიზაციისთვის იყენებთ დესკტოპ-კლიენტს.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "სხვა მონაცემთა ბაზის მიგრაციისთვის გამოიყენეთ command line ხელსაწყო: 'occ db:convert-type', ან იხილეთ დოუმენტაცია ↗.", "How to do backups" : "როგორ შევქმნათ რეზერვები", - "Advanced monitoring" : "პროგრესიული მონიტორინგი", "Performance tuning" : "მოქმედების რეგულირება", "Improving the config.php" : "config.php-ს გაუმჯობესება", "Theming" : "ვიზუალური თემები", diff --git a/settings/l10n/ko.js b/settings/l10n/ko.js index 5b111ef41f395..de17cd34fad02 100644 --- a/settings/l10n/ko.js +++ b/settings/l10n/ko.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "특히 파일 동기화를 위해 데스크톱 클라이언트를 사용할 예정인 경우 권장됩니다.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "다른 데이터베이스로 마이그레이션하려면 'occ db:convert-type' 명령행 도구를 사용하거나 사용 설명서 ↗를 참고하십시오.", "How to do backups" : "백업 방법", - "Advanced monitoring" : "고급 모니터링", "Performance tuning" : "성능 튜닝", "Improving the config.php" : "config.php 개선", "Theming" : "테마 꾸미기", diff --git a/settings/l10n/ko.json b/settings/l10n/ko.json index 00488b417f798..d214cb962a5ba 100644 --- a/settings/l10n/ko.json +++ b/settings/l10n/ko.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "특히 파일 동기화를 위해 데스크톱 클라이언트를 사용할 예정인 경우 권장됩니다.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "다른 데이터베이스로 마이그레이션하려면 'occ db:convert-type' 명령행 도구를 사용하거나 사용 설명서 ↗를 참고하십시오.", "How to do backups" : "백업 방법", - "Advanced monitoring" : "고급 모니터링", "Performance tuning" : "성능 튜닝", "Improving the config.php" : "config.php 개선", "Theming" : "테마 꾸미기", diff --git a/settings/l10n/lv.js b/settings/l10n/lv.js index 08c4edb7688a2..2e85805c6ce2d 100644 --- a/settings/l10n/lv.js +++ b/settings/l10n/lv.js @@ -180,7 +180,6 @@ OC.L10N.register( "Tips & tricks" : "Padomi un ieteikumi", "This is particularly recommended when using the desktop client for file synchronisation." : "Tas ir īpaši ieteicams, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju.", "How to do backups" : "Kā veikt dublēšanu", - "Advanced monitoring" : "Papildu uzraudzība", "Performance tuning" : "Veiktspējas uzstādīšana", "Improving the config.php" : "Uzlabot config.php", "Theming" : "Dizains", diff --git a/settings/l10n/lv.json b/settings/l10n/lv.json index ec90fb0c3cc19..768ec3553d24f 100644 --- a/settings/l10n/lv.json +++ b/settings/l10n/lv.json @@ -178,7 +178,6 @@ "Tips & tricks" : "Padomi un ieteikumi", "This is particularly recommended when using the desktop client for file synchronisation." : "Tas ir īpaši ieteicams, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju.", "How to do backups" : "Kā veikt dublēšanu", - "Advanced monitoring" : "Papildu uzraudzība", "Performance tuning" : "Veiktspējas uzstādīšana", "Improving the config.php" : "Uzlabot config.php", "Theming" : "Dizains", diff --git a/settings/l10n/mk.js b/settings/l10n/mk.js index 6bc56fdcf2b1b..db4ee5b704c76 100644 --- a/settings/l10n/mk.js +++ b/settings/l10n/mk.js @@ -107,7 +107,6 @@ OC.L10N.register( "Exclude groups from sharing" : "Исклучи групи од споделување", "Tips & tricks" : "Совети и трикови", "How to do backups" : "Како да правам резервни копии", - "Advanced monitoring" : "Напредно мониторирање", "Performance tuning" : "Нагодување на перформансите", "Improving the config.php" : "Подобруваер на config.php", "Theming" : "Поставување на тема", diff --git a/settings/l10n/mk.json b/settings/l10n/mk.json index 2c19623ad2793..24f50593a39d3 100644 --- a/settings/l10n/mk.json +++ b/settings/l10n/mk.json @@ -105,7 +105,6 @@ "Exclude groups from sharing" : "Исклучи групи од споделување", "Tips & tricks" : "Совети и трикови", "How to do backups" : "Како да правам резервни копии", - "Advanced monitoring" : "Напредно мониторирање", "Performance tuning" : "Нагодување на перформансите", "Improving the config.php" : "Подобруваер на config.php", "Theming" : "Поставување на тема", diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index 9675379639132..0edfba98a3fcb 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Dette er spesielt anbefalt når skrivebordsklient brukes for filsynkronisering.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "For å migrere til en annen database, bruk kommandolinjeverktøyet: 'occ db:convert-type', eller les dokumentasjonen ↗.", "How to do backups" : "Hvordan ta sikkerhetskopier", - "Advanced monitoring" : "Avansert overvåking", "Performance tuning" : "Forbedre ytelsen", "Improving the config.php" : "Tilpasninger i config.php", "Theming" : "Drakter", diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index cc74f41b7d0f3..1ec455f9d96df 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Dette er spesielt anbefalt når skrivebordsklient brukes for filsynkronisering.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "For å migrere til en annen database, bruk kommandolinjeverktøyet: 'occ db:convert-type', eller les dokumentasjonen ↗.", "How to do backups" : "Hvordan ta sikkerhetskopier", - "Advanced monitoring" : "Avansert overvåking", "Performance tuning" : "Forbedre ytelsen", "Improving the config.php" : "Tilpasninger i config.php", "Theming" : "Drakter", diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index 62e6b457829ed..d6e68e4324b0c 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Dit wordt vooral aanbevolen als de desktop client wordt gebruikt voor bestandssynchronisatie.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Om te migreren naar een andere database moet je de commandoregel tool gebruiken: 'occ db:convert-type'; zie de documentatie ↗.", "How to do backups" : "Hoe maak je back-ups", - "Advanced monitoring" : "Geavanceerde monitoring", "Performance tuning" : "Prestatie afstelling", "Improving the config.php" : "config.php verbeteren", "Theming" : "Thema's", diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index 9defad6167e16..cc20d20daa7a8 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Dit wordt vooral aanbevolen als de desktop client wordt gebruikt voor bestandssynchronisatie.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Om te migreren naar een andere database moet je de commandoregel tool gebruiken: 'occ db:convert-type'; zie de documentatie ↗.", "How to do backups" : "Hoe maak je back-ups", - "Advanced monitoring" : "Geavanceerde monitoring", "Performance tuning" : "Prestatie afstelling", "Improving the config.php" : "config.php verbeteren", "Theming" : "Thema's", diff --git a/settings/l10n/pl.js b/settings/l10n/pl.js index 091969c111313..e91bef40aacc0 100644 --- a/settings/l10n/pl.js +++ b/settings/l10n/pl.js @@ -297,7 +297,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Jest to szczególnie zalecane w przypadku korzystania z desktopowego klienta do synchronizacji plików.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Aby zmigrować do innej bazy danych użyj narzędzia z terminala: \"occ db:convert-type\" albo sprawdź dokumentację ↗.", "How to do backups" : "Jak zrobić kopie zapasowe", - "Advanced monitoring" : "Zaawansowane monitorowanie", "Performance tuning" : "Podnoszenie wydajności", "Improving the config.php" : "Udoskonalać się w config.php", "Theming" : "Motyw", diff --git a/settings/l10n/pl.json b/settings/l10n/pl.json index c49e997a58430..f7ec7b963e358 100644 --- a/settings/l10n/pl.json +++ b/settings/l10n/pl.json @@ -295,7 +295,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Jest to szczególnie zalecane w przypadku korzystania z desktopowego klienta do synchronizacji plików.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Aby zmigrować do innej bazy danych użyj narzędzia z terminala: \"occ db:convert-type\" albo sprawdź dokumentację ↗.", "How to do backups" : "Jak zrobić kopie zapasowe", - "Advanced monitoring" : "Zaawansowane monitorowanie", "Performance tuning" : "Podnoszenie wydajności", "Improving the config.php" : "Udoskonalać się w config.php", "Theming" : "Motyw", diff --git a/settings/l10n/pt_BR.js b/settings/l10n/pt_BR.js index afb8e7dbeef14..b10cf4615586e 100644 --- a/settings/l10n/pt_BR.js +++ b/settings/l10n/pt_BR.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Isso é particulamente recomendado quando se utiliza um cliente para sincronização.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a outro banco de dados, use a ferramenta de linha de comando: 'occ db:convert-type', ou leia na documentação ↗ como fazer isso.", "How to do backups" : "Como fazer backups", - "Advanced monitoring" : "Monitoramento avançado", "Performance tuning" : "Ajustando a performance", "Improving the config.php" : "Melhorando o config.php", "Theming" : "Criar um tema", diff --git a/settings/l10n/pt_BR.json b/settings/l10n/pt_BR.json index dee4376963e20..48c3c77f0e874 100644 --- a/settings/l10n/pt_BR.json +++ b/settings/l10n/pt_BR.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Isso é particulamente recomendado quando se utiliza um cliente para sincronização.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a outro banco de dados, use a ferramenta de linha de comando: 'occ db:convert-type', ou leia na documentação ↗ como fazer isso.", "How to do backups" : "Como fazer backups", - "Advanced monitoring" : "Monitoramento avançado", "Performance tuning" : "Ajustando a performance", "Improving the config.php" : "Melhorando o config.php", "Theming" : "Criar um tema", diff --git a/settings/l10n/pt_PT.js b/settings/l10n/pt_PT.js index 558c982c98f01..506408ddd3327 100644 --- a/settings/l10n/pt_PT.js +++ b/settings/l10n/pt_PT.js @@ -8,10 +8,14 @@ OC.L10N.register( "You changed your email address" : "Você alterou o seu endereço de e-mail", "Your email address was changed by an administrator" : "O seu endereço de e-mail foi alterado por um administrador", "Security" : "Segurança", + "You successfully logged in using two-factor authentication (%1$s)" : "Autenticado com sucesso utilizando autenticação de dois factores (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Tentativa falhada de autenticação utilizando dois factores (%1$s)", "Your password or email was modified" : "A password ou email foram modificados", + "Your apps" : "As suas apps", "Updates" : "Actualizações", "Enabled apps" : "Apps ativas", "Disabled apps" : "Apps desativadas", + "App bundles" : "Pacotes de apps", "Wrong password" : "Palavra-passe errada", "Saved" : "Guardado", "No user supplied" : "Nenhum utilizador especificado", @@ -19,6 +23,7 @@ OC.L10N.register( "Authentication error" : "Erro na autenticação", "Please provide an admin recovery password; otherwise, all user data will be lost." : "Por favor introduza uma senha administrativa de recuperação ou todos os dados de utilizador serão perdidos.", "Wrong admin recovery password. Please check the password and try again." : "Palavra-passe de recuperação de administrador errada. Por favor, verifique a palavra-passe e tente novamente.", + "Backend doesn't support password change, but the user's encryption key was updated." : "O Backend não suporta modificar senhas, mas a chave de cifra do utilizador foi actualizada.", "installing and updating apps via the app store or Federated Cloud Sharing" : "A instalar e a atualizar as aplicações através da loja de aplicações ou Federated Cloud Sharing", "Federated Cloud Sharing" : "Federated Cloud Sharing", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL está a usar uma versão %s desatualizada (%s). Por favor, atualize o seu sistema operativo ou algumas funcionalidades como %s não funcionarão corretamente.", @@ -28,6 +33,7 @@ OC.L10N.register( "Unable to add group." : "Impossível adicionar o grupo.", "Unable to delete group." : "Impossível eliminar grupo.", "Invalid SMTP password." : "Senha de SMTP inválida.", + "Email setting test" : "Teste definições de email", "Well done, %s!" : "Muito bem, %s!", "If you received this email, the email configuration seems to be correct." : "Se recebeu este email, a configuração do serviço de email deverá estar correcta.", "Email could not be sent. Check your mail server log" : "O email não pode ser enviado. Por favor verifique os logs do seu servidor de e-mail.", @@ -41,6 +47,8 @@ OC.L10N.register( "Unable to delete user." : "Impossível apagar o utilizador.", "Error while enabling user." : "Erro ao activar o utilizador.", "Error while disabling user." : "Erro ao desactivar o utilizador.", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "Por forma a validar a sua conta de Twitter, por favor publique o seguinte Twitter ( garanta que a publicação não contém quebras de linha):", + "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "Por forma de validar o Website, por favor publique o conteúdo seguinte na sua raiz em 'well-known/CloudIdVerificationCode.txt' (garanta que o texto completo se encontra numa única linha):", "Settings saved" : "Definições guardadas", "Unable to change full name" : "Não foi possível alterar o seu nome completo", "Unable to change email address" : "Não foi possível alterar o seu endereço de e-mail", @@ -49,6 +57,7 @@ OC.L10N.register( "Invalid user" : "Utilizador inválido", "Unable to change mail address" : "Não foi possível alterar o seu endereço de e-mail", "Email saved" : "E-mail guardado", + "%1$s changed your password on %2$s." : "%1$s modificou a sua senha em %2$s.", "Your password on %s was changed." : "A sua senha para %s foi modificada.", "Your password on %s was reset by an administrator." : "A sua senha para %s foi redefinida pelo administrador.", "Password for %1$s changed on %2$s" : "A senha para %1$s foi modificada em %2$s", @@ -63,7 +72,7 @@ OC.L10N.register( "Your %s account was created" : "A tua conta %s foi criada", "Welcome aboard" : "Bem-vindo a bordo", "Welcome aboard %s" : "Bem-vindo a bordo %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Bem-vindo á conta %s, aqui pode adicionar, proteger e partilhar os seus dados.", + "Welcome to your %s account, you can add, protect, and share your data." : "Bem-vindo à conta %s, aqui pode adicionar, proteger e partilhar os seus dados.", "Your username is: %s" : "O seu utilizador é: %s", "Set your password" : "Escolher senha", "Go to %s" : "Ir para %s", @@ -83,6 +92,7 @@ OC.L10N.register( "Update to %s" : "Actualizar para %s", "No apps found for your version" : "Nenhuma aplicação encontrada para a sua versão", "The app will be downloaded from the app store" : "A aplicação será descarregada da loja de aplicações", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "As apps oficiais são desenvolvidas de e para a comunidade. Oferecem um repositório central de funcionalidades e estão preparadas para uso em produção.", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "As aplicações aprovadas são desenvolvidas por developers de confiança e passaram numa verificação de segurança. São mantidas ativamente num repositório de código aberto e quem as mantém considera-as estáveis para uso casual a normal.", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Esta aplicação não foi verificada por problemas de segurança e é nova ou conhecida por ser instável. Instale-a por sua conta e risco.", "Disabling app …" : "A desactivar app...", @@ -91,13 +101,18 @@ OC.L10N.register( "Enable" : "Ativar", "Enabling app …" : "A activar app...", "Error while enabling app" : "Ocorreu um erro enquanto ativava a app", + "Error: This app can not be enabled because it makes the server unstable" : "Erro: Esta app não pode ser activada porque torna o servidor instável.", + "Error: Could not disable broken app" : "Erro: Não pode desactivar uma app danificada.", "Error while disabling broken app" : "Erro ao desactivar app estragada", + "App up to date" : "App actualizada", "Upgrading …" : "A actualizar...", "Could not upgrade app" : "Não foi possível actualizar a app", "Updated" : "Atualizada", "Removing …" : "A remover...", "Could not remove app" : "Não foi possível remover a app", "Remove" : "Remover", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "A app foi activada mas necessita de uma actualização. Irá ser redireccionado para a página de actualização em 5 segundos.", + "App upgrade" : "Actualização de App", "Approved" : "Aprovado", "Experimental" : "Experimental", "No apps found for {query}" : "Não foram encontradas aplicações para {query}", @@ -107,7 +122,9 @@ OC.L10N.register( "Revoke" : "Revogar", "iOS Client" : "Cliente iOS", "Android Client" : "Cliente Android", + "This session" : "Esta sessão", "Copy" : "Copiar", + "Copied!" : "Copiado!", "Not supported!" : "Não suportado!", "Press ⌘-C to copy." : "Pressione ⌘-C para copiar.", "Press Ctrl-C to copy." : "Pressione Ctrl-C para copiar.", @@ -124,7 +141,10 @@ OC.L10N.register( "Contacts" : "Contactos", "Visible to local users and to trusted servers" : "Visível por utilizadores locais e servidores confiáveis", "Public" : "Público", + "Will be synced to a global and public address book" : "Será sincronizado com um livro de endereços público e global", + "Verify" : "Verificar", "Verifying …" : "A verificar...", + "An error occured while changing your language. Please reload the page and try again." : "Ocorreu um erro ao modificar a sua lingua. Por favor recarregue a página e tente novamente.", "Select a profile picture" : "Selecione uma fotografia de perfil", "Very weak password" : "Palavra-passe muito fraca", "Weak password" : "Palavra-passe fraca", @@ -137,25 +157,38 @@ OC.L10N.register( "A valid group name must be provided" : "Deve ser indicado um nome de grupo válido", "deleted {groupName}" : "{groupName} apagado", "undo" : "Anular", + "{size} used" : "{size} utilizado", "never" : "nunca", "deleted {userName}" : "{userName} eliminado", "No user found for {pattern}" : "Nenhum utilizador encontrado para {pattern}", + "Unable to add user to group {group}" : "Impossível adicionar o utilizador ao grupo {group}", + "Unable to remove user from group {group}" : "Impossível remover o utilizador do grupo {group}", + "Add group" : "Adicionar grupo", + "Invalid quota value \"{val}\"" : "Valor de cota inválido \"{val}\"", + "no group" : "Nenhum grupo", "Password successfully changed" : "Senha modificada com sucesso", "Changing the password will result in data loss, because data recovery is not available for this user" : "A alteração da palavra-passe resultará na perda de dados, porque a recuperação de dados não está disponível para este utilizador", + "Could not change the users email" : "Não foi possível modificar o email do utilizador", + "Error while changing status of {user}" : "Erro ao modificar o estado de {user}", "A valid username must be provided" : "Deve ser indicado um nome de utilizador válido", "Error creating user: {message}" : "Erro ao criar utilizador: {message}", "A valid password must be provided" : "Deve ser indicada uma palavra-passe válida", "A valid email must be provided" : "Deve ser fornecido um email válido", "Developer documentation" : "Documentação de Programador", + "View in store" : "Ver na loja", + "Limit to groups" : "Limitado a grupos", "by %s" : "por %s", "%s-licensed" : "%s-autorizado", "Documentation:" : "Documentação:", "User documentation" : "Documentação de Utilizador", "Admin documentation" : "Documentação do Administrador", + "Visit website" : "Visitar o website", "Report a bug" : "Reportar um erro", "Show description …" : "Mostrar descrição ...", "Hide description …" : "Esconder descrição ...", "This app has an update available." : "Esta aplicação tem uma atualização disponível.", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Esta app não tem a versão mínima do Nextcloud atribuída. Isto será um erro no futuro.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Esta app não tem a versão máxima do Nextcloud atribuída. Isto será um erro no futuro.", "This app cannot be installed because the following dependencies are not fulfilled:" : "Esta aplicação não pode ser instalada porque as seguintes dependências não podem ser realizadas:", "Enable only for specific groups" : "Activar só para grupos específicos", "SSL Root Certificates" : "Certificados SSL Root", @@ -177,6 +210,7 @@ OC.L10N.register( "STARTTLS" : "STARTTLS", "Email server" : "Servidor de Correio Eletrónico", "Open documentation" : "Abrir documentação", + "It is important to set up this server to be able to send emails, like for password reset and notifications." : "É importante configurar este servidor para ser possível enviar emails, possibilitando enviar notificações bem como possibilitar a recuperação de senhas.", "Send mode" : "Modo de Envio", "Encryption" : "Encriptação", "From address" : "Do endereço", @@ -192,9 +226,11 @@ OC.L10N.register( "Test email settings" : "Testar definições de e-mail", "Send email" : "Enviar email", "Server-side encryption" : "Atualizar App", + "Server-side encryption makes it possible to encrypt files which are uploaded to this server. This comes with limitations like a performance penalty, so enable this only if needed." : "A cifra do lado do servidor possibilita cifrar os ficheiros que serão enviados para este servidor. Isto implica um impacto no desempenho e só deverá ser activo quando necessário.", "Enable server-side encryption" : "Ativar encriptação do lado do servidor", "Please read carefully before activating server-side encryption: " : "Por favor, leia cuidadosamente antes de ativar a encriptação do lado do servidor:", "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Uma vez ativada a encriptação, todos os ficheiros carregados para o servidor a partir deste ponto serão encriptados pelo servidor. Só será possível desativar a encriptação numa data mais tarde se o módulo de encriptação ativo suportar essa função, assim como todas as pré-condições (e.g. definir chave de recuperação) sejam cumpridas.", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "A cifra por si só não garante a segurança do sistema. Por favor consulte a documentação para mais detalhes sobre a aplicação de cifra e os casos de uso suportados.", "Be aware that encryption always increases the file size." : "Tenha em conta que a encriptação aumenta sempre o tamanho do ficheiro.", "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "É sempre bom criar cópias de segurança regulares dos seus dados, em caso de encriptação tenha a certeza de que faz cópia das chaves de encriptação em conjunto com os seus dados.", "This is the final warning: Do you really want to enable encryption?" : "Este é o aviso final: quer mesmo ativar a encriptação?", @@ -215,6 +251,7 @@ OC.L10N.register( "Allow apps to use the Share API" : "Permitir que os utilizadores usem a API de partilha", "Allow users to share via link" : "Permitir que os utilizadores partilhem através do link", "Allow public uploads" : "Permitir Envios Públicos", + "Always ask for a password" : "Pedir sempre a senha", "Enforce password protection" : "Forçar proteção por palavra-passe", "Set default expiration date" : "Especificar a data padrão de expiração", "Expire after " : "Expira após", @@ -227,7 +264,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Estes grupos poderão receber partilhas, mas não poderão iniciá-las.", "Tips & tricks" : "Dicas e truques", "How to do backups" : "Como fazer cópias de segurança", - "Advanced monitoring" : "Monitorização avançada", "Performance tuning" : "Ajuste de desempenho", "Improving the config.php" : "Melhorar o config.php", "Theming" : "Temas", @@ -248,10 +284,12 @@ OC.L10N.register( "Email" : "Email", "Your email address" : "O seu endereço de email", "No email address set" : "Nenhum endereço de email estabelecido", + "For password reset and notifications" : "Para recuperação de senhas e notificações", "Phone number" : "Número de telefone", "Your phone number" : "O seu número de telefone", "Address" : "Morada", "Your postal address" : "A sua morada", + "It can take up to 24 hours before the account is displayed as verified." : "Pode levar até 24 horas para que a conta seja mostrada como verificada.", "You are member of the following groups:" : "Você é membro dos seguintes grupos:", "Language" : "Idioma", "Help translate" : "Ajude a traduzir", @@ -259,12 +297,16 @@ OC.L10N.register( "Current password" : "Palavra-passe atual", "New password" : "Nova palavra-passe", "Change password" : "Alterar palavra-passe", + "Web, desktop and mobile clients currently logged in to your account." : "Clientes web, desktop e clientes móveis estão actualmente autenticados na sua conta.", "Device" : "Dispositivo", "Last activity" : "Última atividade", "App name" : "Nome da App", "Create new app password" : "Criar nova senha", + "Use the credentials below to configure your app or device." : "Use as credenciais abaixo para configurar a sua app ou dispositivo.", + "For security reasons this password will only be shown once." : "Por motivos de segurança a sua password só será mostrada uma vez.", "Username" : "Nome de utilizador", "Done" : "Concluído", + "Settings" : "Definições", "Show storage location" : "Mostrar a localização do armazenamento", "Show user backend" : "Mostrar interface do utilizador", "Show email address" : "Mostrar endereço de email", @@ -275,14 +317,26 @@ OC.L10N.register( "Enter the recovery password in order to recover the users files during password change" : "Digite a senha de recuperação, a fim de recuperar os ficheiros dos utilizadores durante a mudança da palavra-passe", "Everyone" : "Para todos", "Admins" : "Administrador", + "Disabled" : "Desactivado", "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Insira a quota de armazenamento (ex: \"512 MB\" ou \"12 GB\")", "Unlimited" : "Ilimitado", "Other" : "Outro", + "Group admin for" : "Administrador de grupo para", "Quota" : "Quota", "Last login" : "Último início de sessão", "change full name" : "alterar nome completo", "set new password" : "definir nova palavra-passe", "change email address" : "alterar endereço do correio eletrónico", - "Default" : "Padrão" + "Default" : "Padrão", + "Updating...." : "A actualizar...", + "Error while updating app" : "Erro ao actualizar a app", + "Error while removing app" : "Erro ao remover a app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "A app foi activada mas necessita ser actualizada. Irá ser redireccionado para a página de actualização em 5 segundos.", + "App update" : "Actualização de app", + "Verifying" : "A verificar", + "Personal info" : "Informação pessoal", + "Sync clients" : "Sincronizar clientes", + "Desktop client" : "Cliente desktop", + "Group name" : "Nome do grupo" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/pt_PT.json b/settings/l10n/pt_PT.json index aae1d2849ffd1..c82e604e6c57f 100644 --- a/settings/l10n/pt_PT.json +++ b/settings/l10n/pt_PT.json @@ -6,10 +6,14 @@ "You changed your email address" : "Você alterou o seu endereço de e-mail", "Your email address was changed by an administrator" : "O seu endereço de e-mail foi alterado por um administrador", "Security" : "Segurança", + "You successfully logged in using two-factor authentication (%1$s)" : "Autenticado com sucesso utilizando autenticação de dois factores (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Tentativa falhada de autenticação utilizando dois factores (%1$s)", "Your password or email was modified" : "A password ou email foram modificados", + "Your apps" : "As suas apps", "Updates" : "Actualizações", "Enabled apps" : "Apps ativas", "Disabled apps" : "Apps desativadas", + "App bundles" : "Pacotes de apps", "Wrong password" : "Palavra-passe errada", "Saved" : "Guardado", "No user supplied" : "Nenhum utilizador especificado", @@ -17,6 +21,7 @@ "Authentication error" : "Erro na autenticação", "Please provide an admin recovery password; otherwise, all user data will be lost." : "Por favor introduza uma senha administrativa de recuperação ou todos os dados de utilizador serão perdidos.", "Wrong admin recovery password. Please check the password and try again." : "Palavra-passe de recuperação de administrador errada. Por favor, verifique a palavra-passe e tente novamente.", + "Backend doesn't support password change, but the user's encryption key was updated." : "O Backend não suporta modificar senhas, mas a chave de cifra do utilizador foi actualizada.", "installing and updating apps via the app store or Federated Cloud Sharing" : "A instalar e a atualizar as aplicações através da loja de aplicações ou Federated Cloud Sharing", "Federated Cloud Sharing" : "Federated Cloud Sharing", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL está a usar uma versão %s desatualizada (%s). Por favor, atualize o seu sistema operativo ou algumas funcionalidades como %s não funcionarão corretamente.", @@ -26,6 +31,7 @@ "Unable to add group." : "Impossível adicionar o grupo.", "Unable to delete group." : "Impossível eliminar grupo.", "Invalid SMTP password." : "Senha de SMTP inválida.", + "Email setting test" : "Teste definições de email", "Well done, %s!" : "Muito bem, %s!", "If you received this email, the email configuration seems to be correct." : "Se recebeu este email, a configuração do serviço de email deverá estar correcta.", "Email could not be sent. Check your mail server log" : "O email não pode ser enviado. Por favor verifique os logs do seu servidor de e-mail.", @@ -39,6 +45,8 @@ "Unable to delete user." : "Impossível apagar o utilizador.", "Error while enabling user." : "Erro ao activar o utilizador.", "Error while disabling user." : "Erro ao desactivar o utilizador.", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "Por forma a validar a sua conta de Twitter, por favor publique o seguinte Twitter ( garanta que a publicação não contém quebras de linha):", + "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "Por forma de validar o Website, por favor publique o conteúdo seguinte na sua raiz em 'well-known/CloudIdVerificationCode.txt' (garanta que o texto completo se encontra numa única linha):", "Settings saved" : "Definições guardadas", "Unable to change full name" : "Não foi possível alterar o seu nome completo", "Unable to change email address" : "Não foi possível alterar o seu endereço de e-mail", @@ -47,6 +55,7 @@ "Invalid user" : "Utilizador inválido", "Unable to change mail address" : "Não foi possível alterar o seu endereço de e-mail", "Email saved" : "E-mail guardado", + "%1$s changed your password on %2$s." : "%1$s modificou a sua senha em %2$s.", "Your password on %s was changed." : "A sua senha para %s foi modificada.", "Your password on %s was reset by an administrator." : "A sua senha para %s foi redefinida pelo administrador.", "Password for %1$s changed on %2$s" : "A senha para %1$s foi modificada em %2$s", @@ -61,7 +70,7 @@ "Your %s account was created" : "A tua conta %s foi criada", "Welcome aboard" : "Bem-vindo a bordo", "Welcome aboard %s" : "Bem-vindo a bordo %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Bem-vindo á conta %s, aqui pode adicionar, proteger e partilhar os seus dados.", + "Welcome to your %s account, you can add, protect, and share your data." : "Bem-vindo à conta %s, aqui pode adicionar, proteger e partilhar os seus dados.", "Your username is: %s" : "O seu utilizador é: %s", "Set your password" : "Escolher senha", "Go to %s" : "Ir para %s", @@ -81,6 +90,7 @@ "Update to %s" : "Actualizar para %s", "No apps found for your version" : "Nenhuma aplicação encontrada para a sua versão", "The app will be downloaded from the app store" : "A aplicação será descarregada da loja de aplicações", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "As apps oficiais são desenvolvidas de e para a comunidade. Oferecem um repositório central de funcionalidades e estão preparadas para uso em produção.", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "As aplicações aprovadas são desenvolvidas por developers de confiança e passaram numa verificação de segurança. São mantidas ativamente num repositório de código aberto e quem as mantém considera-as estáveis para uso casual a normal.", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Esta aplicação não foi verificada por problemas de segurança e é nova ou conhecida por ser instável. Instale-a por sua conta e risco.", "Disabling app …" : "A desactivar app...", @@ -89,13 +99,18 @@ "Enable" : "Ativar", "Enabling app …" : "A activar app...", "Error while enabling app" : "Ocorreu um erro enquanto ativava a app", + "Error: This app can not be enabled because it makes the server unstable" : "Erro: Esta app não pode ser activada porque torna o servidor instável.", + "Error: Could not disable broken app" : "Erro: Não pode desactivar uma app danificada.", "Error while disabling broken app" : "Erro ao desactivar app estragada", + "App up to date" : "App actualizada", "Upgrading …" : "A actualizar...", "Could not upgrade app" : "Não foi possível actualizar a app", "Updated" : "Atualizada", "Removing …" : "A remover...", "Could not remove app" : "Não foi possível remover a app", "Remove" : "Remover", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "A app foi activada mas necessita de uma actualização. Irá ser redireccionado para a página de actualização em 5 segundos.", + "App upgrade" : "Actualização de App", "Approved" : "Aprovado", "Experimental" : "Experimental", "No apps found for {query}" : "Não foram encontradas aplicações para {query}", @@ -105,7 +120,9 @@ "Revoke" : "Revogar", "iOS Client" : "Cliente iOS", "Android Client" : "Cliente Android", + "This session" : "Esta sessão", "Copy" : "Copiar", + "Copied!" : "Copiado!", "Not supported!" : "Não suportado!", "Press ⌘-C to copy." : "Pressione ⌘-C para copiar.", "Press Ctrl-C to copy." : "Pressione Ctrl-C para copiar.", @@ -122,7 +139,10 @@ "Contacts" : "Contactos", "Visible to local users and to trusted servers" : "Visível por utilizadores locais e servidores confiáveis", "Public" : "Público", + "Will be synced to a global and public address book" : "Será sincronizado com um livro de endereços público e global", + "Verify" : "Verificar", "Verifying …" : "A verificar...", + "An error occured while changing your language. Please reload the page and try again." : "Ocorreu um erro ao modificar a sua lingua. Por favor recarregue a página e tente novamente.", "Select a profile picture" : "Selecione uma fotografia de perfil", "Very weak password" : "Palavra-passe muito fraca", "Weak password" : "Palavra-passe fraca", @@ -135,25 +155,38 @@ "A valid group name must be provided" : "Deve ser indicado um nome de grupo válido", "deleted {groupName}" : "{groupName} apagado", "undo" : "Anular", + "{size} used" : "{size} utilizado", "never" : "nunca", "deleted {userName}" : "{userName} eliminado", "No user found for {pattern}" : "Nenhum utilizador encontrado para {pattern}", + "Unable to add user to group {group}" : "Impossível adicionar o utilizador ao grupo {group}", + "Unable to remove user from group {group}" : "Impossível remover o utilizador do grupo {group}", + "Add group" : "Adicionar grupo", + "Invalid quota value \"{val}\"" : "Valor de cota inválido \"{val}\"", + "no group" : "Nenhum grupo", "Password successfully changed" : "Senha modificada com sucesso", "Changing the password will result in data loss, because data recovery is not available for this user" : "A alteração da palavra-passe resultará na perda de dados, porque a recuperação de dados não está disponível para este utilizador", + "Could not change the users email" : "Não foi possível modificar o email do utilizador", + "Error while changing status of {user}" : "Erro ao modificar o estado de {user}", "A valid username must be provided" : "Deve ser indicado um nome de utilizador válido", "Error creating user: {message}" : "Erro ao criar utilizador: {message}", "A valid password must be provided" : "Deve ser indicada uma palavra-passe válida", "A valid email must be provided" : "Deve ser fornecido um email válido", "Developer documentation" : "Documentação de Programador", + "View in store" : "Ver na loja", + "Limit to groups" : "Limitado a grupos", "by %s" : "por %s", "%s-licensed" : "%s-autorizado", "Documentation:" : "Documentação:", "User documentation" : "Documentação de Utilizador", "Admin documentation" : "Documentação do Administrador", + "Visit website" : "Visitar o website", "Report a bug" : "Reportar um erro", "Show description …" : "Mostrar descrição ...", "Hide description …" : "Esconder descrição ...", "This app has an update available." : "Esta aplicação tem uma atualização disponível.", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Esta app não tem a versão mínima do Nextcloud atribuída. Isto será um erro no futuro.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Esta app não tem a versão máxima do Nextcloud atribuída. Isto será um erro no futuro.", "This app cannot be installed because the following dependencies are not fulfilled:" : "Esta aplicação não pode ser instalada porque as seguintes dependências não podem ser realizadas:", "Enable only for specific groups" : "Activar só para grupos específicos", "SSL Root Certificates" : "Certificados SSL Root", @@ -175,6 +208,7 @@ "STARTTLS" : "STARTTLS", "Email server" : "Servidor de Correio Eletrónico", "Open documentation" : "Abrir documentação", + "It is important to set up this server to be able to send emails, like for password reset and notifications." : "É importante configurar este servidor para ser possível enviar emails, possibilitando enviar notificações bem como possibilitar a recuperação de senhas.", "Send mode" : "Modo de Envio", "Encryption" : "Encriptação", "From address" : "Do endereço", @@ -190,9 +224,11 @@ "Test email settings" : "Testar definições de e-mail", "Send email" : "Enviar email", "Server-side encryption" : "Atualizar App", + "Server-side encryption makes it possible to encrypt files which are uploaded to this server. This comes with limitations like a performance penalty, so enable this only if needed." : "A cifra do lado do servidor possibilita cifrar os ficheiros que serão enviados para este servidor. Isto implica um impacto no desempenho e só deverá ser activo quando necessário.", "Enable server-side encryption" : "Ativar encriptação do lado do servidor", "Please read carefully before activating server-side encryption: " : "Por favor, leia cuidadosamente antes de ativar a encriptação do lado do servidor:", "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Uma vez ativada a encriptação, todos os ficheiros carregados para o servidor a partir deste ponto serão encriptados pelo servidor. Só será possível desativar a encriptação numa data mais tarde se o módulo de encriptação ativo suportar essa função, assim como todas as pré-condições (e.g. definir chave de recuperação) sejam cumpridas.", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "A cifra por si só não garante a segurança do sistema. Por favor consulte a documentação para mais detalhes sobre a aplicação de cifra e os casos de uso suportados.", "Be aware that encryption always increases the file size." : "Tenha em conta que a encriptação aumenta sempre o tamanho do ficheiro.", "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "É sempre bom criar cópias de segurança regulares dos seus dados, em caso de encriptação tenha a certeza de que faz cópia das chaves de encriptação em conjunto com os seus dados.", "This is the final warning: Do you really want to enable encryption?" : "Este é o aviso final: quer mesmo ativar a encriptação?", @@ -213,6 +249,7 @@ "Allow apps to use the Share API" : "Permitir que os utilizadores usem a API de partilha", "Allow users to share via link" : "Permitir que os utilizadores partilhem através do link", "Allow public uploads" : "Permitir Envios Públicos", + "Always ask for a password" : "Pedir sempre a senha", "Enforce password protection" : "Forçar proteção por palavra-passe", "Set default expiration date" : "Especificar a data padrão de expiração", "Expire after " : "Expira após", @@ -225,7 +262,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Estes grupos poderão receber partilhas, mas não poderão iniciá-las.", "Tips & tricks" : "Dicas e truques", "How to do backups" : "Como fazer cópias de segurança", - "Advanced monitoring" : "Monitorização avançada", "Performance tuning" : "Ajuste de desempenho", "Improving the config.php" : "Melhorar o config.php", "Theming" : "Temas", @@ -246,10 +282,12 @@ "Email" : "Email", "Your email address" : "O seu endereço de email", "No email address set" : "Nenhum endereço de email estabelecido", + "For password reset and notifications" : "Para recuperação de senhas e notificações", "Phone number" : "Número de telefone", "Your phone number" : "O seu número de telefone", "Address" : "Morada", "Your postal address" : "A sua morada", + "It can take up to 24 hours before the account is displayed as verified." : "Pode levar até 24 horas para que a conta seja mostrada como verificada.", "You are member of the following groups:" : "Você é membro dos seguintes grupos:", "Language" : "Idioma", "Help translate" : "Ajude a traduzir", @@ -257,12 +295,16 @@ "Current password" : "Palavra-passe atual", "New password" : "Nova palavra-passe", "Change password" : "Alterar palavra-passe", + "Web, desktop and mobile clients currently logged in to your account." : "Clientes web, desktop e clientes móveis estão actualmente autenticados na sua conta.", "Device" : "Dispositivo", "Last activity" : "Última atividade", "App name" : "Nome da App", "Create new app password" : "Criar nova senha", + "Use the credentials below to configure your app or device." : "Use as credenciais abaixo para configurar a sua app ou dispositivo.", + "For security reasons this password will only be shown once." : "Por motivos de segurança a sua password só será mostrada uma vez.", "Username" : "Nome de utilizador", "Done" : "Concluído", + "Settings" : "Definições", "Show storage location" : "Mostrar a localização do armazenamento", "Show user backend" : "Mostrar interface do utilizador", "Show email address" : "Mostrar endereço de email", @@ -273,14 +315,26 @@ "Enter the recovery password in order to recover the users files during password change" : "Digite a senha de recuperação, a fim de recuperar os ficheiros dos utilizadores durante a mudança da palavra-passe", "Everyone" : "Para todos", "Admins" : "Administrador", + "Disabled" : "Desactivado", "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Insira a quota de armazenamento (ex: \"512 MB\" ou \"12 GB\")", "Unlimited" : "Ilimitado", "Other" : "Outro", + "Group admin for" : "Administrador de grupo para", "Quota" : "Quota", "Last login" : "Último início de sessão", "change full name" : "alterar nome completo", "set new password" : "definir nova palavra-passe", "change email address" : "alterar endereço do correio eletrónico", - "Default" : "Padrão" + "Default" : "Padrão", + "Updating...." : "A actualizar...", + "Error while updating app" : "Erro ao actualizar a app", + "Error while removing app" : "Erro ao remover a app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "A app foi activada mas necessita ser actualizada. Irá ser redireccionado para a página de actualização em 5 segundos.", + "App update" : "Actualização de app", + "Verifying" : "A verificar", + "Personal info" : "Informação pessoal", + "Sync clients" : "Sincronizar clientes", + "Desktop client" : "Cliente desktop", + "Group name" : "Nome do grupo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/ro.js b/settings/l10n/ro.js index c42f385a91865..35b31ce2dfae7 100644 --- a/settings/l10n/ro.js +++ b/settings/l10n/ro.js @@ -176,7 +176,6 @@ OC.L10N.register( "Exclude groups from sharing" : "Exclude grupuri de la partajare", "Tips & tricks" : "Tips & tricks", "How to do backups" : "Cum să faci copii de rezervă", - "Advanced monitoring" : "Monitorizare avansată", "Profile picture" : "Imagine de profil", "Upload new" : "Încarcă una nouă", "Select from Files" : "Selectează din fișiere", diff --git a/settings/l10n/ro.json b/settings/l10n/ro.json index f1264de10af1c..47bb572f694ec 100644 --- a/settings/l10n/ro.json +++ b/settings/l10n/ro.json @@ -174,7 +174,6 @@ "Exclude groups from sharing" : "Exclude grupuri de la partajare", "Tips & tricks" : "Tips & tricks", "How to do backups" : "Cum să faci copii de rezervă", - "Advanced monitoring" : "Monitorizare avansată", "Profile picture" : "Imagine de profil", "Upload new" : "Încarcă una nouă", "Select from Files" : "Selectează din fișiere", diff --git a/settings/l10n/ru.js b/settings/l10n/ru.js index 42d2a1b3b890b..8c63f5385e75c 100644 --- a/settings/l10n/ru.js +++ b/settings/l10n/ru.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Рекомендуется при синхронизации файлов с использованием клиента для ПК.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Для перехода на другую базу данных используйте команду: «occ db:convert-type» или обратитесь к документации ↗. ", "How to do backups" : "Как сделать резервные копии", - "Advanced monitoring" : "Расширенный мониторинг", "Performance tuning" : "Настройка производительности", "Improving the config.php" : "Улучшение config.php", "Theming" : "Темы оформления", diff --git a/settings/l10n/ru.json b/settings/l10n/ru.json index 05f7d3fe6a932..6399dbaacca60 100644 --- a/settings/l10n/ru.json +++ b/settings/l10n/ru.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Рекомендуется при синхронизации файлов с использованием клиента для ПК.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Для перехода на другую базу данных используйте команду: «occ db:convert-type» или обратитесь к документации ↗. ", "How to do backups" : "Как сделать резервные копии", - "Advanced monitoring" : "Расширенный мониторинг", "Performance tuning" : "Настройка производительности", "Improving the config.php" : "Улучшение config.php", "Theming" : "Темы оформления", diff --git a/settings/l10n/sk.js b/settings/l10n/sk.js index be2c3a368b1fc..909d2ef322f13 100644 --- a/settings/l10n/sk.js +++ b/settings/l10n/sk.js @@ -283,7 +283,6 @@ OC.L10N.register( "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "Ako databáza je použitá SQLite. Pre veľké inštalácie odporúčame prejsť na inú databázu.", "This is particularly recommended when using the desktop client for file synchronisation." : "Toto odporúčame najmä pri používaní klientských aplikácií na synchronizáciu s desktopom.", "How to do backups" : "Ako vytvárať zálohy", - "Advanced monitoring" : "Pokročilé sledovanie", "Performance tuning" : "Ladenie výkonu", "Improving the config.php" : "Zlepšenie config.php", "Theming" : "Vzhľady tém", diff --git a/settings/l10n/sk.json b/settings/l10n/sk.json index 8e424f4794f36..25b902d9ac314 100644 --- a/settings/l10n/sk.json +++ b/settings/l10n/sk.json @@ -281,7 +281,6 @@ "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "Ako databáza je použitá SQLite. Pre veľké inštalácie odporúčame prejsť na inú databázu.", "This is particularly recommended when using the desktop client for file synchronisation." : "Toto odporúčame najmä pri používaní klientských aplikácií na synchronizáciu s desktopom.", "How to do backups" : "Ako vytvárať zálohy", - "Advanced monitoring" : "Pokročilé sledovanie", "Performance tuning" : "Ladenie výkonu", "Improving the config.php" : "Zlepšenie config.php", "Theming" : "Vzhľady tém", diff --git a/settings/l10n/sl.js b/settings/l10n/sl.js index b096351dcab43..b36667494cef5 100644 --- a/settings/l10n/sl.js +++ b/settings/l10n/sl.js @@ -151,7 +151,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Te skupine lahko sprejemajo mape v souporabo, ne morejo pa souporabe dovoliti", "Tips & tricks" : "Nasveti in triki", "How to do backups" : "Kako ustvariti varnostne kopije", - "Advanced monitoring" : "Napredno sledenje", "Performance tuning" : "Prilagajanje delovanja", "Improving the config.php" : "Izboljšave v config.php", "Theming" : "Teme", diff --git a/settings/l10n/sl.json b/settings/l10n/sl.json index a9c9a91a13f72..a69a09bd208ad 100644 --- a/settings/l10n/sl.json +++ b/settings/l10n/sl.json @@ -149,7 +149,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Te skupine lahko sprejemajo mape v souporabo, ne morejo pa souporabe dovoliti", "Tips & tricks" : "Nasveti in triki", "How to do backups" : "Kako ustvariti varnostne kopije", - "Advanced monitoring" : "Napredno sledenje", "Performance tuning" : "Prilagajanje delovanja", "Improving the config.php" : "Izboljšave v config.php", "Theming" : "Teme", diff --git a/settings/l10n/sq.js b/settings/l10n/sq.js index 4cbc235c2a54b..dbddf0f8538eb 100644 --- a/settings/l10n/sq.js +++ b/settings/l10n/sq.js @@ -289,7 +289,6 @@ OC.L10N.register( "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite po përdoret si bazë të dhënash e programit klient. Për instalime më të ngarkuara, këshillojmë të kalohet në një program tjetër klient baze të dhënash.", "This is particularly recommended when using the desktop client for file synchronisation." : "Kjo është veçanërisht e rekomanduar gjatë përdorimit të desktopit të klientit për sinkronizimin skedari. ", "How to do backups" : "Si të bëhen kopjeruajtje", - "Advanced monitoring" : "Mbikëqyrje e mëtejshme", "Performance tuning" : "Përimtime performance", "Improving the config.php" : "Si të përmirësohet config.php", "Theming" : "Ndryshim teme grafike", diff --git a/settings/l10n/sq.json b/settings/l10n/sq.json index 6b877baa9ab4e..375bb83c5cfb0 100644 --- a/settings/l10n/sq.json +++ b/settings/l10n/sq.json @@ -287,7 +287,6 @@ "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite po përdoret si bazë të dhënash e programit klient. Për instalime më të ngarkuara, këshillojmë të kalohet në një program tjetër klient baze të dhënash.", "This is particularly recommended when using the desktop client for file synchronisation." : "Kjo është veçanërisht e rekomanduar gjatë përdorimit të desktopit të klientit për sinkronizimin skedari. ", "How to do backups" : "Si të bëhen kopjeruajtje", - "Advanced monitoring" : "Mbikëqyrje e mëtejshme", "Performance tuning" : "Përimtime performance", "Improving the config.php" : "Si të përmirësohet config.php", "Theming" : "Ndryshim teme grafike", diff --git a/settings/l10n/sr.js b/settings/l10n/sr.js index 3cf951ecda3b0..a421aa2fbe8d4 100644 --- a/settings/l10n/sr.js +++ b/settings/l10n/sr.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Ово се нарочито порепоручује ако се користи клијент програм у графичком окружењу за синхронизацију.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "За пресељење на другу базу података, користите алат командне линије: 'occ db:convert-type', или погледајте документацију ↗.", "How to do backups" : "Како правити резерве", - "Advanced monitoring" : "Напредно праћење", "Performance tuning" : "Побољшање перформанси", "Improving the config.php" : "Побољшање фајла поставки", "Theming" : "Теме", diff --git a/settings/l10n/sr.json b/settings/l10n/sr.json index e0afffd9f068a..fdd281b7f1cd3 100644 --- a/settings/l10n/sr.json +++ b/settings/l10n/sr.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Ово се нарочито порепоручује ако се користи клијент програм у графичком окружењу за синхронизацију.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "За пресељење на другу базу података, користите алат командне линије: 'occ db:convert-type', или погледајте документацију ↗.", "How to do backups" : "Како правити резерве", - "Advanced monitoring" : "Напредно праћење", "Performance tuning" : "Побољшање перформанси", "Improving the config.php" : "Побољшање фајла поставки", "Theming" : "Теме", diff --git a/settings/l10n/sv.js b/settings/l10n/sv.js index 3ac2dff57c6b4..0f46d4eeb79b9 100644 --- a/settings/l10n/sv.js +++ b/settings/l10n/sv.js @@ -292,7 +292,6 @@ OC.L10N.register( "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite används som databas. För större installationer så rekommenderar vi ett byte till en annan databasbackend.", "This is particularly recommended when using the desktop client for file synchronisation." : "Detta rekommenderas speciellt när skrivbordsklienten används för att synkronisera filer.", "How to do backups" : "Hur man skapar säkerhetskopior", - "Advanced monitoring" : "Avancerad bevakning", "Performance tuning" : "Prestandainställningar", "Improving the config.php" : "Förbättra config.php", "Theming" : "Teman", diff --git a/settings/l10n/sv.json b/settings/l10n/sv.json index c4a028b0ac190..97b30f2224c1a 100644 --- a/settings/l10n/sv.json +++ b/settings/l10n/sv.json @@ -290,7 +290,6 @@ "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite används som databas. För större installationer så rekommenderar vi ett byte till en annan databasbackend.", "This is particularly recommended when using the desktop client for file synchronisation." : "Detta rekommenderas speciellt när skrivbordsklienten används för att synkronisera filer.", "How to do backups" : "Hur man skapar säkerhetskopior", - "Advanced monitoring" : "Avancerad bevakning", "Performance tuning" : "Prestandainställningar", "Improving the config.php" : "Förbättra config.php", "Theming" : "Teman", diff --git a/settings/l10n/th.js b/settings/l10n/th.js index 0e8f3b49dde71..33a47b3336c4c 100644 --- a/settings/l10n/th.js +++ b/settings/l10n/th.js @@ -148,7 +148,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "กลุ่มนี้จะยังคงสามารถได้รับการแชร์ แต่พวกเขาจะไม่รู้จักมัน", "Tips & tricks" : "เคล็ดลับและเทคนิค", "How to do backups" : "วิธีการสำรองข้อมูล", - "Advanced monitoring" : "การตรวจสอบขั้นสูง", "Performance tuning" : "การปรับแต่งประสิทธิภาพ", "Improving the config.php" : "ปรับปรุงไฟล์ config.php", "Theming" : "ชุดรูปแบบ", diff --git a/settings/l10n/th.json b/settings/l10n/th.json index c364abc298fad..89f3966b1adb4 100644 --- a/settings/l10n/th.json +++ b/settings/l10n/th.json @@ -146,7 +146,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "กลุ่มนี้จะยังคงสามารถได้รับการแชร์ แต่พวกเขาจะไม่รู้จักมัน", "Tips & tricks" : "เคล็ดลับและเทคนิค", "How to do backups" : "วิธีการสำรองข้อมูล", - "Advanced monitoring" : "การตรวจสอบขั้นสูง", "Performance tuning" : "การปรับแต่งประสิทธิภาพ", "Improving the config.php" : "ปรับปรุงไฟล์ config.php", "Theming" : "ชุดรูปแบบ", diff --git a/settings/l10n/tr.js b/settings/l10n/tr.js index 84acf070917a9..07a62eec864b6 100644 --- a/settings/l10n/tr.js +++ b/settings/l10n/tr.js @@ -303,7 +303,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "Özellikle dosya eşitleme için masaüstü istemcisi kullanılırken SQLite kullanımı önerilmez.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Başka bir veritabanına geçmek için komut satırı aracını kullanın: 'occ db:convert-type' ya da belgelere ↗ bakın.", "How to do backups" : "Nasıl yedek alınır", - "Advanced monitoring" : "Gelişmiş izleme", "Performance tuning" : "Başarım ayarlama", "Improving the config.php" : "config.php iyileştirme", "Theming" : "Tema uygulama", diff --git a/settings/l10n/tr.json b/settings/l10n/tr.json index 6372882bdebb8..5e5d9364381e9 100644 --- a/settings/l10n/tr.json +++ b/settings/l10n/tr.json @@ -301,7 +301,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "Özellikle dosya eşitleme için masaüstü istemcisi kullanılırken SQLite kullanımı önerilmez.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Başka bir veritabanına geçmek için komut satırı aracını kullanın: 'occ db:convert-type' ya da belgelere ↗ bakın.", "How to do backups" : "Nasıl yedek alınır", - "Advanced monitoring" : "Gelişmiş izleme", "Performance tuning" : "Başarım ayarlama", "Improving the config.php" : "config.php iyileştirme", "Theming" : "Tema uygulama", diff --git a/settings/l10n/uk.js b/settings/l10n/uk.js index 061dac1721abe..4e6e3d9e013a1 100644 --- a/settings/l10n/uk.js +++ b/settings/l10n/uk.js @@ -136,7 +136,6 @@ OC.L10N.register( "These groups will still be able to receive shares, but not to initiate them." : "Ці групи зможуть отримувати спільні файли, але не зможуть відправляти їх.", "Tips & tricks" : "Поради і трюки", "How to do backups" : "Як робити резервне копіювання", - "Advanced monitoring" : "Розширений моніторинг", "Performance tuning" : "Налаштування продуктивності", "Improving the config.php" : "Покращення config.php", "Theming" : "Оформлення", diff --git a/settings/l10n/uk.json b/settings/l10n/uk.json index 60100fd75dc78..c6e0f7790b02b 100644 --- a/settings/l10n/uk.json +++ b/settings/l10n/uk.json @@ -134,7 +134,6 @@ "These groups will still be able to receive shares, but not to initiate them." : "Ці групи зможуть отримувати спільні файли, але не зможуть відправляти їх.", "Tips & tricks" : "Поради і трюки", "How to do backups" : "Як робити резервне копіювання", - "Advanced monitoring" : "Розширений моніторинг", "Performance tuning" : "Налаштування продуктивності", "Improving the config.php" : "Покращення config.php", "Theming" : "Оформлення", diff --git a/settings/l10n/zh_CN.js b/settings/l10n/zh_CN.js index 3591b6a60a319..436a5bc756a6f 100644 --- a/settings/l10n/zh_CN.js +++ b/settings/l10n/zh_CN.js @@ -299,7 +299,6 @@ OC.L10N.register( "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite 当前被用作数据库. 对于较大数据量的安装和使用, 我们建议您切换到不同的数据库后端.", "This is particularly recommended when using the desktop client for file synchronisation." : "当时用桌面客户端同步文件时特别推荐.", "How to do backups" : "如何备份", - "Advanced monitoring" : "高级监控", "Performance tuning" : "性能优化", "Improving the config.php" : "优化 config.php", "Theming" : "主题", diff --git a/settings/l10n/zh_CN.json b/settings/l10n/zh_CN.json index 2e983129d6002..8537d8bc46c4b 100644 --- a/settings/l10n/zh_CN.json +++ b/settings/l10n/zh_CN.json @@ -297,7 +297,6 @@ "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite 当前被用作数据库. 对于较大数据量的安装和使用, 我们建议您切换到不同的数据库后端.", "This is particularly recommended when using the desktop client for file synchronisation." : "当时用桌面客户端同步文件时特别推荐.", "How to do backups" : "如何备份", - "Advanced monitoring" : "高级监控", "Performance tuning" : "性能优化", "Improving the config.php" : "优化 config.php", "Theming" : "主题", diff --git a/settings/l10n/zh_TW.js b/settings/l10n/zh_TW.js index bf72edced439c..734b6e3b16aae 100644 --- a/settings/l10n/zh_TW.js +++ b/settings/l10n/zh_TW.js @@ -281,7 +281,6 @@ OC.L10N.register( "This is particularly recommended when using the desktop client for file synchronisation." : "若您使用桌面客戶端來同步,尤其建議您更換", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "若要遷移至另一個資料庫,請使用命令列工具: 'occ db:convert-type' ,或是查閱說明文件。", "How to do backups" : "如何備份", - "Advanced monitoring" : "進階監控", "Performance tuning" : "效能調校", "Improving the config.php" : "改進 config.php", "Theming" : "佈景主題", diff --git a/settings/l10n/zh_TW.json b/settings/l10n/zh_TW.json index f380d852606fa..60d2f0c17955c 100644 --- a/settings/l10n/zh_TW.json +++ b/settings/l10n/zh_TW.json @@ -279,7 +279,6 @@ "This is particularly recommended when using the desktop client for file synchronisation." : "若您使用桌面客戶端來同步,尤其建議您更換", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "若要遷移至另一個資料庫,請使用命令列工具: 'occ db:convert-type' ,或是查閱說明文件。", "How to do backups" : "如何備份", - "Advanced monitoring" : "進階監控", "Performance tuning" : "效能調校", "Improving the config.php" : "改進 config.php", "Theming" : "佈景主題", From 9bc0de9ab6547233c954a12d2358207c502a7945 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Fri, 9 Feb 2018 09:42:57 +0100 Subject: [PATCH 083/251] Update CRL to revoke files_rightclick See https://github.com/nextcloud/app-certificate-requests/pull/134 Signed-off-by: Morris Jobke --- resources/codesigning/root.crl | 19 ++++++++++--------- 1 file changed, 10 insertions(+), 9 deletions(-) diff --git a/resources/codesigning/root.crl b/resources/codesigning/root.crl index a3eb4b79f3f69..d403a77a9172a 100644 --- a/resources/codesigning/root.crl +++ b/resources/codesigning/root.crl @@ -1,15 +1,16 @@ -----BEGIN X509 CRL----- -MIICYjCCAUoCAQEwDQYJKoZIhvcNAQELBQAwezELMAkGA1UEBhMCREUxGzAZBgNV +MIICdzCCAV8CAQEwDQYJKoZIhvcNAQELBQAwezELMAkGA1UEBhMCREUxGzAZBgNV BAgMEkJhZGVuLVd1ZXJ0dGVtYmVyZzEXMBUGA1UECgwOTmV4dGNsb3VkIEdtYkgx NjA0BgNVBAMMLU5leHRjbG91ZCBDb2RlIFNpZ25pbmcgSW50ZXJtZWRpYXRlIEF1 -dGhvcml0eRcNMTgwMjAyMTA1NTM3WhcNMjcxMjEyMTA1NTM3WjBpMBMCAhAQFw0x +dGhvcml0eRcNMTgwMjA5MDgzOTA3WhcNMjcxMjE5MDgzOTA3WjB+MBMCAhAQFw0x NjEwMTcxMjA5MTlaMBMCAhAWFw0xNzExMjMxNzM1MjlaMBMCAhAXFw0xNzAyMjAx MDAyMzhaMBMCAhAcFw0xODAyMDIxMDUyMzlaMBMCAhB0Fw0xNzExMjMxNjU0NTla -oDAwLjAfBgNVHSMEGDAWgBRt6m6qqTcsPIktFz79Ru7DnnjtdDALBgNVHRQEBAIC -EAcwDQYJKoZIhvcNAQELBQADggEBAFPq1MW4qSh2HCiXxcAjyeWnA0Kvq28Gl0U0 -sr9Gz3VHTMiuysA3ooFT8ez2AdYaqisw+wCLv4Mo00ETV41stFS95Z/15R/1Hn+L -ASoh4xiTpw887rZ1JvrTifmJrsALSVvLEeQLR8Toqno2FhhlhENEMwqXJDI4yCB3 -Au7d97leqtyTnpyFYfzmWJTVUuxZvnwTZUk3E/rQxN/0IpOM53mkn7M4eQ5/Bw7Q -fsSD9Jyu/gPJkzwqSKAO5r7i6d5LFEPUc6lH+PU1UPU1/RaWKdKUIbkQx922+rVx -Ath3iRG2eOWkpDoLRnrjvBdsZj5EHulOxMehNzguLcYxsT7zA2Q= +MBMCAhCQFw0xODAyMDkwODM4NThaoDAwLjAfBgNVHSMEGDAWgBRt6m6qqTcsPIkt +Fz79Ru7DnnjtdDALBgNVHRQEBAICEAgwDQYJKoZIhvcNAQELBQADggEBACx+xGbV +V0ntOrnfb2NVF8rtx8VHe66DHvk0Zyq7ETVkXhoESlWi9TgMkQzNuogbYVCVi/0X +qTpNqmy+dmwAPEiBn9RnLP8HTh81NNEfh19Dvgeam0BBx+R1w32jEEBezUWtYrmK +NYxr2yKlIGC6zoUyjNxbdmdzs66ihQRnZIa5aMv2AgcowA1X73wiGwdukrZetE4a +qg01GozDpz47BlWdTG7utY5ad21yk90Dk1r7V97fFwcXvg4iumcybXnJ92FfJxtj ++pphI94kTbhCgbyrdwnDxsKrhCQQCa7Ai48Nvi6CrNUfoXZrxrtFIS6ychA103Ag +lKpuOwy1frKYYrc= -----END X509 CRL----- From 9c9c438c8b72162def65b31faf529a7605b1b533 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Fri, 9 Feb 2018 15:29:20 +0000 Subject: [PATCH 084/251] [tx-robot] updated from transifex --- apps/encryption/l10n/ca.js | 2 +- apps/encryption/l10n/ca.json | 2 +- apps/encryption/l10n/cs.js | 2 +- apps/encryption/l10n/cs.json | 2 +- apps/encryption/l10n/da.js | 2 +- apps/encryption/l10n/da.json | 2 +- apps/encryption/l10n/de.js | 2 +- apps/encryption/l10n/de.json | 2 +- apps/encryption/l10n/de_DE.js | 2 +- apps/encryption/l10n/de_DE.json | 2 +- apps/encryption/l10n/el.js | 2 +- apps/encryption/l10n/el.json | 2 +- apps/encryption/l10n/en_GB.js | 2 +- apps/encryption/l10n/en_GB.json | 2 +- apps/encryption/l10n/es.js | 2 +- apps/encryption/l10n/es.json | 2 +- apps/encryption/l10n/es_419.js | 2 +- apps/encryption/l10n/es_419.json | 2 +- apps/encryption/l10n/es_AR.js | 2 +- apps/encryption/l10n/es_AR.json | 2 +- apps/encryption/l10n/es_CL.js | 2 +- apps/encryption/l10n/es_CL.json | 2 +- apps/encryption/l10n/es_CO.js | 2 +- apps/encryption/l10n/es_CO.json | 2 +- apps/encryption/l10n/es_CR.js | 2 +- apps/encryption/l10n/es_CR.json | 2 +- apps/encryption/l10n/es_DO.js | 2 +- apps/encryption/l10n/es_DO.json | 2 +- apps/encryption/l10n/es_EC.js | 2 +- apps/encryption/l10n/es_EC.json | 2 +- apps/encryption/l10n/es_GT.js | 2 +- apps/encryption/l10n/es_GT.json | 2 +- apps/encryption/l10n/es_HN.js | 2 +- apps/encryption/l10n/es_HN.json | 2 +- apps/encryption/l10n/es_MX.js | 2 +- apps/encryption/l10n/es_MX.json | 2 +- apps/encryption/l10n/es_NI.js | 2 +- apps/encryption/l10n/es_NI.json | 2 +- apps/encryption/l10n/es_PA.js | 2 +- apps/encryption/l10n/es_PA.json | 2 +- apps/encryption/l10n/es_PE.js | 2 +- apps/encryption/l10n/es_PE.json | 2 +- apps/encryption/l10n/es_PR.js | 2 +- apps/encryption/l10n/es_PR.json | 2 +- apps/encryption/l10n/es_PY.js | 2 +- apps/encryption/l10n/es_PY.json | 2 +- apps/encryption/l10n/es_SV.js | 2 +- apps/encryption/l10n/es_SV.json | 2 +- apps/encryption/l10n/es_UY.js | 2 +- apps/encryption/l10n/es_UY.json | 2 +- apps/encryption/l10n/eu.js | 2 +- apps/encryption/l10n/eu.json | 2 +- apps/encryption/l10n/fi.js | 2 +- apps/encryption/l10n/fi.json | 2 +- apps/encryption/l10n/fr.js | 2 +- apps/encryption/l10n/fr.json | 2 +- apps/encryption/l10n/hu.js | 2 +- apps/encryption/l10n/hu.json | 2 +- apps/encryption/l10n/id.js | 2 +- apps/encryption/l10n/id.json | 2 +- apps/encryption/l10n/is.js | 2 +- apps/encryption/l10n/is.json | 2 +- apps/encryption/l10n/it.js | 2 +- apps/encryption/l10n/it.json | 2 +- apps/encryption/l10n/ja.js | 2 +- apps/encryption/l10n/ja.json | 2 +- apps/encryption/l10n/ka_GE.js | 2 +- apps/encryption/l10n/ka_GE.json | 2 +- apps/encryption/l10n/ko.js | 2 +- apps/encryption/l10n/ko.json | 2 +- apps/encryption/l10n/lt_LT.js | 2 +- apps/encryption/l10n/lt_LT.json | 2 +- apps/encryption/l10n/nb.js | 2 +- apps/encryption/l10n/nb.json | 2 +- apps/encryption/l10n/nl.js | 2 +- apps/encryption/l10n/nl.json | 2 +- apps/encryption/l10n/pl.js | 2 +- apps/encryption/l10n/pl.json | 2 +- apps/encryption/l10n/pt_BR.js | 2 +- apps/encryption/l10n/pt_BR.json | 2 +- apps/encryption/l10n/ru.js | 2 +- apps/encryption/l10n/ru.json | 2 +- apps/encryption/l10n/sk.js | 2 +- apps/encryption/l10n/sk.json | 2 +- apps/encryption/l10n/sq.js | 2 +- apps/encryption/l10n/sq.json | 2 +- apps/encryption/l10n/sr.js | 2 +- apps/encryption/l10n/sr.json | 2 +- apps/encryption/l10n/sv.js | 2 +- apps/encryption/l10n/sv.json | 2 +- apps/encryption/l10n/tr.js | 2 +- apps/encryption/l10n/tr.json | 2 +- apps/encryption/l10n/zh_CN.js | 2 +- apps/encryption/l10n/zh_CN.json | 2 +- apps/encryption/l10n/zh_TW.js | 2 +- apps/encryption/l10n/zh_TW.json | 2 +- apps/files/l10n/nb.js | 3 +- apps/files/l10n/nb.json | 3 +- apps/files_external/l10n/nb.js | 4 +- apps/files_external/l10n/nb.json | 4 +- apps/files_sharing/l10n/pt_PT.js | 2 +- apps/files_sharing/l10n/pt_PT.json | 2 +- core/l10n/ca.js | 2 +- core/l10n/ca.json | 2 +- lib/l10n/ar.js | 70 +++++++ lib/l10n/ar.json | 68 +++++++ lib/l10n/ast.js | 176 ++++++++++++++++ lib/l10n/ast.json | 174 ++++++++++++++++ lib/l10n/az.js | 32 +++ lib/l10n/az.json | 30 +++ lib/l10n/bg.js | 149 ++++++++++++++ lib/l10n/bg.json | 147 ++++++++++++++ lib/l10n/bn_BD.js | 26 +++ lib/l10n/bn_BD.json | 24 +++ lib/l10n/bs.js | 16 ++ lib/l10n/bs.json | 14 ++ lib/l10n/ca.js | 149 ++++++++++++++ lib/l10n/ca.json | 147 ++++++++++++++ lib/l10n/cy_GB.js | 23 +++ lib/l10n/cy_GB.json | 21 ++ lib/l10n/da.js | 111 ++++++++++ lib/l10n/da.json | 109 ++++++++++ lib/l10n/eo.js | 72 +++++++ lib/l10n/eo.json | 70 +++++++ lib/l10n/eu.js | 154 ++++++++++++++ lib/l10n/eu.json | 152 ++++++++++++++ lib/l10n/fa.js | 58 ++++++ lib/l10n/fa.json | 56 ++++++ lib/l10n/gl.js | 7 + lib/l10n/gl.json | 5 + lib/l10n/he.js | 171 ++++++++++++++++ lib/l10n/he.json | 169 ++++++++++++++++ lib/l10n/hr.js | 82 ++++++++ lib/l10n/hr.json | 80 ++++++++ lib/l10n/hy.js | 9 + lib/l10n/hy.json | 7 + lib/l10n/id.js | 130 ++++++++++++ lib/l10n/id.json | 128 ++++++++++++ lib/l10n/km.js | 31 +++ lib/l10n/km.json | 29 +++ lib/l10n/kn.js | 13 ++ lib/l10n/kn.json | 11 + lib/l10n/lb.js | 29 +++ lib/l10n/lb.json | 27 +++ lib/l10n/lv.js | 129 ++++++++++++ lib/l10n/lv.json | 127 ++++++++++++ lib/l10n/mk.js | 32 +++ lib/l10n/mk.json | 30 +++ lib/l10n/mn.js | 20 ++ lib/l10n/mn.json | 18 ++ lib/l10n/ms_MY.js | 9 + lib/l10n/ms_MY.json | 7 + lib/l10n/nn_NO.js | 19 ++ lib/l10n/nn_NO.json | 17 ++ lib/l10n/pt_PT.js | 129 ++++++++++++ lib/l10n/pt_PT.json | 127 ++++++++++++ lib/l10n/ro.js | 144 +++++++++++++ lib/l10n/ro.json | 142 +++++++++++++ lib/l10n/si_LK.js | 16 ++ lib/l10n/si_LK.json | 14 ++ lib/l10n/sl.js | 135 +++++++++++++ lib/l10n/sl.json | 133 ++++++++++++ lib/l10n/ta_LK.js | 17 ++ lib/l10n/ta_LK.json | 15 ++ lib/l10n/th.js | 119 +++++++++++ lib/l10n/th.json | 117 +++++++++++ lib/l10n/ug.js | 13 ++ lib/l10n/ug.json | 11 + lib/l10n/uk.js | 118 +++++++++++ lib/l10n/uk.json | 116 +++++++++++ lib/l10n/ur_PK.js | 15 ++ lib/l10n/ur_PK.json | 13 ++ lib/l10n/vi.js | 25 +++ lib/l10n/vi.json | 23 +++ lib/l10n/zh_HK.js | 16 ++ lib/l10n/zh_HK.json | 14 ++ settings/l10n/af.js | 85 -------- settings/l10n/af.json | 83 -------- settings/l10n/ar.js | 84 -------- settings/l10n/ar.json | 82 -------- settings/l10n/az.js | 146 -------------- settings/l10n/az.json | 144 ------------- settings/l10n/bg.js | 199 ------------------ settings/l10n/bg.json | 197 ------------------ settings/l10n/bn_BD.js | 62 ------ settings/l10n/bn_BD.json | 60 ------ settings/l10n/bs.js | 129 ------------ settings/l10n/bs.json | 127 ------------ settings/l10n/ca.js | 1 + settings/l10n/ca.json | 1 + settings/l10n/cy_GB.js | 20 -- settings/l10n/cy_GB.json | 18 -- settings/l10n/da.js | 313 ----------------------------- settings/l10n/da.json | 311 ---------------------------- settings/l10n/eo.js | 105 ---------- settings/l10n/eo.json | 103 ---------- settings/l10n/et_EE.js | 289 -------------------------- settings/l10n/et_EE.json | 287 -------------------------- settings/l10n/fa.js | 160 --------------- settings/l10n/fa.json | 158 --------------- settings/l10n/he.js | 206 ------------------- settings/l10n/he.json | 204 ------------------- settings/l10n/hr.js | 109 ---------- settings/l10n/hr.json | 107 ---------- settings/l10n/hy.js | 26 --- settings/l10n/hy.json | 24 --- settings/l10n/ia.js | 218 -------------------- settings/l10n/ia.json | 216 -------------------- settings/l10n/id.js | 256 ----------------------- settings/l10n/id.json | 254 ----------------------- settings/l10n/km.js | 61 ------ settings/l10n/km.json | 59 ------ settings/l10n/kn.js | 94 --------- settings/l10n/kn.json | 92 --------- settings/l10n/lb.js | 44 ---- settings/l10n/lb.json | 42 ---- settings/l10n/lt_LT.js | 200 ------------------ settings/l10n/lt_LT.json | 198 ------------------ settings/l10n/lv.js | 244 ---------------------- settings/l10n/lv.json | 242 ---------------------- settings/l10n/mk.js | 139 ------------- settings/l10n/mk.json | 137 ------------- settings/l10n/mn.js | 99 --------- settings/l10n/mn.json | 97 --------- settings/l10n/ms_MY.js | 28 --- settings/l10n/ms_MY.json | 26 --- settings/l10n/nb.js | 6 +- settings/l10n/nb.json | 6 +- settings/l10n/nn_NO.js | 62 ------ settings/l10n/nn_NO.json | 60 ------ settings/l10n/ro.js | 221 -------------------- settings/l10n/ro.json | 219 -------------------- settings/l10n/si_LK.js | 34 ---- settings/l10n/si_LK.json | 32 --- settings/l10n/sl.js | 202 ------------------- settings/l10n/sl.json | 200 ------------------ settings/l10n/ta_LK.js | 33 --- settings/l10n/ta_LK.json | 31 --- settings/l10n/th.js | 197 ------------------ settings/l10n/th.json | 195 ------------------ settings/l10n/ug.js | 41 ---- settings/l10n/ug.json | 39 ---- settings/l10n/uk.js | 185 ----------------- settings/l10n/uk.json | 183 ----------------- settings/l10n/ur_PK.js | 17 -- settings/l10n/ur_PK.json | 15 -- settings/l10n/vi.js | 52 ----- settings/l10n/vi.json | 50 ----- settings/l10n/zh_HK.js | 41 ---- settings/l10n/zh_HK.json | 39 ---- 250 files changed, 4978 insertions(+), 8838 deletions(-) create mode 100644 lib/l10n/ar.js create mode 100644 lib/l10n/ar.json create mode 100644 lib/l10n/ast.js create mode 100644 lib/l10n/ast.json create mode 100644 lib/l10n/az.js create mode 100644 lib/l10n/az.json create mode 100644 lib/l10n/bg.js create mode 100644 lib/l10n/bg.json create mode 100644 lib/l10n/bn_BD.js create mode 100644 lib/l10n/bn_BD.json create mode 100644 lib/l10n/bs.js create mode 100644 lib/l10n/bs.json create mode 100644 lib/l10n/ca.js create mode 100644 lib/l10n/ca.json create mode 100644 lib/l10n/cy_GB.js create mode 100644 lib/l10n/cy_GB.json create mode 100644 lib/l10n/da.js create mode 100644 lib/l10n/da.json create mode 100644 lib/l10n/eo.js create mode 100644 lib/l10n/eo.json create mode 100644 lib/l10n/eu.js create mode 100644 lib/l10n/eu.json create mode 100644 lib/l10n/fa.js create mode 100644 lib/l10n/fa.json create mode 100644 lib/l10n/gl.js create mode 100644 lib/l10n/gl.json create mode 100644 lib/l10n/he.js create mode 100644 lib/l10n/he.json create mode 100644 lib/l10n/hr.js create mode 100644 lib/l10n/hr.json create mode 100644 lib/l10n/hy.js create mode 100644 lib/l10n/hy.json create mode 100644 lib/l10n/id.js create mode 100644 lib/l10n/id.json create mode 100644 lib/l10n/km.js create mode 100644 lib/l10n/km.json create mode 100644 lib/l10n/kn.js create mode 100644 lib/l10n/kn.json create mode 100644 lib/l10n/lb.js create mode 100644 lib/l10n/lb.json create mode 100644 lib/l10n/lv.js create mode 100644 lib/l10n/lv.json create mode 100644 lib/l10n/mk.js create mode 100644 lib/l10n/mk.json create mode 100644 lib/l10n/mn.js create mode 100644 lib/l10n/mn.json create mode 100644 lib/l10n/ms_MY.js create mode 100644 lib/l10n/ms_MY.json create mode 100644 lib/l10n/nn_NO.js create mode 100644 lib/l10n/nn_NO.json create mode 100644 lib/l10n/pt_PT.js create mode 100644 lib/l10n/pt_PT.json create mode 100644 lib/l10n/ro.js create mode 100644 lib/l10n/ro.json create mode 100644 lib/l10n/si_LK.js create mode 100644 lib/l10n/si_LK.json create mode 100644 lib/l10n/sl.js create mode 100644 lib/l10n/sl.json create mode 100644 lib/l10n/ta_LK.js create mode 100644 lib/l10n/ta_LK.json create mode 100644 lib/l10n/th.js create mode 100644 lib/l10n/th.json create mode 100644 lib/l10n/ug.js create mode 100644 lib/l10n/ug.json create mode 100644 lib/l10n/uk.js create mode 100644 lib/l10n/uk.json create mode 100644 lib/l10n/ur_PK.js create mode 100644 lib/l10n/ur_PK.json create mode 100644 lib/l10n/vi.js create mode 100644 lib/l10n/vi.json create mode 100644 lib/l10n/zh_HK.js create mode 100644 lib/l10n/zh_HK.json delete mode 100644 settings/l10n/af.js delete mode 100644 settings/l10n/af.json delete mode 100644 settings/l10n/ar.js delete mode 100644 settings/l10n/ar.json delete mode 100644 settings/l10n/az.js delete mode 100644 settings/l10n/az.json delete mode 100644 settings/l10n/bg.js delete mode 100644 settings/l10n/bg.json delete mode 100644 settings/l10n/bn_BD.js delete mode 100644 settings/l10n/bn_BD.json delete mode 100644 settings/l10n/bs.js delete mode 100644 settings/l10n/bs.json delete mode 100644 settings/l10n/cy_GB.js delete mode 100644 settings/l10n/cy_GB.json delete mode 100644 settings/l10n/da.js delete mode 100644 settings/l10n/da.json delete mode 100644 settings/l10n/eo.js delete mode 100644 settings/l10n/eo.json delete mode 100644 settings/l10n/et_EE.js delete mode 100644 settings/l10n/et_EE.json delete mode 100644 settings/l10n/fa.js delete mode 100644 settings/l10n/fa.json delete mode 100644 settings/l10n/he.js delete mode 100644 settings/l10n/he.json delete mode 100644 settings/l10n/hr.js delete mode 100644 settings/l10n/hr.json delete mode 100644 settings/l10n/hy.js delete mode 100644 settings/l10n/hy.json delete mode 100644 settings/l10n/ia.js delete mode 100644 settings/l10n/ia.json delete mode 100644 settings/l10n/id.js delete mode 100644 settings/l10n/id.json delete mode 100644 settings/l10n/km.js delete mode 100644 settings/l10n/km.json delete mode 100644 settings/l10n/kn.js delete mode 100644 settings/l10n/kn.json delete mode 100644 settings/l10n/lb.js delete mode 100644 settings/l10n/lb.json delete mode 100644 settings/l10n/lt_LT.js delete mode 100644 settings/l10n/lt_LT.json delete mode 100644 settings/l10n/lv.js delete mode 100644 settings/l10n/lv.json delete mode 100644 settings/l10n/mk.js delete mode 100644 settings/l10n/mk.json delete mode 100644 settings/l10n/mn.js delete mode 100644 settings/l10n/mn.json delete mode 100644 settings/l10n/ms_MY.js delete mode 100644 settings/l10n/ms_MY.json delete mode 100644 settings/l10n/nn_NO.js delete mode 100644 settings/l10n/nn_NO.json delete mode 100644 settings/l10n/ro.js delete mode 100644 settings/l10n/ro.json delete mode 100644 settings/l10n/si_LK.js delete mode 100644 settings/l10n/si_LK.json delete mode 100644 settings/l10n/sl.js delete mode 100644 settings/l10n/sl.json delete mode 100644 settings/l10n/ta_LK.js delete mode 100644 settings/l10n/ta_LK.json delete mode 100644 settings/l10n/th.js delete mode 100644 settings/l10n/th.json delete mode 100644 settings/l10n/ug.js delete mode 100644 settings/l10n/ug.json delete mode 100644 settings/l10n/uk.js delete mode 100644 settings/l10n/uk.json delete mode 100644 settings/l10n/ur_PK.js delete mode 100644 settings/l10n/ur_PK.json delete mode 100644 settings/l10n/vi.js delete mode 100644 settings/l10n/vi.json delete mode 100644 settings/l10n/zh_HK.js delete mode 100644 settings/l10n/zh_HK.json diff --git a/apps/encryption/l10n/ca.js b/apps/encryption/l10n/ca.js index 9a9fddd2af4e4..4a81132a06803 100644 --- a/apps/encryption/l10n/ca.js +++ b/apps/encryption/l10n/ca.js @@ -31,9 +31,9 @@ OC.L10N.register( "one-time password for server-side-encryption" : "contrasenya única per al xifrat del costat del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es pot desencriptar aquest fitxer, probablement és un fitxer compartit. Demaneu al propietari del fitxer que el comparteixi de nou amb vós.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es pot llegir aquest fitxer, probablement aquest sigui un fitxer compartit. Demana al propietari del fitxer que torni a compartir el fitxer amb tu.", + "Default encryption module" : "Mòdul de xifrat per defecte", "The share will expire on %s." : "La compartició venç el %s.", "Cheers!" : "Salut!", - "Default encryption module" : "Mòdul de xifrat per defecte", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "L'aplicació d'encriptació està activada però les claus no estan inicialitzades, sortiu i acrediteu-vos de nou.", "Encrypt the home storage" : "Xifra l'emmagatzematge de casa", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Si activeu aquesta opció xifra tots els fitxers emmagatzemats a l'emmagatzematge principal, en cas contrari, només es codificaran els fitxers en emmagatzematge extern", diff --git a/apps/encryption/l10n/ca.json b/apps/encryption/l10n/ca.json index 614c74785b0b3..c5dd8d50f5932 100644 --- a/apps/encryption/l10n/ca.json +++ b/apps/encryption/l10n/ca.json @@ -29,9 +29,9 @@ "one-time password for server-side-encryption" : "contrasenya única per al xifrat del costat del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es pot desencriptar aquest fitxer, probablement és un fitxer compartit. Demaneu al propietari del fitxer que el comparteixi de nou amb vós.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es pot llegir aquest fitxer, probablement aquest sigui un fitxer compartit. Demana al propietari del fitxer que torni a compartir el fitxer amb tu.", + "Default encryption module" : "Mòdul de xifrat per defecte", "The share will expire on %s." : "La compartició venç el %s.", "Cheers!" : "Salut!", - "Default encryption module" : "Mòdul de xifrat per defecte", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "L'aplicació d'encriptació està activada però les claus no estan inicialitzades, sortiu i acrediteu-vos de nou.", "Encrypt the home storage" : "Xifra l'emmagatzematge de casa", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Si activeu aquesta opció xifra tots els fitxers emmagatzemats a l'emmagatzematge principal, en cas contrari, només es codificaran els fitxers en emmagatzematge extern", diff --git a/apps/encryption/l10n/cs.js b/apps/encryption/l10n/cs.js index 506ea7884c543..3cd20bbc68154 100644 --- a/apps/encryption/l10n/cs.js +++ b/apps/encryption/l10n/cs.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "jednorázové heslo pro šifrování na straně serveru", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tento soubor se nepodařilo dešifrovat, pravděpodobně je sdílený. Požádejte prosím majitele souboru, aby jej s vámi znovu sdílel.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Soubor nelze načíst, pravděpodobně se jedná o sdílený soubor. Požádejte prosím vlastníka souboru, aby vám jej znovu sdílel.", + "Default encryption module" : "Výchozí šifrovací modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Ahoj!\n\nAdministrátor povolil šifrování dat na serveru. Vaše soubory byly zašifrovány za použití hesla '%s'.\n\nPřihlašte se do webového rozhraní, přejděte do nastavení 'základního šifrovacího modulu' a aktualizujte šifrovací heslo zadáním hesla výše do pole 'původní přihlašovací heslo' a svého aktuálního přihlašovacího hesla.\n\n", "The share will expire on %s." : "Sdílení vyprší %s.", "Cheers!" : "Ať slouží!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Ahoj!

Administrátor povolil šifrování dat na serveru. Vaše soubory byly zašifrovány za použití hesla %s.

Přihlašte se do webového rozhraní, přejděte do nastavení \"základního šifrovacího modulu\" a aktualizujte šifrovací heslo zadáním hesla výše do pole \"původní přihlašovací heslo\" a svého aktuálního přihlašovacího hesla.

", - "Default encryption module" : "Výchozí šifrovací modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikace pro šifrování je zapnuta, ale šifrovací klíče ještě nejsou inicializované. Prosím odhlaste se a znovu se přihlaste", "Encrypt the home storage" : "Zašifrovat domovské úložiště", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Povolení tohoto nastavení zašifruje všechny soubory uložené v hlavním úložišti, jinak budou šifrovány pouze soubory na externích úložištích.", diff --git a/apps/encryption/l10n/cs.json b/apps/encryption/l10n/cs.json index 2a61abcd4446e..d2cb0226ef357 100644 --- a/apps/encryption/l10n/cs.json +++ b/apps/encryption/l10n/cs.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "jednorázové heslo pro šifrování na straně serveru", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tento soubor se nepodařilo dešifrovat, pravděpodobně je sdílený. Požádejte prosím majitele souboru, aby jej s vámi znovu sdílel.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Soubor nelze načíst, pravděpodobně se jedná o sdílený soubor. Požádejte prosím vlastníka souboru, aby vám jej znovu sdílel.", + "Default encryption module" : "Výchozí šifrovací modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Ahoj!\n\nAdministrátor povolil šifrování dat na serveru. Vaše soubory byly zašifrovány za použití hesla '%s'.\n\nPřihlašte se do webového rozhraní, přejděte do nastavení 'základního šifrovacího modulu' a aktualizujte šifrovací heslo zadáním hesla výše do pole 'původní přihlašovací heslo' a svého aktuálního přihlašovacího hesla.\n\n", "The share will expire on %s." : "Sdílení vyprší %s.", "Cheers!" : "Ať slouží!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Ahoj!

Administrátor povolil šifrování dat na serveru. Vaše soubory byly zašifrovány za použití hesla %s.

Přihlašte se do webového rozhraní, přejděte do nastavení \"základního šifrovacího modulu\" a aktualizujte šifrovací heslo zadáním hesla výše do pole \"původní přihlašovací heslo\" a svého aktuálního přihlašovacího hesla.

", - "Default encryption module" : "Výchozí šifrovací modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikace pro šifrování je zapnuta, ale šifrovací klíče ještě nejsou inicializované. Prosím odhlaste se a znovu se přihlaste", "Encrypt the home storage" : "Zašifrovat domovské úložiště", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Povolení tohoto nastavení zašifruje všechny soubory uložené v hlavním úložišti, jinak budou šifrovány pouze soubory na externích úložištích.", diff --git a/apps/encryption/l10n/da.js b/apps/encryption/l10n/da.js index a7d6b558e201b..ea53e901c983e 100644 --- a/apps/encryption/l10n/da.js +++ b/apps/encryption/l10n/da.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Engangs password for kryptering på serverdelen", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke kryptere denne fil, sandsynligvis fordi filen er delt. Bed venligst filens ejer om at dele den med dig på ny.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke læse denne fil, sandsynligvis fordi det er en delt fil. Bed venligst ejeren af filen om at dele filen med dig på ny.", + "Default encryption module" : "Standard krypterings modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hej,\n\nAdministrator aktiveret kryptering på serverdelen. '%s'.\n\nVenligst log på web brugerfladen, gå til sektionen \"grundlæggende krypterings modul\" for din personlige opsætninger og opdater dine krypterings kodeord ved at indtaste dette kodeord i \"gamle kodeord log\" feltet samt dit nuværende kodeord.\n\n", "The share will expire on %s." : "Delingen vil udløbe om %s.", "Cheers!" : "Hej!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hej,

administrator aktiveret kryptering på serverdelen. Dine file er blevet krypteret med kodeordet %s.

Venligst log på web brugerfladen, gå til sektionen \"grundlæggende krypterings modul\" for din personlige opsætninger og opdater dine krypterings kodeord ved at indtaste dette kodeord i \"gamle kodeord log\" feltet samt dit nuværende kodeord.

", - "Default encryption module" : "Standard krypterings modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet er aktiveret men dine nøgler er ikke indlæst, log venligst ud og ind igen", "Encrypt the home storage" : "Krypter hjemmelageret", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ved at slå denne valgmulighed til krypteres alle filer i hovedlageret, ellers vil kun filer på eksternt lager blive krypteret", diff --git a/apps/encryption/l10n/da.json b/apps/encryption/l10n/da.json index 7519349d8de0d..26cba382a9046 100644 --- a/apps/encryption/l10n/da.json +++ b/apps/encryption/l10n/da.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Engangs password for kryptering på serverdelen", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke kryptere denne fil, sandsynligvis fordi filen er delt. Bed venligst filens ejer om at dele den med dig på ny.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke læse denne fil, sandsynligvis fordi det er en delt fil. Bed venligst ejeren af filen om at dele filen med dig på ny.", + "Default encryption module" : "Standard krypterings modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hej,\n\nAdministrator aktiveret kryptering på serverdelen. '%s'.\n\nVenligst log på web brugerfladen, gå til sektionen \"grundlæggende krypterings modul\" for din personlige opsætninger og opdater dine krypterings kodeord ved at indtaste dette kodeord i \"gamle kodeord log\" feltet samt dit nuværende kodeord.\n\n", "The share will expire on %s." : "Delingen vil udløbe om %s.", "Cheers!" : "Hej!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hej,

administrator aktiveret kryptering på serverdelen. Dine file er blevet krypteret med kodeordet %s.

Venligst log på web brugerfladen, gå til sektionen \"grundlæggende krypterings modul\" for din personlige opsætninger og opdater dine krypterings kodeord ved at indtaste dette kodeord i \"gamle kodeord log\" feltet samt dit nuværende kodeord.

", - "Default encryption module" : "Standard krypterings modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsprogrammet er aktiveret men dine nøgler er ikke indlæst, log venligst ud og ind igen", "Encrypt the home storage" : "Krypter hjemmelageret", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ved at slå denne valgmulighed til krypteres alle filer i hovedlageret, ellers vil kun filer på eksternt lager blive krypteret", diff --git a/apps/encryption/l10n/de.js b/apps/encryption/l10n/de.js index 83f5506ab914b..8a260272f1002 100644 --- a/apps/encryption/l10n/de.js +++ b/apps/encryption/l10n/de.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Einmal-Passwort für serverseitige Verschlüsselung", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht entschlüsselt werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktiere den Eigentümer der Datei und bitte darum, die Datei noch einmal mit Dir zu teilen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht gelesen werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktiere den Eigentümer der Datei und bitte darum, die Datei noch einmal mit Dir zu teilen.", + "Default encryption module" : "Standard-Verschlüsselungsmodul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hey,\n\nder Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort '%s' verschlüsselt.\n\nBitte über die Web-Oberfläche anmelden und die persönlichen Einstellungen aufrufen. Dort findet sich die Option 'Basisverschlüsselungsmodul' und das Verschlüsselungspasswort kann aktualisiert werden, indem das Passwort in das Feld 'altes Anmelde-Passwort' und in das 'aktuelles Anmelde-Passwort'-Feld eingegeben wird.\n\n", "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", "Cheers!" : "Noch einen schönen Tag!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hallo,

der Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort %s verschlüsselt.

Bitte melde dich im Web-Interface an, gehe in deine persönlichen Einstellungen. Dort findest du die Option 'Basisverschlüsselungsmodul' und aktualisiere dort dein Verschlüsselungspasswort indem du das Passwort in das 'alte Anmelde-Passwort' und in das 'aktuellen Anmelde-Passwort' Feld eingibst.

", - "Default encryption module" : "Standard-Verschlüsselungsmodul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Verschlüsselungs-App ist aktiviert, aber die Schlüssel sind noch nicht initialisiert. Bitte melde Dich ab und wieder an", "Encrypt the home storage" : "Benutzerverzeichnis verschlüsseln", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Die Aktivierung dieser Option verschlüsselt alle Dateien die auf dem Hauptspeicher gespeichert sind, ansonsten werden nur Dateien auf dem externen Speicher verschlüsselt", diff --git a/apps/encryption/l10n/de.json b/apps/encryption/l10n/de.json index bfe91e90c9490..beca49216b396 100644 --- a/apps/encryption/l10n/de.json +++ b/apps/encryption/l10n/de.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Einmal-Passwort für serverseitige Verschlüsselung", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht entschlüsselt werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktiere den Eigentümer der Datei und bitte darum, die Datei noch einmal mit Dir zu teilen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht gelesen werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktiere den Eigentümer der Datei und bitte darum, die Datei noch einmal mit Dir zu teilen.", + "Default encryption module" : "Standard-Verschlüsselungsmodul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hey,\n\nder Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort '%s' verschlüsselt.\n\nBitte über die Web-Oberfläche anmelden und die persönlichen Einstellungen aufrufen. Dort findet sich die Option 'Basisverschlüsselungsmodul' und das Verschlüsselungspasswort kann aktualisiert werden, indem das Passwort in das Feld 'altes Anmelde-Passwort' und in das 'aktuelles Anmelde-Passwort'-Feld eingegeben wird.\n\n", "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", "Cheers!" : "Noch einen schönen Tag!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hallo,

der Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort %s verschlüsselt.

Bitte melde dich im Web-Interface an, gehe in deine persönlichen Einstellungen. Dort findest du die Option 'Basisverschlüsselungsmodul' und aktualisiere dort dein Verschlüsselungspasswort indem du das Passwort in das 'alte Anmelde-Passwort' und in das 'aktuellen Anmelde-Passwort' Feld eingibst.

", - "Default encryption module" : "Standard-Verschlüsselungsmodul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Verschlüsselungs-App ist aktiviert, aber die Schlüssel sind noch nicht initialisiert. Bitte melde Dich ab und wieder an", "Encrypt the home storage" : "Benutzerverzeichnis verschlüsseln", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Die Aktivierung dieser Option verschlüsselt alle Dateien die auf dem Hauptspeicher gespeichert sind, ansonsten werden nur Dateien auf dem externen Speicher verschlüsselt", diff --git a/apps/encryption/l10n/de_DE.js b/apps/encryption/l10n/de_DE.js index dd4d12939faa0..8f8aee65908db 100644 --- a/apps/encryption/l10n/de_DE.js +++ b/apps/encryption/l10n/de_DE.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Einmal-Passwort für serverseitige Verschlüsselung", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht entschlüsselt werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktieren Sie den Eigentümer der Datei und bitten Sie darum, die Datei noch einmal mit Ihnen zu teilen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht gelesen werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktieren Sie den Eigentümer der Datei und bitten Sie darum, die Datei noch einmal mit Ihnen zu teilen.", + "Default encryption module" : "Standard-Verschlüsselungsmodul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hey,\n\nder Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort '%s' verschlüsselt.\n\nBitte melden Sie sich im Web-Oberfläche an, gehen Sie in ihre persönlichen Einstellungen. Dort finden Sie die Option 'Basisverschlüsselungsmodul' und aktualisieren Sie dort ihr Verschlüsselungspasswort indem Sie das Passwort in das 'altes Anmelde-Passwort' und in das 'aktuelles Anmelde-Passwort' Feld eingeben.\n\n", "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", "Cheers!" : "Noch einen schönen Tag!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hollo,

der Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort %s verschlüsselt.

Bitte melden Sie sich im Web-Interface an und gehen Sie in ihre persönlichen Einstellungen. Dort finden Sie die Option 'Basisverschlüsselungsmodul' und aktualisieren Sie dort Ihr Verschlüsselungspasswort indem Sie das Passwort in das 'altes Anmelde-Passwort-' und in das 'aktuelles Anmelde-Passwort' Feld eingeben.

", - "Default encryption module" : "Standard-Verschlüsselungsmodul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Verschlüsselungs-App ist aktiviert, aber die Schlüssel sind noch nicht initialisiert. Bitte melden Sie sich ab und wieder an", "Encrypt the home storage" : "Benutzerverzeichnis verschlüsseln", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Die Aktivierung dieser Option verschlüsselt alle Dateien die auf dem Hauptspeicher gespeichert sind, ansonsten werden nur Dateien auf dem externen Speicher verschlüsselt", diff --git a/apps/encryption/l10n/de_DE.json b/apps/encryption/l10n/de_DE.json index 4617217476ba9..4e2e417d23491 100644 --- a/apps/encryption/l10n/de_DE.json +++ b/apps/encryption/l10n/de_DE.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Einmal-Passwort für serverseitige Verschlüsselung", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht entschlüsselt werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktieren Sie den Eigentümer der Datei und bitten Sie darum, die Datei noch einmal mit Ihnen zu teilen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Diese Datei kann nicht gelesen werden, es handelt sich wahrscheinlich um eine geteilte Datei. Bitte kontaktieren Sie den Eigentümer der Datei und bitten Sie darum, die Datei noch einmal mit Ihnen zu teilen.", + "Default encryption module" : "Standard-Verschlüsselungsmodul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hey,\n\nder Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort '%s' verschlüsselt.\n\nBitte melden Sie sich im Web-Oberfläche an, gehen Sie in ihre persönlichen Einstellungen. Dort finden Sie die Option 'Basisverschlüsselungsmodul' und aktualisieren Sie dort ihr Verschlüsselungspasswort indem Sie das Passwort in das 'altes Anmelde-Passwort' und in das 'aktuelles Anmelde-Passwort' Feld eingeben.\n\n", "The share will expire on %s." : "Die Freigabe wird am %s ablaufen.", "Cheers!" : "Noch einen schönen Tag!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hollo,

der Administrator hat die servereitige Verschlüsselung aktiviert. Die Dateien wurden mit dem Passwort %s verschlüsselt.

Bitte melden Sie sich im Web-Interface an und gehen Sie in ihre persönlichen Einstellungen. Dort finden Sie die Option 'Basisverschlüsselungsmodul' und aktualisieren Sie dort Ihr Verschlüsselungspasswort indem Sie das Passwort in das 'altes Anmelde-Passwort-' und in das 'aktuelles Anmelde-Passwort' Feld eingeben.

", - "Default encryption module" : "Standard-Verschlüsselungsmodul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Verschlüsselungs-App ist aktiviert, aber die Schlüssel sind noch nicht initialisiert. Bitte melden Sie sich ab und wieder an", "Encrypt the home storage" : "Benutzerverzeichnis verschlüsseln", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Die Aktivierung dieser Option verschlüsselt alle Dateien die auf dem Hauptspeicher gespeichert sind, ansonsten werden nur Dateien auf dem externen Speicher verschlüsselt", diff --git a/apps/encryption/l10n/el.js b/apps/encryption/l10n/el.js index 053ef08ae4f6d..a77658d02c4b7 100644 --- a/apps/encryption/l10n/el.js +++ b/apps/encryption/l10n/el.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "κωδικός μιας χρήσης για κρυπτογράφηση στο διακομιστή", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Δεν ήταν δυνατό να αποκρυπτογραφηθεί αυτό το αρχείο, πιθανόν πρόκειται για κοινόχρηστο αρχείο. Παρακαλώ ζητήστε από τον ιδιοκτήτη του αρχείου να το ξαναμοιραστεί μαζί σας.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Αδυναμία ανάγνωσης αυτού του αρχείου, πιθανό να είναι διαμοιραζόμενο αρχείο. Παρακαλώ ρωτήστε τον κάτοχο του αρχείου να το διαμοιράσει ξανά μαζί σας.", + "Default encryption module" : "Προεπιλεγμένη μονάδα κρυπτογράφησης", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Χαίρετε,\n\nο διαχειριστής ενεργοποίηση την κρυπτογράφηση στο διακομιστή. Τα αρχεία σας κρυπτογραφήθηκαν με τον κωδικό '%s'.\n\nΠαρακαλούμε συνδεθείτε στη διεπαφή ιστού, πηγαίνετε στην ενότητα 'μονάδα βασικής κρυπτογράφησης' στις προσωπικές σας ρυθμίσεις και ενημερώστε τον κωδικό κρυπτογράφησης εισάγοντας αυτό τον κωδικό στο πεδίο 'παλιός κωδικός σύνδεσης' και τον τωρινό σας κωδικό σύνδεσης.\n", "The share will expire on %s." : "Ο διαμοιρασμός θα λήξει σε %s.", "Cheers!" : "Χαιρετισμούς!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Χαίρετε,

ο διαχειριστής ενεργοποίησε την κρυπτογράφηση στο διακομιστή. Τα αρχεία σας κρυπτογραφήθηκαν με τον κωδικό %s.

Παρακαλούμε συνδεθείτε στη διεπαφή ιστού, πηγαίνετε στην ενότητα \"μονάδα βασικής κρυπτογράφησης\" τωνπ ροσωπικών σας ρυθμίσεων και ενημερώστε τον κωδικό κρυπτογράφησης εισάγοντας αυτό τον κωδικό στο πεδίο \"παλιός κωδικός σύνδεσης\" και τον τωρινό σας κωδικό σύνδεσης.", - "Default encryption module" : "Προεπιλεγμένη μονάδα κρυπτογράφησης", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Η εφαρμογή κρυπτογράφησης είναι ενεργοποιημένη αλλά τα κλειδιά σας δεν έχουν καταγραφεί, παρακαλώ αποσυνδεθείτε και επανασυνδεθείτε.", "Encrypt the home storage" : "Κρυπτογράφηση του κεντρικού χώρου αποθήκευσης", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Η ενεργοποίηση αυτή της επιλογής κρυπτογραφεί όλα τα αρχεία που βρίσκονται στον κύριο αποθηκευτικό χώρο, αλλιώς μόνο τα αρχεία σε εξωτερικούς αποθηκευτικούς χώρους θα κρυπτογραφηθούν.", diff --git a/apps/encryption/l10n/el.json b/apps/encryption/l10n/el.json index 32d6740dc6f51..79fd4cf70e948 100644 --- a/apps/encryption/l10n/el.json +++ b/apps/encryption/l10n/el.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "κωδικός μιας χρήσης για κρυπτογράφηση στο διακομιστή", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Δεν ήταν δυνατό να αποκρυπτογραφηθεί αυτό το αρχείο, πιθανόν πρόκειται για κοινόχρηστο αρχείο. Παρακαλώ ζητήστε από τον ιδιοκτήτη του αρχείου να το ξαναμοιραστεί μαζί σας.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Αδυναμία ανάγνωσης αυτού του αρχείου, πιθανό να είναι διαμοιραζόμενο αρχείο. Παρακαλώ ρωτήστε τον κάτοχο του αρχείου να το διαμοιράσει ξανά μαζί σας.", + "Default encryption module" : "Προεπιλεγμένη μονάδα κρυπτογράφησης", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Χαίρετε,\n\nο διαχειριστής ενεργοποίηση την κρυπτογράφηση στο διακομιστή. Τα αρχεία σας κρυπτογραφήθηκαν με τον κωδικό '%s'.\n\nΠαρακαλούμε συνδεθείτε στη διεπαφή ιστού, πηγαίνετε στην ενότητα 'μονάδα βασικής κρυπτογράφησης' στις προσωπικές σας ρυθμίσεις και ενημερώστε τον κωδικό κρυπτογράφησης εισάγοντας αυτό τον κωδικό στο πεδίο 'παλιός κωδικός σύνδεσης' και τον τωρινό σας κωδικό σύνδεσης.\n", "The share will expire on %s." : "Ο διαμοιρασμός θα λήξει σε %s.", "Cheers!" : "Χαιρετισμούς!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Χαίρετε,

ο διαχειριστής ενεργοποίησε την κρυπτογράφηση στο διακομιστή. Τα αρχεία σας κρυπτογραφήθηκαν με τον κωδικό %s.

Παρακαλούμε συνδεθείτε στη διεπαφή ιστού, πηγαίνετε στην ενότητα \"μονάδα βασικής κρυπτογράφησης\" τωνπ ροσωπικών σας ρυθμίσεων και ενημερώστε τον κωδικό κρυπτογράφησης εισάγοντας αυτό τον κωδικό στο πεδίο \"παλιός κωδικός σύνδεσης\" και τον τωρινό σας κωδικό σύνδεσης.", - "Default encryption module" : "Προεπιλεγμένη μονάδα κρυπτογράφησης", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Η εφαρμογή κρυπτογράφησης είναι ενεργοποιημένη αλλά τα κλειδιά σας δεν έχουν καταγραφεί, παρακαλώ αποσυνδεθείτε και επανασυνδεθείτε.", "Encrypt the home storage" : "Κρυπτογράφηση του κεντρικού χώρου αποθήκευσης", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Η ενεργοποίηση αυτή της επιλογής κρυπτογραφεί όλα τα αρχεία που βρίσκονται στον κύριο αποθηκευτικό χώρο, αλλιώς μόνο τα αρχεία σε εξωτερικούς αποθηκευτικούς χώρους θα κρυπτογραφηθούν.", diff --git a/apps/encryption/l10n/en_GB.js b/apps/encryption/l10n/en_GB.js index bbcd15eaeace9..e6a450c5509f2 100644 --- a/apps/encryption/l10n/en_GB.js +++ b/apps/encryption/l10n/en_GB.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "one-time password for server-side-encryption", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Cannot decrypt this file, which is probably a shared file. Please ask the file owner to reshare the file with you.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you.", + "Default encryption module" : "Default encryption module", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n", "The share will expire on %s." : "The share will expire on %s.", "Cheers!" : "Cheers!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

", - "Default encryption module" : "Default encryption module", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Encryption app is enabled but your keys are not initialised, please log-out and log-in again", "Encrypt the home storage" : "Encrypt the home storage", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted", diff --git a/apps/encryption/l10n/en_GB.json b/apps/encryption/l10n/en_GB.json index 24fcc35f2e842..62d5c67a72523 100644 --- a/apps/encryption/l10n/en_GB.json +++ b/apps/encryption/l10n/en_GB.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "one-time password for server-side-encryption", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Cannot decrypt this file, which is probably a shared file. Please ask the file owner to reshare the file with you.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you.", + "Default encryption module" : "Default encryption module", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n", "The share will expire on %s." : "The share will expire on %s.", "Cheers!" : "Cheers!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

", - "Default encryption module" : "Default encryption module", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Encryption app is enabled but your keys are not initialised, please log-out and log-in again", "Encrypt the home storage" : "Encrypt the home storage", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted", diff --git a/apps/encryption/l10n/es.js b/apps/encryption/l10n/es.js index 897aec00c64fc..35ef819d2d1e0 100644 --- a/apps/encryption/l10n/es.js +++ b/apps/encryption/l10n/es.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de un solo uso para el cifrado en el lado servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No fue posible descifrar este archivo, probablemente se trate de un archivo compartido. Solicite al propietario del mismo que vuelva a compartirlo con usted.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No se puede leer este archivo, probablemente sea un archivo compartido. Consulte con el propietario del mismo y que lo vuelva a compartir con usted.", + "Default encryption module" : "Módulo de cifrado por defecto", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha activado el cifrado de datos en servidor. Tus archivos han sido cifrados usando la contraseña '%s'.\n\nPor favor, inicia tu sesión desde la interfaz web, ves a la sección 'módulo de cifrado básico' de tu área de ajustes personales y actualiza la contraseña de cifrado. Para ello, deberás introducir esta contraseña en el campo 'contraseña de acceso antigua' junto con tu actual contraseña de acceso.\n\n", "The share will expire on %s." : "El objeto dejará de ser compartido el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha activado el cifrado de datos en servidor. Tus archivos han sido cifrados usando la contraseña %s.

Por favor, inicia tu sesión desde la interfaz web, ves a la sección 'módulo de cifrado básico' de tu área de ajustes personales y actualiza la contraseña de cifrado. Para ello, deberás introducir esta contraseña en el campo 'contraseña de acceso antigua' junto con tu actual contraseña de acceso.

", - "Default encryption module" : "Módulo de cifrado por defecto", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La app de cifrado está habilitada pero sus claves no se han inicializado, por favor, cierre la sesión y vuelva a iniciarla de nuevo.", "Encrypt the home storage" : "Encriptar el almacenamiento personal", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Al activar esta opción se encriptarán todos los archivos almacenados en la memoria principal, de lo contrario serán cifrados sólo los archivos de almacenamiento externo", diff --git a/apps/encryption/l10n/es.json b/apps/encryption/l10n/es.json index 2ef9ce57c8971..0ab95ab92479a 100644 --- a/apps/encryption/l10n/es.json +++ b/apps/encryption/l10n/es.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de un solo uso para el cifrado en el lado servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No fue posible descifrar este archivo, probablemente se trate de un archivo compartido. Solicite al propietario del mismo que vuelva a compartirlo con usted.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No se puede leer este archivo, probablemente sea un archivo compartido. Consulte con el propietario del mismo y que lo vuelva a compartir con usted.", + "Default encryption module" : "Módulo de cifrado por defecto", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha activado el cifrado de datos en servidor. Tus archivos han sido cifrados usando la contraseña '%s'.\n\nPor favor, inicia tu sesión desde la interfaz web, ves a la sección 'módulo de cifrado básico' de tu área de ajustes personales y actualiza la contraseña de cifrado. Para ello, deberás introducir esta contraseña en el campo 'contraseña de acceso antigua' junto con tu actual contraseña de acceso.\n\n", "The share will expire on %s." : "El objeto dejará de ser compartido el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha activado el cifrado de datos en servidor. Tus archivos han sido cifrados usando la contraseña %s.

Por favor, inicia tu sesión desde la interfaz web, ves a la sección 'módulo de cifrado básico' de tu área de ajustes personales y actualiza la contraseña de cifrado. Para ello, deberás introducir esta contraseña en el campo 'contraseña de acceso antigua' junto con tu actual contraseña de acceso.

", - "Default encryption module" : "Módulo de cifrado por defecto", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La app de cifrado está habilitada pero sus claves no se han inicializado, por favor, cierre la sesión y vuelva a iniciarla de nuevo.", "Encrypt the home storage" : "Encriptar el almacenamiento personal", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Al activar esta opción se encriptarán todos los archivos almacenados en la memoria principal, de lo contrario serán cifrados sólo los archivos de almacenamiento externo", diff --git a/apps/encryption/l10n/es_419.js b/apps/encryption/l10n/es_419.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_419.js +++ b/apps/encryption/l10n/es_419.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_419.json b/apps/encryption/l10n/es_419.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_419.json +++ b/apps/encryption/l10n/es_419.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_AR.js b/apps/encryption/l10n/es_AR.js index 9544a62c52087..a2c1af301c30b 100644 --- a/apps/encryption/l10n/es_AR.js +++ b/apps/encryption/l10n/es_AR.js @@ -30,11 +30,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Favor de solicitar al dueño del archivo que lo vuelva a compartir con usted.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compatido. Favor de solicitar al dueño que vuelva a compartirlo con usted. ", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Sus archivos fueron encriptados usando la contraseña '%s'\n\nFavor de iniciar sesión en la interface web, vaya a la sección \"módulo de encripción básica\" de sus configuraciones personales y actualice su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y su contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Sus archivos fueron encriptados usando la contraseña %s.

Favor de iniciar sesisón en la interface web, vaya a la sección \"módulo de encripción básica\" de sus configuraciones personales y actualice su contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y su contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero sus llaves no han sido inicializadas, favor de salir y volver a entrar a la sesion", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_AR.json b/apps/encryption/l10n/es_AR.json index a06b3c20cc100..5679083100640 100644 --- a/apps/encryption/l10n/es_AR.json +++ b/apps/encryption/l10n/es_AR.json @@ -28,11 +28,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Favor de solicitar al dueño del archivo que lo vuelva a compartir con usted.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compatido. Favor de solicitar al dueño que vuelva a compartirlo con usted. ", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Sus archivos fueron encriptados usando la contraseña '%s'\n\nFavor de iniciar sesión en la interface web, vaya a la sección \"módulo de encripción básica\" de sus configuraciones personales y actualice su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y su contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Sus archivos fueron encriptados usando la contraseña %s.

Favor de iniciar sesisón en la interface web, vaya a la sección \"módulo de encripción básica\" de sus configuraciones personales y actualice su contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y su contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero sus llaves no han sido inicializadas, favor de salir y volver a entrar a la sesion", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_CL.js b/apps/encryption/l10n/es_CL.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_CL.js +++ b/apps/encryption/l10n/es_CL.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_CL.json b/apps/encryption/l10n/es_CL.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_CL.json +++ b/apps/encryption/l10n/es_CL.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_CO.js b/apps/encryption/l10n/es_CO.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_CO.js +++ b/apps/encryption/l10n/es_CO.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_CO.json b/apps/encryption/l10n/es_CO.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_CO.json +++ b/apps/encryption/l10n/es_CO.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_CR.js b/apps/encryption/l10n/es_CR.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_CR.js +++ b/apps/encryption/l10n/es_CR.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_CR.json b/apps/encryption/l10n/es_CR.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_CR.json +++ b/apps/encryption/l10n/es_CR.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_DO.js b/apps/encryption/l10n/es_DO.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_DO.js +++ b/apps/encryption/l10n/es_DO.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_DO.json b/apps/encryption/l10n/es_DO.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_DO.json +++ b/apps/encryption/l10n/es_DO.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_EC.js b/apps/encryption/l10n/es_EC.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_EC.js +++ b/apps/encryption/l10n/es_EC.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_EC.json b/apps/encryption/l10n/es_EC.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_EC.json +++ b/apps/encryption/l10n/es_EC.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_GT.js b/apps/encryption/l10n/es_GT.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_GT.js +++ b/apps/encryption/l10n/es_GT.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_GT.json b/apps/encryption/l10n/es_GT.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_GT.json +++ b/apps/encryption/l10n/es_GT.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_HN.js b/apps/encryption/l10n/es_HN.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_HN.js +++ b/apps/encryption/l10n/es_HN.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_HN.json b/apps/encryption/l10n/es_HN.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_HN.json +++ b/apps/encryption/l10n/es_HN.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_MX.js b/apps/encryption/l10n/es_MX.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_MX.js +++ b/apps/encryption/l10n/es_MX.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_MX.json b/apps/encryption/l10n/es_MX.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_MX.json +++ b/apps/encryption/l10n/es_MX.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_NI.js b/apps/encryption/l10n/es_NI.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_NI.js +++ b/apps/encryption/l10n/es_NI.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_NI.json b/apps/encryption/l10n/es_NI.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_NI.json +++ b/apps/encryption/l10n/es_NI.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PA.js b/apps/encryption/l10n/es_PA.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_PA.js +++ b/apps/encryption/l10n/es_PA.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PA.json b/apps/encryption/l10n/es_PA.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_PA.json +++ b/apps/encryption/l10n/es_PA.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PE.js b/apps/encryption/l10n/es_PE.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_PE.js +++ b/apps/encryption/l10n/es_PE.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PE.json b/apps/encryption/l10n/es_PE.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_PE.json +++ b/apps/encryption/l10n/es_PE.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PR.js b/apps/encryption/l10n/es_PR.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_PR.js +++ b/apps/encryption/l10n/es_PR.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PR.json b/apps/encryption/l10n/es_PR.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_PR.json +++ b/apps/encryption/l10n/es_PR.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PY.js b/apps/encryption/l10n/es_PY.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_PY.js +++ b/apps/encryption/l10n/es_PY.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_PY.json b/apps/encryption/l10n/es_PY.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_PY.json +++ b/apps/encryption/l10n/es_PY.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_SV.js b/apps/encryption/l10n/es_SV.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_SV.js +++ b/apps/encryption/l10n/es_SV.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_SV.json b/apps/encryption/l10n/es_SV.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_SV.json +++ b/apps/encryption/l10n/es_SV.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_UY.js b/apps/encryption/l10n/es_UY.js index 4ada977546c17..c4693ac33a51b 100644 --- a/apps/encryption/l10n/es_UY.js +++ b/apps/encryption/l10n/es_UY.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/es_UY.json b/apps/encryption/l10n/es_UY.json index 5671fd31553bf..3fe4f2381f02b 100644 --- a/apps/encryption/l10n/es_UY.json +++ b/apps/encryption/l10n/es_UY.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Contraseña de una-sola-vez para la encripción del lado del servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible decriptar este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño del archivo que lo vuelva a compartir contigo.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "No es posible leer este archivo, posiblemente sea un archivo compartido. Por favor solicita al dueño que vuelva a compartirlo contigo.", + "Default encryption module" : "Módulo de encripción predeterminado", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hola,\n\nel administrador ha habilitado la encripción de lado del servidor. Tus archivos fueron encriptados usando la contraseña '%s'\n\nPor favor inicia sesión en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza su contraseña de encripción ingresando esta contraseña en el campo 'contraseña de inicio de sesión anterior' y tu contraseña de inicio de sesión actual. \n", "The share will expire on %s." : "El elemento compartido expirará el %s.", "Cheers!" : "¡Saludos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hola,

el administrador ha habilitado la encripción del lado del servidor. Tus archivos fueron encriptados usando la contraseña %s.

Por favor inicia sesisón en la interface web, ve a la sección \"módulo de encripción básica\" de tus configuraciones personales y actualiza tu contraseña de encripción ingresando esta contraseña en el campo \"contraseña de inicio de sesión anterior\" y tu contraseña de inicio de sesión actual.

", - "Default encryption module" : "Módulo de encripción predeterminado", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "La aplicación de encripción esta habilitada pero tus llaves no han sido inicializadas, por favor sal y vuelve a entrar a tu sesión", "Encrypt the home storage" : "Encriptar el almacenamiento de inicio", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Habilitar esta opción encripta todos los archivos almacenados en el almacenamiento principal, de otro modo, sólo los archivos en el almacenamiento externo serán encriptados", diff --git a/apps/encryption/l10n/eu.js b/apps/encryption/l10n/eu.js index fdbfe1fb88860..88e3998dbdb16 100644 --- a/apps/encryption/l10n/eu.js +++ b/apps/encryption/l10n/eu.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "aldi bateko pasahitzak zerbitzari-aldeko enkriptaziorako", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Ezin izan da fitxategi hau deszifratu, ziurrenik elkarbanatutako fitxategi bat da. Mesdez, eskatu fitxategiaren jabeari fitxategia zurekin berriz elkarbana dezan.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Ezin da fitxategi hau irakurri, ziur aski partekatutako fitxategia izango da. Fitxategiaren jabeari berriz partekatzeko eska iezaiozu", + "Default encryption module" : "Defektuzko enkriptazio modulua", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Kaixo\n\nadministradoreak zerbitzari-aldeko enkriptazioa gaitu du. Zure fitxategiak '%s' pasahitza erabiliz enkriptatuko dira.\n\nWeb interfazea saioa hasi, 'oinarrizko enkripazio modulua' atalera joan zaitez eta pasahitza eguneratu. Hortarako pasahitz zaharra 'pasahitz zaharra' atalean sartu eta zure oraingo pasahitza", "The share will expire on %s." : "Elkarbanaketa %s-n iraungiko da.", "Cheers!" : "Ongi izan!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Kaixo

administradoreak zerbitzari-aldeko enkriptazioa gaitu du. Zure fitxategiak '%s' pasahitza erabiliz enkriptatuko dira.\n\nWeb interfazea saioa hasi, 'oinarrizko enkripazio modulua' atalera joan zaitez eta pasahitza eguneratu. Hortarako pasahitz zaharra 'pasahitz zaharra' atalean sartu eta zure oraingo pasahitza", - "Default encryption module" : "Defektuzko enkriptazio modulua", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Enkriptazio app-a gaituta dago baina zure gakoak ez dira hasieratu, mesedez saiotik irteneta berriz sar zaitez", "Encrypt the home storage" : "Etxe-biltegia enkriptatu", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aukera hau gaituz gero biltegi orokorreko fitxategi guztiak enkriptatuko dirabestela kanpo biltegian daudenak bakarrik enkriptatuko dira", diff --git a/apps/encryption/l10n/eu.json b/apps/encryption/l10n/eu.json index 0ba8ac0821e07..d2f707b03a87c 100644 --- a/apps/encryption/l10n/eu.json +++ b/apps/encryption/l10n/eu.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "aldi bateko pasahitzak zerbitzari-aldeko enkriptaziorako", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Ezin izan da fitxategi hau deszifratu, ziurrenik elkarbanatutako fitxategi bat da. Mesdez, eskatu fitxategiaren jabeari fitxategia zurekin berriz elkarbana dezan.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Ezin da fitxategi hau irakurri, ziur aski partekatutako fitxategia izango da. Fitxategiaren jabeari berriz partekatzeko eska iezaiozu", + "Default encryption module" : "Defektuzko enkriptazio modulua", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Kaixo\n\nadministradoreak zerbitzari-aldeko enkriptazioa gaitu du. Zure fitxategiak '%s' pasahitza erabiliz enkriptatuko dira.\n\nWeb interfazea saioa hasi, 'oinarrizko enkripazio modulua' atalera joan zaitez eta pasahitza eguneratu. Hortarako pasahitz zaharra 'pasahitz zaharra' atalean sartu eta zure oraingo pasahitza", "The share will expire on %s." : "Elkarbanaketa %s-n iraungiko da.", "Cheers!" : "Ongi izan!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Kaixo

administradoreak zerbitzari-aldeko enkriptazioa gaitu du. Zure fitxategiak '%s' pasahitza erabiliz enkriptatuko dira.\n\nWeb interfazea saioa hasi, 'oinarrizko enkripazio modulua' atalera joan zaitez eta pasahitza eguneratu. Hortarako pasahitz zaharra 'pasahitz zaharra' atalean sartu eta zure oraingo pasahitza", - "Default encryption module" : "Defektuzko enkriptazio modulua", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Enkriptazio app-a gaituta dago baina zure gakoak ez dira hasieratu, mesedez saiotik irteneta berriz sar zaitez", "Encrypt the home storage" : "Etxe-biltegia enkriptatu", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aukera hau gaituz gero biltegi orokorreko fitxategi guztiak enkriptatuko dirabestela kanpo biltegian daudenak bakarrik enkriptatuko dira", diff --git a/apps/encryption/l10n/fi.js b/apps/encryption/l10n/fi.js index a8030da3a3dd6..8d7d37fd7329f 100644 --- a/apps/encryption/l10n/fi.js +++ b/apps/encryption/l10n/fi.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "kertakäyttöinen salasana palvelinpään salausta varten", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tämän tiedoston salauksen purkaminen ei onnistu. Kyseessä on luultavasti jaettu tiedosto. Pyydä tiedoston omistajaa jakamaan tiedosto kanssasi uudelleen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tiedostoa ei voi lukea, se on luultavasti jaettu tiedosto. Pyydä tiedoston omistajaa jakamaan tiedosto uudelleen kanssasi.", + "Default encryption module" : "Oletus salausmoduuli", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hei,\n\nYlläpiäjä on ottanut käyttöön palvelimen salauksen. Tiedostosi salattiin salasanalla '%s'.\n\nOle hyvä ja kirjaudu palveluun verkkokäyttöliittymän kautta, siirry henkilökohtaisten asetustesi kohtaan \"perussalausmoduuli\" ja päivitä salaukseen käytettävä salasanasi syöttämällä yllä mainittu salasana \"vanha kirjautumissalasana\"-kenttään ja nykyinen kirjautumissalasanasi.\n\n", "The share will expire on %s." : "Jakaminen päättyy %s.", "Cheers!" : "Kiitos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hei,

Ylläpiäjä on ottanut käyttöön palvelimen salauksen. Tiedostosi salattiin salasanalla %s.

Ole hyvä ja kirjaudu palveluun verkkokäyttöliittymän kautta, siirry henkilökohtaisten asetustesi kohtaan \"perussalausmoduuli\" ja päivitä salaukseen käytettävä salasanasi syöttämällä yllä mainittu salasana \"vanha kirjautumissalasana\"-kenttään ja nykyinen kirjautumissalasanasi.

", - "Default encryption module" : "Oletus salausmoduuli", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Salaussovellus on aktivoitu, mutta avaimia ei ole alustettu, kirjaudu uudelleen sisään", "Encrypt the home storage" : "Salaa oma kotitila", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Tämän valinnan ollessa valittuna salataan kaikki päätallennustilaan tallennetut tiedostot. Muussa tapauksessa ainoastaan ulkoisessa tallennustilassa sijaitsevat tiedostot salataan.", diff --git a/apps/encryption/l10n/fi.json b/apps/encryption/l10n/fi.json index 7cd2baa37880e..b70e7aec8663d 100644 --- a/apps/encryption/l10n/fi.json +++ b/apps/encryption/l10n/fi.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "kertakäyttöinen salasana palvelinpään salausta varten", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tämän tiedoston salauksen purkaminen ei onnistu. Kyseessä on luultavasti jaettu tiedosto. Pyydä tiedoston omistajaa jakamaan tiedosto kanssasi uudelleen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tiedostoa ei voi lukea, se on luultavasti jaettu tiedosto. Pyydä tiedoston omistajaa jakamaan tiedosto uudelleen kanssasi.", + "Default encryption module" : "Oletus salausmoduuli", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hei,\n\nYlläpiäjä on ottanut käyttöön palvelimen salauksen. Tiedostosi salattiin salasanalla '%s'.\n\nOle hyvä ja kirjaudu palveluun verkkokäyttöliittymän kautta, siirry henkilökohtaisten asetustesi kohtaan \"perussalausmoduuli\" ja päivitä salaukseen käytettävä salasanasi syöttämällä yllä mainittu salasana \"vanha kirjautumissalasana\"-kenttään ja nykyinen kirjautumissalasanasi.\n\n", "The share will expire on %s." : "Jakaminen päättyy %s.", "Cheers!" : "Kiitos!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hei,

Ylläpiäjä on ottanut käyttöön palvelimen salauksen. Tiedostosi salattiin salasanalla %s.

Ole hyvä ja kirjaudu palveluun verkkokäyttöliittymän kautta, siirry henkilökohtaisten asetustesi kohtaan \"perussalausmoduuli\" ja päivitä salaukseen käytettävä salasanasi syöttämällä yllä mainittu salasana \"vanha kirjautumissalasana\"-kenttään ja nykyinen kirjautumissalasanasi.

", - "Default encryption module" : "Oletus salausmoduuli", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Salaussovellus on aktivoitu, mutta avaimia ei ole alustettu, kirjaudu uudelleen sisään", "Encrypt the home storage" : "Salaa oma kotitila", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Tämän valinnan ollessa valittuna salataan kaikki päätallennustilaan tallennetut tiedostot. Muussa tapauksessa ainoastaan ulkoisessa tallennustilassa sijaitsevat tiedostot salataan.", diff --git a/apps/encryption/l10n/fr.js b/apps/encryption/l10n/fr.js index 5030f7289c474..c59384cdd330b 100644 --- a/apps/encryption/l10n/fr.js +++ b/apps/encryption/l10n/fr.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Mot de passe à usage unique pour le chiffrement côté serveur", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossible de déchiffrer ce fichier : il s'agit probablement d'un fichier partagé. Veuillez demander au propriétaire du fichier de le partager à nouveau avec vous.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossible de lire ce fichier, il s'agit probablement d'un fichier partagé. Veuillez demander au propriétaire du fichier de le repartager avec vous. ", + "Default encryption module" : "Module de chiffrement par défaut", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Bonjour,\n\nL'administrateur a activé le chiffrement sur le serveur. Vos fichiers ont été chiffrés avec le mot de passe suivant :\n\n%s\n\nVeuillez suivre ces instructions :\n\n1. Connectez-vous à l'interface web et trouvez la section \"Module de chiffrement de base d'\" dans vos paramètres personnels;\n\n2. Entrez le mot de passe fourni ci-dessus dans le champ \"Ancien mot de passe de connexion\";\n\n3. Entrez le mot de passe que vous utilisez actuellement pour vous connecter dans le champ \"Actuel mot de passe de connexion\";\n\n4. Validez en cliquant sur le bouton \"Mettre à jour le mot de passe de votre clef privée\".\n", "The share will expire on %s." : "Le partage expirera le %s.", "Cheers!" : "À bientôt !", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Bonjour,\n

\nL'administrateur a activé le chiffrement sur le serveur. Vos fichiers ont été chiffrés avec le mot de passe suivant :\n\n

%s

\n\n

\nVeuillez suivre ces instructions :\n

    \n
  1. Connectez-vous à l'interface web et trouvez la section \"Module de chiffrement de base d'\" dans vos paramètres personnels;
  2. \n
  3. Entrez le mot de passe fourni ci-dessus dans le champ \"Ancien mot de passe de connexion\";
  4. \n
  5. Entrez le mot de passe que vous utilisez actuellement pour vous connecter dans le champ \"Actuel mot de passe de connexion\";
  6. \n
  7. Validez en cliquant sur le bouton \"Mettre à jour le mot de passe de votre clef privée\".
  8. \n
\n

", - "Default encryption module" : "Module de chiffrement par défaut", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "L'application de chiffrement est activée mais vos clefs ne sont pas initialisées. Veuillez vous déconnecter et ensuite vous reconnecter.", "Encrypt the home storage" : "Chiffrer l'espace de stockage principal", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "L'activation de cette option chiffre tous les fichiers du stockage principal, sinon seuls les espaces de stockage externes seront chiffrés", diff --git a/apps/encryption/l10n/fr.json b/apps/encryption/l10n/fr.json index 5d553f8adde67..990b05b571387 100644 --- a/apps/encryption/l10n/fr.json +++ b/apps/encryption/l10n/fr.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "Mot de passe à usage unique pour le chiffrement côté serveur", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossible de déchiffrer ce fichier : il s'agit probablement d'un fichier partagé. Veuillez demander au propriétaire du fichier de le partager à nouveau avec vous.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossible de lire ce fichier, il s'agit probablement d'un fichier partagé. Veuillez demander au propriétaire du fichier de le repartager avec vous. ", + "Default encryption module" : "Module de chiffrement par défaut", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Bonjour,\n\nL'administrateur a activé le chiffrement sur le serveur. Vos fichiers ont été chiffrés avec le mot de passe suivant :\n\n%s\n\nVeuillez suivre ces instructions :\n\n1. Connectez-vous à l'interface web et trouvez la section \"Module de chiffrement de base d'\" dans vos paramètres personnels;\n\n2. Entrez le mot de passe fourni ci-dessus dans le champ \"Ancien mot de passe de connexion\";\n\n3. Entrez le mot de passe que vous utilisez actuellement pour vous connecter dans le champ \"Actuel mot de passe de connexion\";\n\n4. Validez en cliquant sur le bouton \"Mettre à jour le mot de passe de votre clef privée\".\n", "The share will expire on %s." : "Le partage expirera le %s.", "Cheers!" : "À bientôt !", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Bonjour,\n

\nL'administrateur a activé le chiffrement sur le serveur. Vos fichiers ont été chiffrés avec le mot de passe suivant :\n\n

%s

\n\n

\nVeuillez suivre ces instructions :\n

    \n
  1. Connectez-vous à l'interface web et trouvez la section \"Module de chiffrement de base d'\" dans vos paramètres personnels;
  2. \n
  3. Entrez le mot de passe fourni ci-dessus dans le champ \"Ancien mot de passe de connexion\";
  4. \n
  5. Entrez le mot de passe que vous utilisez actuellement pour vous connecter dans le champ \"Actuel mot de passe de connexion\";
  6. \n
  7. Validez en cliquant sur le bouton \"Mettre à jour le mot de passe de votre clef privée\".
  8. \n
\n

", - "Default encryption module" : "Module de chiffrement par défaut", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "L'application de chiffrement est activée mais vos clefs ne sont pas initialisées. Veuillez vous déconnecter et ensuite vous reconnecter.", "Encrypt the home storage" : "Chiffrer l'espace de stockage principal", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "L'activation de cette option chiffre tous les fichiers du stockage principal, sinon seuls les espaces de stockage externes seront chiffrés", diff --git a/apps/encryption/l10n/hu.js b/apps/encryption/l10n/hu.js index 87b0bae71480d..6291296246125 100644 --- a/apps/encryption/l10n/hu.js +++ b/apps/encryption/l10n/hu.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "szerver-oldali titkosítás egyszer használható jelszava", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "A fájlt nem sikerült visszafejteni, valószínűleg ez egy megosztott fájl. Kérje meg a fájl tulajdonosát, hogy újra ossza meg veled ezt az állományt!", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Ez a fájl nem olvasható, valószínűleg ez egy megosztott fájl. Kérd meg a tulajdonosát, hogy ossza meg veled újra ezt a fájlt.", + "Default encryption module" : "Alapértelmezett titkosítási modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Szia!\n\nAz adminisztrátor bekapcsolta a szerver-oldali titkosítást. A fájljaid ezzel a jelszóval lettek titkosítva: '%s'.\n\nKérlek jelentkezz be a webes felületre és a személyes beállítások 'alap titkosítási modul' szekcióban frissítsd a titkosítási jelszavad, úgy hogy megadod a 'régi bejelentkezési jelszó' mezőben ezt a jelszót, majd az aktuális bejelentkezési jelszavad.\n\n", "The share will expire on %s." : "A megosztás lejár ekkor %s", "Cheers!" : "Üdv.", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Szia!

Az adminisztrátor bekapcsolta a szerver-oldali titkosítást. A fájljaid ezzel a jelszóval lettek titkosítva: %s.

Kérlek jelentkezz be a webes felületre és a személyes beállítások 'alap titkosítási modul' szekcióban frissítsd a titkosítási jelszavad, úgy hogy megadod a 'régi bejelentkezési jelszó' mezőben ezt a jelszót, majd az aktuális bejelentkezési jelszavad.

", - "Default encryption module" : "Alapértelmezett titkosítási modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "A titkosító alkalmazás engedélyezve van, de a kulcsaid még nincsenek inicializálva. Kérlek lépj ki, majd lépj be újra", "Encrypt the home storage" : "Helyi tároló titkosítása", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "A lehetőség engedélyezésekor minden fájlt titkosít a fő tárolóban, egyébként csak a külső tárolókon lévő fájlok lesznek titkosítva", diff --git a/apps/encryption/l10n/hu.json b/apps/encryption/l10n/hu.json index c014d6b9c11f2..08635c495c93d 100644 --- a/apps/encryption/l10n/hu.json +++ b/apps/encryption/l10n/hu.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "szerver-oldali titkosítás egyszer használható jelszava", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "A fájlt nem sikerült visszafejteni, valószínűleg ez egy megosztott fájl. Kérje meg a fájl tulajdonosát, hogy újra ossza meg veled ezt az állományt!", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Ez a fájl nem olvasható, valószínűleg ez egy megosztott fájl. Kérd meg a tulajdonosát, hogy ossza meg veled újra ezt a fájlt.", + "Default encryption module" : "Alapértelmezett titkosítási modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Szia!\n\nAz adminisztrátor bekapcsolta a szerver-oldali titkosítást. A fájljaid ezzel a jelszóval lettek titkosítva: '%s'.\n\nKérlek jelentkezz be a webes felületre és a személyes beállítások 'alap titkosítási modul' szekcióban frissítsd a titkosítási jelszavad, úgy hogy megadod a 'régi bejelentkezési jelszó' mezőben ezt a jelszót, majd az aktuális bejelentkezési jelszavad.\n\n", "The share will expire on %s." : "A megosztás lejár ekkor %s", "Cheers!" : "Üdv.", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Szia!

Az adminisztrátor bekapcsolta a szerver-oldali titkosítást. A fájljaid ezzel a jelszóval lettek titkosítva: %s.

Kérlek jelentkezz be a webes felületre és a személyes beállítások 'alap titkosítási modul' szekcióban frissítsd a titkosítási jelszavad, úgy hogy megadod a 'régi bejelentkezési jelszó' mezőben ezt a jelszót, majd az aktuális bejelentkezési jelszavad.

", - "Default encryption module" : "Alapértelmezett titkosítási modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "A titkosító alkalmazás engedélyezve van, de a kulcsaid még nincsenek inicializálva. Kérlek lépj ki, majd lépj be újra", "Encrypt the home storage" : "Helyi tároló titkosítása", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "A lehetőség engedélyezésekor minden fájlt titkosít a fő tárolóban, egyébként csak a külső tárolókon lévő fájlok lesznek titkosítva", diff --git a/apps/encryption/l10n/id.js b/apps/encryption/l10n/id.js index 830cd79998fa8..98be4e1c9ae48 100644 --- a/apps/encryption/l10n/id.js +++ b/apps/encryption/l10n/id.js @@ -30,11 +30,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "Kata sandi sekali pakai untuk server-side-encryption", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat mendekripsi berkas ini, mungkin ini adalah berkas bersama. Silakan meminta pemilik berkas ini untuk membagikan kembali dengan Anda.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat membaca berkas ini, kemungkinan merupakan berkas berbagi. Silakan minta pemilik berkas untuk membagikan ulang kepada Anda.", + "Default encryption module" : "Modul bawaan enkripsi", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hai,\n\nadmin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi '%s'.\n\nSilakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi-masuk saat ini.\n\n", "The share will expire on %s." : "Pembagian akan berakhir pada %s.", "Cheers!" : "Horee!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hai,

admin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi %s.

Silakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi masuk yang baru.

", - "Default encryption module" : "Modul bawaan enkripsi", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi enkripsi telah diaktifkan tetapi kunci tidak terinisialisasi, silakan log-out dan log-in lagi", "Encrypt the home storage" : "Enkripsi penyimpanan rumah", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Mengaktifkan opsi ini akan mengenkripsi semua berkas yang disimpan pada penyimpanan utama, jika tidak diaktifkan maka hanya berkas pada penyimpanan eksternal saja yang akan dienkripsi.", diff --git a/apps/encryption/l10n/id.json b/apps/encryption/l10n/id.json index 621f043206f03..4db36a9652597 100644 --- a/apps/encryption/l10n/id.json +++ b/apps/encryption/l10n/id.json @@ -28,11 +28,11 @@ "one-time password for server-side-encryption" : "Kata sandi sekali pakai untuk server-side-encryption", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat mendekripsi berkas ini, mungkin ini adalah berkas bersama. Silakan meminta pemilik berkas ini untuk membagikan kembali dengan Anda.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tidak dapat membaca berkas ini, kemungkinan merupakan berkas berbagi. Silakan minta pemilik berkas untuk membagikan ulang kepada Anda.", + "Default encryption module" : "Modul bawaan enkripsi", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hai,\n\nadmin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi '%s'.\n\nSilakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi-masuk saat ini.\n\n", "The share will expire on %s." : "Pembagian akan berakhir pada %s.", "Cheers!" : "Horee!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hai,

admin mengaktifkan server-side-encryption. Berkas-berkas Anda dienkripsi menggunakan kata sandi %s.

Silakan masuk di antarmuka web, pergi ke bagian 'modul enkripsi dasar' pada pengaturan pribadi Anda dan perbarui kata sandi enkripsi Anda dengan memasukkan kata sandi ini kedalam kolom 'kata sandi masuk yang lama' dan kata sandi masuk yang baru.

", - "Default encryption module" : "Modul bawaan enkripsi", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikasi enkripsi telah diaktifkan tetapi kunci tidak terinisialisasi, silakan log-out dan log-in lagi", "Encrypt the home storage" : "Enkripsi penyimpanan rumah", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Mengaktifkan opsi ini akan mengenkripsi semua berkas yang disimpan pada penyimpanan utama, jika tidak diaktifkan maka hanya berkas pada penyimpanan eksternal saja yang akan dienkripsi.", diff --git a/apps/encryption/l10n/is.js b/apps/encryption/l10n/is.js index 9a013e9de5371..3891ed7c8e704 100644 --- a/apps/encryption/l10n/is.js +++ b/apps/encryption/l10n/is.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "eins-skiptis lykilorð fyrir dulritun á þjóni", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Get ekki afkóðað þessa skrá, hugsanlega er þetta deild skrá. Biddu eiganda skrárinnar að deila henni aftur til þín.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Get ekki lesið þessa skrá, hugsanlega er þetta deild skrá. Biddu eiganda skrárinnar að deila henni aftur til þín.", + "Default encryption module" : "Sjálfgefin dulritunareining", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hæ,\n\nkerfisstjórinn virkjaði dulritun á vefþjóni. Skrárnar þínar voru dulritaðar með lykilorðinu '%s'.\n\nSkráðu þig inn í vefviðmótinu, farðu í hlutann 'Grunn-dulritunareining' (basic encryption module) í persónulegu stillingunum þínum og uppfærðu dulritunarlykilorðið þitt með því að setja þetta lykilorð inn í reitinn 'Gamla innskráningarlykilorðið' ásamt núverandi innskráningarlykilorði.\n\n", "The share will expire on %s." : "Gildistími deilingar rennur út %s.", "Cheers!" : "Til hamingju!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hæ,

kerfisstjórinn virkjaði dulritun á vefþjóni. Skrárnar þínar voru dulritaðar með lykilorðinu %s.

Skráðu þig inn í vefviðmótinu, farðu í hlutann 'Grunn-dulritunareining' (basic encryption module) í persónulegu stillingunum þínum og uppfærðu dulritunarlykilorðið þitt með því að setja þetta lykilorð inn í reitinn 'Gamla innskráningarlykilorðið' ásamt núverandi innskráningarlykilorði.

", - "Default encryption module" : "Sjálfgefin dulritunareining", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Dulritunarforritið er virkt en dulritunarlyklarnir þínir eru ekki tilbúnir til notkunar, skráðu þig út og svo aftur inn", "Encrypt the home storage" : "Dulrita heimamöppuna", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ef þessi kostur er virkur verða allar skrár í aðalgeymslu dulritaðar, annars verða einungis skrár í ytri gagnageymslum dulritaðar", diff --git a/apps/encryption/l10n/is.json b/apps/encryption/l10n/is.json index c0a4ef3bb0dd7..6ef5cbee4cdd0 100644 --- a/apps/encryption/l10n/is.json +++ b/apps/encryption/l10n/is.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "eins-skiptis lykilorð fyrir dulritun á þjóni", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Get ekki afkóðað þessa skrá, hugsanlega er þetta deild skrá. Biddu eiganda skrárinnar að deila henni aftur til þín.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Get ekki lesið þessa skrá, hugsanlega er þetta deild skrá. Biddu eiganda skrárinnar að deila henni aftur til þín.", + "Default encryption module" : "Sjálfgefin dulritunareining", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hæ,\n\nkerfisstjórinn virkjaði dulritun á vefþjóni. Skrárnar þínar voru dulritaðar með lykilorðinu '%s'.\n\nSkráðu þig inn í vefviðmótinu, farðu í hlutann 'Grunn-dulritunareining' (basic encryption module) í persónulegu stillingunum þínum og uppfærðu dulritunarlykilorðið þitt með því að setja þetta lykilorð inn í reitinn 'Gamla innskráningarlykilorðið' ásamt núverandi innskráningarlykilorði.\n\n", "The share will expire on %s." : "Gildistími deilingar rennur út %s.", "Cheers!" : "Til hamingju!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hæ,

kerfisstjórinn virkjaði dulritun á vefþjóni. Skrárnar þínar voru dulritaðar með lykilorðinu %s.

Skráðu þig inn í vefviðmótinu, farðu í hlutann 'Grunn-dulritunareining' (basic encryption module) í persónulegu stillingunum þínum og uppfærðu dulritunarlykilorðið þitt með því að setja þetta lykilorð inn í reitinn 'Gamla innskráningarlykilorðið' ásamt núverandi innskráningarlykilorði.

", - "Default encryption module" : "Sjálfgefin dulritunareining", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Dulritunarforritið er virkt en dulritunarlyklarnir þínir eru ekki tilbúnir til notkunar, skráðu þig út og svo aftur inn", "Encrypt the home storage" : "Dulrita heimamöppuna", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ef þessi kostur er virkur verða allar skrár í aðalgeymslu dulritaðar, annars verða einungis skrár í ytri gagnageymslum dulritaðar", diff --git a/apps/encryption/l10n/it.js b/apps/encryption/l10n/it.js index ce80dd7437473..db0d579059a8c 100644 --- a/apps/encryption/l10n/it.js +++ b/apps/encryption/l10n/it.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "password monouso per la cifratura lato server", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossibile decifrare questo file, probabilmente è un file condiviso. Chiedi al proprietario del file di condividere nuovamente il file con te.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossibile leggere questo file, probabilmente è un file condiviso. Chiedi al proprietario del file di condividere nuovamente il file con te.", + "Default encryption module" : "Modulo di cifratura predefinito", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Ciao,\n\nl'amministratore ha abilitato la cifratura lato server. I tuoi file sono stati\ncifrati utilizzando la password '%s'.\n\nAccedi all'interfaccia web, vai alla sezione 'modulo di cifratura base di' dalle nelle tue impostazioni personali e aggiorna la tua password di cifratura digitando la password nel campo 'vecchia password di accesso' e la tua nuova password.\n\n", "The share will expire on %s." : "La condivisione scadrà il %s.", "Cheers!" : "Saluti!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Ciao,

l'amministratore ha abilitato la cifratura lato server. I tuoi file sono stati cifrati utilizzando la password %s.

Accedi all'interfaccia web, vai alla sezione \"modulo di cifratura base di\" dalle nelle tue impostazioni personali e aggiorna la tua password di cifratura digitando la password nel campo \"vecchia password di accesso\" e la tua nuova password.", - "Default encryption module" : "Modulo di cifratura predefinito", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "L'applicazione di cifratura è abilitata, ma le chiavi non sono state inizializzate, disconnettiti ed effettua nuovamente l'accesso", "Encrypt the home storage" : "Cifra l'archiviazione principale", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "L'abilitazione di questa opzione cifra tutti i file memorizzati sull'archiviazione principale, altrimenti saranno cifrati solo i file sull'archiviazione esterna.", diff --git a/apps/encryption/l10n/it.json b/apps/encryption/l10n/it.json index 462425a507d33..90c1cd52bf620 100644 --- a/apps/encryption/l10n/it.json +++ b/apps/encryption/l10n/it.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "password monouso per la cifratura lato server", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossibile decifrare questo file, probabilmente è un file condiviso. Chiedi al proprietario del file di condividere nuovamente il file con te.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Impossibile leggere questo file, probabilmente è un file condiviso. Chiedi al proprietario del file di condividere nuovamente il file con te.", + "Default encryption module" : "Modulo di cifratura predefinito", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Ciao,\n\nl'amministratore ha abilitato la cifratura lato server. I tuoi file sono stati\ncifrati utilizzando la password '%s'.\n\nAccedi all'interfaccia web, vai alla sezione 'modulo di cifratura base di' dalle nelle tue impostazioni personali e aggiorna la tua password di cifratura digitando la password nel campo 'vecchia password di accesso' e la tua nuova password.\n\n", "The share will expire on %s." : "La condivisione scadrà il %s.", "Cheers!" : "Saluti!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Ciao,

l'amministratore ha abilitato la cifratura lato server. I tuoi file sono stati cifrati utilizzando la password %s.

Accedi all'interfaccia web, vai alla sezione \"modulo di cifratura base di\" dalle nelle tue impostazioni personali e aggiorna la tua password di cifratura digitando la password nel campo \"vecchia password di accesso\" e la tua nuova password.", - "Default encryption module" : "Modulo di cifratura predefinito", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "L'applicazione di cifratura è abilitata, ma le chiavi non sono state inizializzate, disconnettiti ed effettua nuovamente l'accesso", "Encrypt the home storage" : "Cifra l'archiviazione principale", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "L'abilitazione di questa opzione cifra tutti i file memorizzati sull'archiviazione principale, altrimenti saranno cifrati solo i file sull'archiviazione esterna.", diff --git a/apps/encryption/l10n/ja.js b/apps/encryption/l10n/ja.js index a1ffc807a78cb..adcafd753e6e2 100644 --- a/apps/encryption/l10n/ja.js +++ b/apps/encryption/l10n/ja.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "サーバーサイド暗号化のワンタイムパスワード", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "このファイルを復号化できません、共有ファイルの可能性があります。ファイルの所有者にお願いして、ファイルを共有しなおしてもらってください。", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "このファイルを読み取ることができません、共有ファイルの可能性があります。ファイルの所有者にお願いして、ファイルを共有しなおしてもらってください。", + "Default encryption module" : "デフォルトの暗号化モジュール", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "こんにちは\n\n管理者がサーバーサイド暗号化を有効にしました。'%s'というパスワードであなたのファイルが暗号化されました。\n\nWeb画面からログインして、個人設定画面の'基本暗号化モジュール' セクションにいき、暗号化パスワードの更新をお願いします。 '旧ログインパスワード'部分に上記パスワードを入力し、現在のログインパスワードで更新します。\n", "The share will expire on %s." : "共有は %s で有効期限が切れます。", "Cheers!" : "それでは!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "こんにちは、

管理者がサーバーサイド暗号化を有効にしました。%sというパスワードであなたのファイルが暗号化されました。

Web画面からログインして、個人設定画面の\"基本暗号化モジュール\"のセクションにいき、暗号化パスワードの更新をお願いします。 \"旧ログインパスワード”部分に上記パスワードを入力し、現在のログインパスワードで更新します。

", - "Default encryption module" : "デフォルトの暗号化モジュール", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "暗号化アプリは有効ですが、あなたの暗号化キーは初期化されていません。ログアウトした後に、再度ログインしてください", "Encrypt the home storage" : "メインストレージ暗号化", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "このオプションを有効にすると、外部ストレージ接続ストレージだけが暗号化されるのではなく、メインストレージのファイル全てが暗号化されます。", diff --git a/apps/encryption/l10n/ja.json b/apps/encryption/l10n/ja.json index 528e248eb9ca4..a6663a3cae768 100644 --- a/apps/encryption/l10n/ja.json +++ b/apps/encryption/l10n/ja.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "サーバーサイド暗号化のワンタイムパスワード", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "このファイルを復号化できません、共有ファイルの可能性があります。ファイルの所有者にお願いして、ファイルを共有しなおしてもらってください。", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "このファイルを読み取ることができません、共有ファイルの可能性があります。ファイルの所有者にお願いして、ファイルを共有しなおしてもらってください。", + "Default encryption module" : "デフォルトの暗号化モジュール", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "こんにちは\n\n管理者がサーバーサイド暗号化を有効にしました。'%s'というパスワードであなたのファイルが暗号化されました。\n\nWeb画面からログインして、個人設定画面の'基本暗号化モジュール' セクションにいき、暗号化パスワードの更新をお願いします。 '旧ログインパスワード'部分に上記パスワードを入力し、現在のログインパスワードで更新します。\n", "The share will expire on %s." : "共有は %s で有効期限が切れます。", "Cheers!" : "それでは!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "こんにちは、

管理者がサーバーサイド暗号化を有効にしました。%sというパスワードであなたのファイルが暗号化されました。

Web画面からログインして、個人設定画面の\"基本暗号化モジュール\"のセクションにいき、暗号化パスワードの更新をお願いします。 \"旧ログインパスワード”部分に上記パスワードを入力し、現在のログインパスワードで更新します。

", - "Default encryption module" : "デフォルトの暗号化モジュール", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "暗号化アプリは有効ですが、あなたの暗号化キーは初期化されていません。ログアウトした後に、再度ログインしてください", "Encrypt the home storage" : "メインストレージ暗号化", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "このオプションを有効にすると、外部ストレージ接続ストレージだけが暗号化されるのではなく、メインストレージのファイル全てが暗号化されます。", diff --git a/apps/encryption/l10n/ka_GE.js b/apps/encryption/l10n/ka_GE.js index 823e5319d62d5..ed8466163c00d 100644 --- a/apps/encryption/l10n/ka_GE.js +++ b/apps/encryption/l10n/ka_GE.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "ერთჯერადი პაროლი სერვერული მხარის შიფრაციისთვის", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "ამ ფაილის გაშიფვრა ვერ ხერხდება, ალბათ ის გაზიარებული ფაილია. გთხოვთ სთხოვოთ ფაილის მფლობელს ახლიდან გააზიაროს ის თქვენთან.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "ამ ფაილის წაკითხვა არ ხერხდება, ალბათ ის გაზიარებული ფაილია. გთხოვთ სთხოვოთ ფაილის მფლობელს ახლიდან გააზიაროს ის თქვენთან.", + "Default encryption module" : "საწყისი შიფრაციის მოდული", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "გამარჯობა,\n\nადმინისტრატორმა აამოქმედა სერვერული მხარის შიფრაცია. თქვენი ფაილების შიფრაცია მოხდა პაროლით '%s'.\n\nგთხოვთ ვებ-ინტერფეისში გაიაროთ ავტორიზაცია, პირად პარამეტრებში გადახვიდეთ სექციაზე 'მარტივი შიფრაციის მოდული' და განაახლოთ შიფრაციის პაროლი, 'ძველი ლოგინის პაროლისა' და ამჟამინდელი ლოგინის პაროლის შეყვანით.\n\n", "The share will expire on %s." : "გაზიარება გაუქმდება %s-ზე.", "Cheers!" : "წარმატებები!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "გამარჯობა,

ადმინისტრატორმა აამოქმედა სერვერული მხარის შიფრაცია. თქვენი ფაილების შიფრაცია მოხდა პაროლით %s.

გთხოვთ ვებ-ინტერფეისში გაიაროთ ავტორიზაცია, პირად პარამეტრებში გადახვიდეთ სექციაზე 'მარტივი შიფრაციის მოდული' და განაახლოთ შიფრაციის პაროლი, 'ძველი ლოგინის პაროლისა' და ამჟამინდელი ლოგინის პაროლის შეყვანით.

", - "Default encryption module" : "საწყისი შიფრაციის მოდული", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "შიფრაციის აპლიკაცია მოქმედია, მაგრამ თქვენი გასაღებები არაა ინციალიზირებული, გთხოვთ გახვიდეთ და ახლიდან გაიაროთ ავტორიზაცია", "Encrypt the home storage" : "სახლის საცავის შიფრაცია", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "ამ არჩევნის ამოქმედება დაშიფრავს ყველა ფაილს, რომელიც განთავსებულია მთავარ საცავში, სხვა შემთხვევაში დაიშიფრება მოხოლოდ ექსტერნალურ საცავში არსებული ფაილები", diff --git a/apps/encryption/l10n/ka_GE.json b/apps/encryption/l10n/ka_GE.json index 59cdea37ba1f3..8295c467ea411 100644 --- a/apps/encryption/l10n/ka_GE.json +++ b/apps/encryption/l10n/ka_GE.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "ერთჯერადი პაროლი სერვერული მხარის შიფრაციისთვის", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "ამ ფაილის გაშიფვრა ვერ ხერხდება, ალბათ ის გაზიარებული ფაილია. გთხოვთ სთხოვოთ ფაილის მფლობელს ახლიდან გააზიაროს ის თქვენთან.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "ამ ფაილის წაკითხვა არ ხერხდება, ალბათ ის გაზიარებული ფაილია. გთხოვთ სთხოვოთ ფაილის მფლობელს ახლიდან გააზიაროს ის თქვენთან.", + "Default encryption module" : "საწყისი შიფრაციის მოდული", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "გამარჯობა,\n\nადმინისტრატორმა აამოქმედა სერვერული მხარის შიფრაცია. თქვენი ფაილების შიფრაცია მოხდა პაროლით '%s'.\n\nგთხოვთ ვებ-ინტერფეისში გაიაროთ ავტორიზაცია, პირად პარამეტრებში გადახვიდეთ სექციაზე 'მარტივი შიფრაციის მოდული' და განაახლოთ შიფრაციის პაროლი, 'ძველი ლოგინის პაროლისა' და ამჟამინდელი ლოგინის პაროლის შეყვანით.\n\n", "The share will expire on %s." : "გაზიარება გაუქმდება %s-ზე.", "Cheers!" : "წარმატებები!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "გამარჯობა,

ადმინისტრატორმა აამოქმედა სერვერული მხარის შიფრაცია. თქვენი ფაილების შიფრაცია მოხდა პაროლით %s.

გთხოვთ ვებ-ინტერფეისში გაიაროთ ავტორიზაცია, პირად პარამეტრებში გადახვიდეთ სექციაზე 'მარტივი შიფრაციის მოდული' და განაახლოთ შიფრაციის პაროლი, 'ძველი ლოგინის პაროლისა' და ამჟამინდელი ლოგინის პაროლის შეყვანით.

", - "Default encryption module" : "საწყისი შიფრაციის მოდული", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "შიფრაციის აპლიკაცია მოქმედია, მაგრამ თქვენი გასაღებები არაა ინციალიზირებული, გთხოვთ გახვიდეთ და ახლიდან გაიაროთ ავტორიზაცია", "Encrypt the home storage" : "სახლის საცავის შიფრაცია", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "ამ არჩევნის ამოქმედება დაშიფრავს ყველა ფაილს, რომელიც განთავსებულია მთავარ საცავში, სხვა შემთხვევაში დაიშიფრება მოხოლოდ ექსტერნალურ საცავში არსებული ფაილები", diff --git a/apps/encryption/l10n/ko.js b/apps/encryption/l10n/ko.js index bd89c46697ffd..f344ac21a2241 100644 --- a/apps/encryption/l10n/ko.js +++ b/apps/encryption/l10n/ko.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "서버 측 암호화용 일회용 암호", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "이 파일을 복호화할 수 없습니다. 공유된 파일일 수도 있습니다. 파일 소유자에게 공유를 다시 요청하십시오.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "이 파일을 읽을 수 없습니다. 공유된 파일이라면 파일 소유자에게 연락하여 다시 공유해 달라고 요청하십시오.", + "Default encryption module" : "기본 암호화 모듈", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "안녕하세요,\n\n시스템 관리자가 서버 측 암호화를 활성화했습니다. 저장된 파일이 암호 '%s'으(로) 암호화되었습니다.\n\n웹 인터페이스에 로그인하여 개인 설정의 '기본 암호화 모듈'로 이동한 다음, '이전 로그인 암호' 필드에 위 암호를 입력하고 현재 로그인 암호로 변경하여 암호화 암호를 업데이트하십시오.\n\n", "The share will expire on %s." : "이 공유는 %s에 만료됩니다.", "Cheers!" : "감사합니다!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "안녕하세요,

시스템 관리자가 서버 측 암호화를 활성화했습니다. 저장된 파일이 암호 %s으(로) 암호화되었습니다.

웹 인터페이스에 로그인하여 개인 설정의 '기본 암호화 모듈'로 이동한 다음, '이전 로그인 암호' 필드에 위 암호를 입력하고 현재 로그인 암호로 변경하여 암호화 암호를 업데이트하십시오.

", - "Default encryption module" : "기본 암호화 모듈", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "암호화 앱이 활성화되어 있지만 키가 초기화되지 않았습니다. 로그아웃한 후 다시 로그인하십시오", "Encrypt the home storage" : "홈 저장소 암호화", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "이 옵션을 사용하면 주 저장소에 있는 모드 파일을 암호화하며, 사용하지 않으면 외부 저장소의 파일만 암호화합니다", diff --git a/apps/encryption/l10n/ko.json b/apps/encryption/l10n/ko.json index 4545eccb38452..c092b2b82ddd1 100644 --- a/apps/encryption/l10n/ko.json +++ b/apps/encryption/l10n/ko.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "서버 측 암호화용 일회용 암호", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "이 파일을 복호화할 수 없습니다. 공유된 파일일 수도 있습니다. 파일 소유자에게 공유를 다시 요청하십시오.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "이 파일을 읽을 수 없습니다. 공유된 파일이라면 파일 소유자에게 연락하여 다시 공유해 달라고 요청하십시오.", + "Default encryption module" : "기본 암호화 모듈", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "안녕하세요,\n\n시스템 관리자가 서버 측 암호화를 활성화했습니다. 저장된 파일이 암호 '%s'으(로) 암호화되었습니다.\n\n웹 인터페이스에 로그인하여 개인 설정의 '기본 암호화 모듈'로 이동한 다음, '이전 로그인 암호' 필드에 위 암호를 입력하고 현재 로그인 암호로 변경하여 암호화 암호를 업데이트하십시오.\n\n", "The share will expire on %s." : "이 공유는 %s에 만료됩니다.", "Cheers!" : "감사합니다!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "안녕하세요,

시스템 관리자가 서버 측 암호화를 활성화했습니다. 저장된 파일이 암호 %s으(로) 암호화되었습니다.

웹 인터페이스에 로그인하여 개인 설정의 '기본 암호화 모듈'로 이동한 다음, '이전 로그인 암호' 필드에 위 암호를 입력하고 현재 로그인 암호로 변경하여 암호화 암호를 업데이트하십시오.

", - "Default encryption module" : "기본 암호화 모듈", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "암호화 앱이 활성화되어 있지만 키가 초기화되지 않았습니다. 로그아웃한 후 다시 로그인하십시오", "Encrypt the home storage" : "홈 저장소 암호화", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "이 옵션을 사용하면 주 저장소에 있는 모드 파일을 암호화하며, 사용하지 않으면 외부 저장소의 파일만 암호화합니다", diff --git a/apps/encryption/l10n/lt_LT.js b/apps/encryption/l10n/lt_LT.js index 8ae6fde335aa6..dedaf059f484c 100644 --- a/apps/encryption/l10n/lt_LT.js +++ b/apps/encryption/l10n/lt_LT.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "vienkartinis slaptažodis skirtas šifravimui", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nepavyksta iššifruoti šio failo, tikriausiai, tai yra bendrinamas failas. Paprašykite failo savininko iš naujo pradėti bendrinti su jumis šį failą.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nepavyksta perskaityti šio failo, tikriausiai, tai yra bendrinamas failas. Paprašykite failo savininko iš naujo pradėti bendrinti su jumis šį failą.", + "Default encryption module" : "Numatytasis šifravimo modulis", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Sveiki,\n\nAdministratorius įjungė šifravimą sistemoje. Jūsų failai buvo užšifruoti naudojantis šiuo slaptažodžiu: \"%s\".\n\nPrisijunkite prie sistemos, atidarykite nustatymus, pasirinkite skiltį \"Šifravimo įskiepis\" ir atnaujinkite savo šifravimui skirtą slaptažodį pasinaudodami šiuo ir savo prisijungimo slaptažodžiu.\n\n", "The share will expire on %s." : "Bendrinimo laikas pasibaigs %s.", "Cheers!" : "Sveikinimai!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Sveiki,

Administratorius įjungė šifravimą sistemoje. Jūsų failai buvo užšifruoti naudojantis šiuo slaptažodžiu: %s.

Prisijunkite prie sistemos, atidarykite nustatymus, pasirinkite skiltį \"Šifravimo įskiepis\" ir atnaujinkite savo šifravimui skirtą slaptažodį pasinaudodami šiuo ir savo prisijungimo slaptažodžiu.

", - "Default encryption module" : "Numatytasis šifravimo modulis", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Šifravimo įskiepis veikia, tačiau privatus ir atkūrimo raktas nebuvo panaudotas. Pabandykite prisijungti iš naujo", "Encrypt the home storage" : "Šifruoti visą saugyklą", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ši parinktis užšifruos visus duomenis, esančius visoje saugykloje. Jei pasirinkimas šioje skiltyje liks išjungtas, tada duomenys, esantys išorinėje saugykloje bus užšifruoti.", diff --git a/apps/encryption/l10n/lt_LT.json b/apps/encryption/l10n/lt_LT.json index 0af867d3d5502..6bb85ab6b610e 100644 --- a/apps/encryption/l10n/lt_LT.json +++ b/apps/encryption/l10n/lt_LT.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "vienkartinis slaptažodis skirtas šifravimui", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nepavyksta iššifruoti šio failo, tikriausiai, tai yra bendrinamas failas. Paprašykite failo savininko iš naujo pradėti bendrinti su jumis šį failą.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nepavyksta perskaityti šio failo, tikriausiai, tai yra bendrinamas failas. Paprašykite failo savininko iš naujo pradėti bendrinti su jumis šį failą.", + "Default encryption module" : "Numatytasis šifravimo modulis", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Sveiki,\n\nAdministratorius įjungė šifravimą sistemoje. Jūsų failai buvo užšifruoti naudojantis šiuo slaptažodžiu: \"%s\".\n\nPrisijunkite prie sistemos, atidarykite nustatymus, pasirinkite skiltį \"Šifravimo įskiepis\" ir atnaujinkite savo šifravimui skirtą slaptažodį pasinaudodami šiuo ir savo prisijungimo slaptažodžiu.\n\n", "The share will expire on %s." : "Bendrinimo laikas pasibaigs %s.", "Cheers!" : "Sveikinimai!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Sveiki,

Administratorius įjungė šifravimą sistemoje. Jūsų failai buvo užšifruoti naudojantis šiuo slaptažodžiu: %s.

Prisijunkite prie sistemos, atidarykite nustatymus, pasirinkite skiltį \"Šifravimo įskiepis\" ir atnaujinkite savo šifravimui skirtą slaptažodį pasinaudodami šiuo ir savo prisijungimo slaptažodžiu.

", - "Default encryption module" : "Numatytasis šifravimo modulis", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Šifravimo įskiepis veikia, tačiau privatus ir atkūrimo raktas nebuvo panaudotas. Pabandykite prisijungti iš naujo", "Encrypt the home storage" : "Šifruoti visą saugyklą", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ši parinktis užšifruos visus duomenis, esančius visoje saugykloje. Jei pasirinkimas šioje skiltyje liks išjungtas, tada duomenys, esantys išorinėje saugykloje bus užšifruoti.", diff --git a/apps/encryption/l10n/nb.js b/apps/encryption/l10n/nb.js index 78b3699471044..22d4e7ea9195e 100644 --- a/apps/encryption/l10n/nb.js +++ b/apps/encryption/l10n/nb.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "engangspassord for kryptering på tjenersiden", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke dekryptere denne filen. Dette er sannsynligvis en delt fil. Spør eieren av filen om å dele den med deg på nytt.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke lese denne filen, som sannsynligvis er en delt fil. Be eieren av filen om å dele den med deg på nytt.", + "Default encryption module" : "Standard krypteringsmodul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hei,\n\nAdministratoren har aktivert kryptering på tjenersiden. Filene dine har blitt kryptert med passordet '%s'.\n\nlogg inn på vev-grensesnittet, gå til seksjonen 'grunnleggende krypteringsmodul' i dine personlige innstillinger og oppdater krypteringspassordet ditt ved å legge inn dette passordet i feltet 'gammelt påloggingspassord' sammen med ditt nåværende påloggingspassord.\n", "The share will expire on %s." : "Delingen vil opphøre %s.", "Cheers!" : "Ha det!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hei,

Administratoren har skrudd på kryptering på tjenersiden. Filene dine er blitt kryptert med passordet %s.

Logg inn på vev-grensesnittet, gå til seksjonen \"grunnleggende krypteringsmodul\" i dine personlige innstillinger og oppdater krypteringspassordet ditt ved å legge inn dette passordet i feltet \"gammelt påloggingspassord\" sammen med ditt nåværende påloggingspassord.

", - "Default encryption module" : "Standard krypteringsmodul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Program for kryptering er aktivert men nøklene dine er ikke satt opp. Logg ut og inn igjen.", "Encrypt the home storage" : "Krypter hjemmelageret", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aktivering av dette valget krypterer alle filer som er lagret på hovedlageret. Ellers vil kun filer på eksterne lagre bli kryptert.", diff --git a/apps/encryption/l10n/nb.json b/apps/encryption/l10n/nb.json index 8d74466d8ee02..f7985edb9df9d 100644 --- a/apps/encryption/l10n/nb.json +++ b/apps/encryption/l10n/nb.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "engangspassord for kryptering på tjenersiden", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke dekryptere denne filen. Dette er sannsynligvis en delt fil. Spør eieren av filen om å dele den med deg på nytt.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ikke lese denne filen, som sannsynligvis er en delt fil. Be eieren av filen om å dele den med deg på nytt.", + "Default encryption module" : "Standard krypteringsmodul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hei,\n\nAdministratoren har aktivert kryptering på tjenersiden. Filene dine har blitt kryptert med passordet '%s'.\n\nlogg inn på vev-grensesnittet, gå til seksjonen 'grunnleggende krypteringsmodul' i dine personlige innstillinger og oppdater krypteringspassordet ditt ved å legge inn dette passordet i feltet 'gammelt påloggingspassord' sammen med ditt nåværende påloggingspassord.\n", "The share will expire on %s." : "Delingen vil opphøre %s.", "Cheers!" : "Ha det!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hei,

Administratoren har skrudd på kryptering på tjenersiden. Filene dine er blitt kryptert med passordet %s.

Logg inn på vev-grensesnittet, gå til seksjonen \"grunnleggende krypteringsmodul\" i dine personlige innstillinger og oppdater krypteringspassordet ditt ved å legge inn dette passordet i feltet \"gammelt påloggingspassord\" sammen med ditt nåværende påloggingspassord.

", - "Default encryption module" : "Standard krypteringsmodul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Program for kryptering er aktivert men nøklene dine er ikke satt opp. Logg ut og inn igjen.", "Encrypt the home storage" : "Krypter hjemmelageret", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aktivering av dette valget krypterer alle filer som er lagret på hovedlageret. Ellers vil kun filer på eksterne lagre bli kryptert.", diff --git a/apps/encryption/l10n/nl.js b/apps/encryption/l10n/nl.js index 2c48482a182bb..875bde19537a9 100644 --- a/apps/encryption/l10n/nl.js +++ b/apps/encryption/l10n/nl.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "eenmalig wachtwoord voor server-side versleuteling", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan dit bestand niet ontcijferen, waarschijnlijk is het een gedeeld bestand, Vraag de eigenaar om het bestand opnieuw met je te delen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan dit bestand niet lezen, waarschijnlijk is het een gedeeld bestand. Vraag de eigenaar om het bestand opnieuw met je te delen.", + "Default encryption module" : "Standaard cryptomodule", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hallo daar,\n\nde beheerder heeft server-side versleuteling ingeschakeld. Je bestanden werden versleuteld met het wachtwoord '%s'.\n\nLogin op de webinterface, ga naar 'basis cryptomodule' in je persoonlijke instellingen en pas je cryptowachtwoord aan door dit wachtwoord in het 'oude inlog wachtwoord' veld in te vullen alsmede in je huidige inlogwachtwoord.\n", "The share will expire on %s." : "De share vervalt op %s.", "Cheers!" : "Proficiat!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hallo daar,

de beheerder heeft server-side versleuteling ingeschakeld. Je bestanden werden versleuteld met het wachtwoord %s.

Login op de webinterface, ga naar 'basis cryptomodule' in je persoonlijke instellingen en pas je cryptowachtwoord aan door dit wachtwoord in het \"oude inlog wachtwoord\" veld in te vullen alsmede in je huidige inlogwachtwoord.

", - "Default encryption module" : "Standaard cryptomodule", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is ingeschakeld, maar je sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in.", "Encrypt the home storage" : "Versleutel de eigen serveropslag", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Het inschakelen van deze optie zorgt voor versleutelen van alle bestanden op de hoofdopslag, anders worden alleen bestanden op externe opslag versleuteld", diff --git a/apps/encryption/l10n/nl.json b/apps/encryption/l10n/nl.json index c2ad13385da90..3da2a2f1b9460 100644 --- a/apps/encryption/l10n/nl.json +++ b/apps/encryption/l10n/nl.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "eenmalig wachtwoord voor server-side versleuteling", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan dit bestand niet ontcijferen, waarschijnlijk is het een gedeeld bestand, Vraag de eigenaar om het bestand opnieuw met je te delen.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan dit bestand niet lezen, waarschijnlijk is het een gedeeld bestand. Vraag de eigenaar om het bestand opnieuw met je te delen.", + "Default encryption module" : "Standaard cryptomodule", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hallo daar,\n\nde beheerder heeft server-side versleuteling ingeschakeld. Je bestanden werden versleuteld met het wachtwoord '%s'.\n\nLogin op de webinterface, ga naar 'basis cryptomodule' in je persoonlijke instellingen en pas je cryptowachtwoord aan door dit wachtwoord in het 'oude inlog wachtwoord' veld in te vullen alsmede in je huidige inlogwachtwoord.\n", "The share will expire on %s." : "De share vervalt op %s.", "Cheers!" : "Proficiat!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hallo daar,

de beheerder heeft server-side versleuteling ingeschakeld. Je bestanden werden versleuteld met het wachtwoord %s.

Login op de webinterface, ga naar 'basis cryptomodule' in je persoonlijke instellingen en pas je cryptowachtwoord aan door dit wachtwoord in het \"oude inlog wachtwoord\" veld in te vullen alsmede in je huidige inlogwachtwoord.

", - "Default encryption module" : "Standaard cryptomodule", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Crypto app is ingeschakeld, maar je sleutels werden niet geïnitialiseerd. Log uit en log daarna opnieuw in.", "Encrypt the home storage" : "Versleutel de eigen serveropslag", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Het inschakelen van deze optie zorgt voor versleutelen van alle bestanden op de hoofdopslag, anders worden alleen bestanden op externe opslag versleuteld", diff --git a/apps/encryption/l10n/pl.js b/apps/encryption/l10n/pl.js index 3f3d2960f0a21..b3039f7fc3678 100644 --- a/apps/encryption/l10n/pl.js +++ b/apps/encryption/l10n/pl.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "jednorazowe hasło do serwera szyfrowania strony", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nie można odszyfrować tego pliku, prawdopodobnie jest to plik udostępniony. Poproś właściciela pliku o ponowne udostępnianie pliku Tobie.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nie można odczytać tego pliku, prawdopodobnie plik nie jest współdzielony. Proszę zwrócić się do właściciela pliku, aby udostępnił go dla Ciebie.", + "Default encryption module" : "Domyślny moduł szyfrujący", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hej tam,\n\nadmin włączył szyfrowanie po stronie serwera. Twoje pliki zostały zaszyfrowane przy użyciu hasła '%s'.\n\nProszę zalogować się do interfejsu internetowego, przejdź do sekcji Nextcloud podstawowy moduł szyfrowania, następnie osobiste ustawienia i zaktualizuj hasło szyfrowania wpisując aktualny login, w polu stare hasło logowania wpisz stare hasło, a następnie aktualne hasło.\n\n", "The share will expire on %s." : "Ten zasób wygaśnie %s", "Cheers!" : "Dzięki!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hej tam,

admin włączył szyfrowanie po stronie serwera. Twoje pliki zostały zaszyfrowane przy użyciu hasła %s.

Proszę zalogować się do interfejsu internetowego, przejdź do sekcji Nextcloud podstawowy moduł szyfrowania, następnie osobiste ustawienia i zaktualizuj hasło szyfrowania wpisując aktualny login, w polu stare hasło logowania wpisz stare hasło, a następnie aktualne hasło.

", - "Default encryption module" : "Domyślny moduł szyfrujący", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Szyfrowanie w aplikacji jest włączone, ale klucze nie są zainicjowane. Prosimy wylogować się i ponownie zalogować się.", "Encrypt the home storage" : "Szyfrowanie przechowywanie w domu", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Włączenie tej opcji spowoduje szyfrowanie wszystkich plików zapisanych na pamięci wewnętrznej. W innym wypadku szyfrowane będą tylko pliki na pamięci zewnętrznej.", diff --git a/apps/encryption/l10n/pl.json b/apps/encryption/l10n/pl.json index f6a5baf19369f..20f895a6fbb83 100644 --- a/apps/encryption/l10n/pl.json +++ b/apps/encryption/l10n/pl.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "jednorazowe hasło do serwera szyfrowania strony", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nie można odszyfrować tego pliku, prawdopodobnie jest to plik udostępniony. Poproś właściciela pliku o ponowne udostępnianie pliku Tobie.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nie można odczytać tego pliku, prawdopodobnie plik nie jest współdzielony. Proszę zwrócić się do właściciela pliku, aby udostępnił go dla Ciebie.", + "Default encryption module" : "Domyślny moduł szyfrujący", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hej tam,\n\nadmin włączył szyfrowanie po stronie serwera. Twoje pliki zostały zaszyfrowane przy użyciu hasła '%s'.\n\nProszę zalogować się do interfejsu internetowego, przejdź do sekcji Nextcloud podstawowy moduł szyfrowania, następnie osobiste ustawienia i zaktualizuj hasło szyfrowania wpisując aktualny login, w polu stare hasło logowania wpisz stare hasło, a następnie aktualne hasło.\n\n", "The share will expire on %s." : "Ten zasób wygaśnie %s", "Cheers!" : "Dzięki!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hej tam,

admin włączył szyfrowanie po stronie serwera. Twoje pliki zostały zaszyfrowane przy użyciu hasła %s.

Proszę zalogować się do interfejsu internetowego, przejdź do sekcji Nextcloud podstawowy moduł szyfrowania, następnie osobiste ustawienia i zaktualizuj hasło szyfrowania wpisując aktualny login, w polu stare hasło logowania wpisz stare hasło, a następnie aktualne hasło.

", - "Default encryption module" : "Domyślny moduł szyfrujący", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Szyfrowanie w aplikacji jest włączone, ale klucze nie są zainicjowane. Prosimy wylogować się i ponownie zalogować się.", "Encrypt the home storage" : "Szyfrowanie przechowywanie w domu", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Włączenie tej opcji spowoduje szyfrowanie wszystkich plików zapisanych na pamięci wewnętrznej. W innym wypadku szyfrowane będą tylko pliki na pamięci zewnętrznej.", diff --git a/apps/encryption/l10n/pt_BR.js b/apps/encryption/l10n/pt_BR.js index 77a54cedcae85..85f0e7cdb26f7 100644 --- a/apps/encryption/l10n/pt_BR.js +++ b/apps/encryption/l10n/pt_BR.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "senha de uso único para criptografia do lado do servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Este arquivo não pode ser descriptografado pois provavelmente é um arquivo compartilhado. Por favor, peça ao dono do arquivo para recompartilhá-lo com você.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Não foi possível ler este arquivo pois provavelmente é um arquivo compartilhado. Por favor, peça ao dono do arquivo para recompartilhá-lo com você.", + "Default encryption module" : "Módulo de criptografia padrão", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Olá,\n\nO administrador habilitou a criptografia do lado do servidor. Os seus arquivos foram criptografados usando a senha '%s'.\n\nPor favor faça o login na interface web, vá para a seção 'módulo de criptografia básico' das suas definições pessoais e atualize sua senha de criptografia, inserindo esta senha no campo 'senha antiga de log-in' e sua senha de login atual.\n\n", "The share will expire on %s." : "O compartilhamento irá expirar em %s.", "Cheers!" : "Saudações!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Olá,

o administrador habilitou a criptografia do lado do servidor. Os seus arquivos foram criptografados usando a senha %s.

Por favor, faça o login na interface web, vá para a seção 'módulo de criptografia básico' das suas definições pessoais e atualize sua senha de criptografia, inserindo esta senha no campo 'senha antiga de log-in' e sua senha de login atual.

", - "Default encryption module" : "Módulo de criptografia padrão", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "O aplicativo de criptografia está habilitado, mas suas chaves não foram inicializadas. Por favor, saia e entre novamente.", "Encrypt the home storage" : "Criptografar a pasta de armazenamento home", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ativar essa opção irá criptografar todos os arquivos do armazenamento principal, caso contrário, apenas arquivos no armazenamento externo serão criptografados", diff --git a/apps/encryption/l10n/pt_BR.json b/apps/encryption/l10n/pt_BR.json index e2c7369d87002..8188152b062ca 100644 --- a/apps/encryption/l10n/pt_BR.json +++ b/apps/encryption/l10n/pt_BR.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "senha de uso único para criptografia do lado do servidor", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Este arquivo não pode ser descriptografado pois provavelmente é um arquivo compartilhado. Por favor, peça ao dono do arquivo para recompartilhá-lo com você.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Não foi possível ler este arquivo pois provavelmente é um arquivo compartilhado. Por favor, peça ao dono do arquivo para recompartilhá-lo com você.", + "Default encryption module" : "Módulo de criptografia padrão", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Olá,\n\nO administrador habilitou a criptografia do lado do servidor. Os seus arquivos foram criptografados usando a senha '%s'.\n\nPor favor faça o login na interface web, vá para a seção 'módulo de criptografia básico' das suas definições pessoais e atualize sua senha de criptografia, inserindo esta senha no campo 'senha antiga de log-in' e sua senha de login atual.\n\n", "The share will expire on %s." : "O compartilhamento irá expirar em %s.", "Cheers!" : "Saudações!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Olá,

o administrador habilitou a criptografia do lado do servidor. Os seus arquivos foram criptografados usando a senha %s.

Por favor, faça o login na interface web, vá para a seção 'módulo de criptografia básico' das suas definições pessoais e atualize sua senha de criptografia, inserindo esta senha no campo 'senha antiga de log-in' e sua senha de login atual.

", - "Default encryption module" : "Módulo de criptografia padrão", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "O aplicativo de criptografia está habilitado, mas suas chaves não foram inicializadas. Por favor, saia e entre novamente.", "Encrypt the home storage" : "Criptografar a pasta de armazenamento home", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Ativar essa opção irá criptografar todos os arquivos do armazenamento principal, caso contrário, apenas arquivos no armazenamento externo serão criptografados", diff --git a/apps/encryption/l10n/ru.js b/apps/encryption/l10n/ru.js index 0d0f076fd02f8..35a74786c0c7f 100644 --- a/apps/encryption/l10n/ru.js +++ b/apps/encryption/l10n/ru.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "одноразовый пароль для шифрования на стороне сервера", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не удалось расшифровать файл, возможно это опубликованный файл. Попросите владельца файла повторно открыть к нему доступ.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не удается прочитать файл, возможно это публичный файл. Пожалуйста попросите владельца открыть доступ снова.", + "Default encryption module" : "Модуль шифрования по-умолчанию", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Привет,\n\nадминистратор включил шифрование на стороне сервера. Ваши файлы были зашифрованы с использованием пароля «%s».\n\nПожалуйста войдите в веб-приложение, в разделе «простой модуль шифрования» в личных настройках вам нужно обновить пароль шифрования, указав этот пароль в поле \"старый пароль\".\n", "The share will expire on %s." : "Доступ будет закрыт %s", "Cheers!" : "Всего наилучшего!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Привет,

администратор включил шифрование на стороне сервера. Ваши файлы были зашифрованы с помощью пароля %s.

Пожалуйста войдите в веб-приложение, в разделе «простой модуль шифрования» в личных настройках вам нужно обновить пароль шифрования, указав этот пароль в поле \"старый пароль\".

", - "Default encryption module" : "Модуль шифрования по-умолчанию", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Приложение шифрования активно, но ваши ключи не инициализированы, выйдите из системы и войдите заново", "Encrypt the home storage" : "Шифровать домашнюю директорию", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "При включении данного параметра будут зашифрованы все файлы, хранящиеся в основном хранилище. В противном случае шифруются только файлы на внешних хранилищах.", diff --git a/apps/encryption/l10n/ru.json b/apps/encryption/l10n/ru.json index 22cfa96854c8e..541e96c98f8b8 100644 --- a/apps/encryption/l10n/ru.json +++ b/apps/encryption/l10n/ru.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "одноразовый пароль для шифрования на стороне сервера", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не удалось расшифровать файл, возможно это опубликованный файл. Попросите владельца файла повторно открыть к нему доступ.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не удается прочитать файл, возможно это публичный файл. Пожалуйста попросите владельца открыть доступ снова.", + "Default encryption module" : "Модуль шифрования по-умолчанию", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Привет,\n\nадминистратор включил шифрование на стороне сервера. Ваши файлы были зашифрованы с использованием пароля «%s».\n\nПожалуйста войдите в веб-приложение, в разделе «простой модуль шифрования» в личных настройках вам нужно обновить пароль шифрования, указав этот пароль в поле \"старый пароль\".\n", "The share will expire on %s." : "Доступ будет закрыт %s", "Cheers!" : "Всего наилучшего!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Привет,

администратор включил шифрование на стороне сервера. Ваши файлы были зашифрованы с помощью пароля %s.

Пожалуйста войдите в веб-приложение, в разделе «простой модуль шифрования» в личных настройках вам нужно обновить пароль шифрования, указав этот пароль в поле \"старый пароль\".

", - "Default encryption module" : "Модуль шифрования по-умолчанию", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Приложение шифрования активно, но ваши ключи не инициализированы, выйдите из системы и войдите заново", "Encrypt the home storage" : "Шифровать домашнюю директорию", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "При включении данного параметра будут зашифрованы все файлы, хранящиеся в основном хранилище. В противном случае шифруются только файлы на внешних хранилищах.", diff --git a/apps/encryption/l10n/sk.js b/apps/encryption/l10n/sk.js index d03c1ba16790e..812d7fb19f1f6 100644 --- a/apps/encryption/l10n/sk.js +++ b/apps/encryption/l10n/sk.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "jednorazové heslo na šifrovanie na strane servera", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tento súbor nie je možné rozšifrovať, môže ísť o súbor sprístupnený iným používateľom. Požiadajte majiteľa súboru, aby vám ho sprístupnil ešte raz.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tento súbor nie je možné prečítať, môže ísť o súbor sprístupnený iným používateľom. Požiadajte majiteľa súboru, aby vám ho sprístupnil ešte raz.", + "Default encryption module" : "Predvolený šifrovací modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Dobrý deň,\n\nAdministrátor povolil šifrovanie na strane servera. Vaše súbory boli zašifrované pomocou hesla '%s'.\n\nPrihláste sa prosím cez webový prehliadač, choďte do sekcie základného šifrovacieho modulu v osobných nastaveniach a zadajte horeuvedené heslo do políčka 'staré prihlasovacie heslo' a vaše súčasné prihlasovacie heslo.\n\n", "The share will expire on %s." : "Sprístupnenie vyprší %s.", "Cheers!" : "Pekný deň!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Dobrý deň,

Administrátor povolil šifrovanie na strane servera. Vaše súbory boli zašifrované pomocou hesla %s.

Prihláste sa prosím cez webový prehliadač, choďte do sekcie základného šifrovacieho modulu v osobných nastaveniach a zadajte horeuvedené heslo do políčka 'staré prihlasovacie heslo' a vaše súčasné prihlasovacie heslo.

", - "Default encryption module" : "Predvolený šifrovací modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikácia pre šifrovanie je povolená, ale vaše kľúče nie sú inicializované. Odhláste sa a znovu sa prihláste.", "Encrypt the home storage" : "Šifrovať domáce úložisko", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Zapnutím tejto voľby zašifrujete všetky súbory v hlavnom úložisku, v opačnom prípade zašifrujete iba súbory na externom úložisku.", diff --git a/apps/encryption/l10n/sk.json b/apps/encryption/l10n/sk.json index 191030b1cb702..29aade4d013d3 100644 --- a/apps/encryption/l10n/sk.json +++ b/apps/encryption/l10n/sk.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "jednorazové heslo na šifrovanie na strane servera", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tento súbor nie je možné rozšifrovať, môže ísť o súbor sprístupnený iným používateľom. Požiadajte majiteľa súboru, aby vám ho sprístupnil ešte raz.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Tento súbor nie je možné prečítať, môže ísť o súbor sprístupnený iným používateľom. Požiadajte majiteľa súboru, aby vám ho sprístupnil ešte raz.", + "Default encryption module" : "Predvolený šifrovací modul", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Dobrý deň,\n\nAdministrátor povolil šifrovanie na strane servera. Vaše súbory boli zašifrované pomocou hesla '%s'.\n\nPrihláste sa prosím cez webový prehliadač, choďte do sekcie základného šifrovacieho modulu v osobných nastaveniach a zadajte horeuvedené heslo do políčka 'staré prihlasovacie heslo' a vaše súčasné prihlasovacie heslo.\n\n", "The share will expire on %s." : "Sprístupnenie vyprší %s.", "Cheers!" : "Pekný deň!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Dobrý deň,

Administrátor povolil šifrovanie na strane servera. Vaše súbory boli zašifrované pomocou hesla %s.

Prihláste sa prosím cez webový prehliadač, choďte do sekcie základného šifrovacieho modulu v osobných nastaveniach a zadajte horeuvedené heslo do políčka 'staré prihlasovacie heslo' a vaše súčasné prihlasovacie heslo.

", - "Default encryption module" : "Predvolený šifrovací modul", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikácia pre šifrovanie je povolená, ale vaše kľúče nie sú inicializované. Odhláste sa a znovu sa prihláste.", "Encrypt the home storage" : "Šifrovať domáce úložisko", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Zapnutím tejto voľby zašifrujete všetky súbory v hlavnom úložisku, v opačnom prípade zašifrujete iba súbory na externom úložisku.", diff --git a/apps/encryption/l10n/sq.js b/apps/encryption/l10n/sq.js index 71ed392dedf7a..092a51b968f94 100644 --- a/apps/encryption/l10n/sq.js +++ b/apps/encryption/l10n/sq.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "fjalëkalim vetëm për një herë, për fshehtëzim-më-anë-shërbyesi", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nuk shfshehtëzohet dot kjo kartelë, ndoshta është kartelë e ndarë me të tjerët. Ju lutemi, kërkojini të zotit të kartelës ta rindajë kartelën me ju.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "S’lexohet dot kjo kartelë, ndoshta është kartelë e ndarë me të tjerët. Ju lutemi, kërkojini të zotit të kartelës ta rindajë kartelën me ju.", + "Default encryption module" : "Modul i parazgjedhur fshehtëzimi", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Njatjeta,\n\npërgjegjësi aktivizoi fshehtëzim më anë shërbyesi. Kartelat tuaja qenë fshehtëzuar duke përdorur fjalëkalimin '%s'.\n\nJu lutemi, bëni hyrjen te ndërfaqja web, kaloni te ndarja 'modul i thjeshtëpër fshehtëzime' e rregullimeve tuaja personale dhe përditësoni fjalëkalimin tuaj për fshehtëzime duke dhënë këtë fjalëkalim te fusha 'old log-in password' dhe fjalëkalimin tuaj të tanishëm për hyrjet.\n\n", "The share will expire on %s." : "Ndarja do të skadojë më %s.", "Cheers!" : "Gëzuar!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Njatjeta,

përgjegjësi aktivizoi fshehtëzim më anë shërbyesi. Kartelat tuaja qenë fshehtëzuar duke përdorur fjalëkalimin %s.

Ju lutemi, bëni hyrjen te ndërfaqja web, kaloni te ndarja \"modul i thjeshtëpër fshehtëzime\" e rregullimeve tuaja personale dhe përditësoni fjalëkalimin tuaj për fshehtëzime duke dhënë këtë fjalëkalim te fusha \"old log-in password\" dhe fjalëkalimin tuaj të tanishëm për hyrjet.

", - "Default encryption module" : "Modul i parazgjedhur fshehtëzimi", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacioni i fshehtëzimeve është i aktivizuar, por kyçet tuaj s’janë vënë në punë, ju lutemi, dilni dhe ribëni hyrjen", "Encrypt the home storage" : "Fshehtëzo depozitën bazë", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aktivizimi i kësaj mundësie fshehtëzon krejt kartelat e depozituara në depon bazë, përndryshe do të fshehtëzohen vetëm kartelat në depozitën e jashtme", diff --git a/apps/encryption/l10n/sq.json b/apps/encryption/l10n/sq.json index f7a93102e6706..ca641630f29b6 100644 --- a/apps/encryption/l10n/sq.json +++ b/apps/encryption/l10n/sq.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "fjalëkalim vetëm për një herë, për fshehtëzim-më-anë-shërbyesi", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Nuk shfshehtëzohet dot kjo kartelë, ndoshta është kartelë e ndarë me të tjerët. Ju lutemi, kërkojini të zotit të kartelës ta rindajë kartelën me ju.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "S’lexohet dot kjo kartelë, ndoshta është kartelë e ndarë me të tjerët. Ju lutemi, kërkojini të zotit të kartelës ta rindajë kartelën me ju.", + "Default encryption module" : "Modul i parazgjedhur fshehtëzimi", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Njatjeta,\n\npërgjegjësi aktivizoi fshehtëzim më anë shërbyesi. Kartelat tuaja qenë fshehtëzuar duke përdorur fjalëkalimin '%s'.\n\nJu lutemi, bëni hyrjen te ndërfaqja web, kaloni te ndarja 'modul i thjeshtëpër fshehtëzime' e rregullimeve tuaja personale dhe përditësoni fjalëkalimin tuaj për fshehtëzime duke dhënë këtë fjalëkalim te fusha 'old log-in password' dhe fjalëkalimin tuaj të tanishëm për hyrjet.\n\n", "The share will expire on %s." : "Ndarja do të skadojë më %s.", "Cheers!" : "Gëzuar!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Njatjeta,

përgjegjësi aktivizoi fshehtëzim më anë shërbyesi. Kartelat tuaja qenë fshehtëzuar duke përdorur fjalëkalimin %s.

Ju lutemi, bëni hyrjen te ndërfaqja web, kaloni te ndarja \"modul i thjeshtëpër fshehtëzime\" e rregullimeve tuaja personale dhe përditësoni fjalëkalimin tuaj për fshehtëzime duke dhënë këtë fjalëkalim te fusha \"old log-in password\" dhe fjalëkalimin tuaj të tanishëm për hyrjet.

", - "Default encryption module" : "Modul i parazgjedhur fshehtëzimi", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Aplikacioni i fshehtëzimeve është i aktivizuar, por kyçet tuaj s’janë vënë në punë, ju lutemi, dilni dhe ribëni hyrjen", "Encrypt the home storage" : "Fshehtëzo depozitën bazë", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aktivizimi i kësaj mundësie fshehtëzon krejt kartelat e depozituara në depon bazë, përndryshe do të fshehtëzohen vetëm kartelat në depozitën e jashtme", diff --git a/apps/encryption/l10n/sr.js b/apps/encryption/l10n/sr.js index e2244bbead852..e284c756cbb7c 100644 --- a/apps/encryption/l10n/sr.js +++ b/apps/encryption/l10n/sr.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "једнократна лозинка за шифровање на страни сервера", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не могу да дешифрујем фајл. Вероватно је то дељен фајл. Затражите од власника да га поново подели.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не могу да читам фајл. Вероватно је дељен. Питајте власника да га поново подели.", + "Default encryption module" : "Подразумевани модул за шифровање", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Поштовање,\n\nадминистратор је укључио шифровање на серверској страни. Ваши фајлови су шифровани лозинком „%s“.\n\nПријавите се на веб сучеље, идите на одељак 'основни модул за шифровање' у личним поставкама и ажурирајте своју лозинку за шифровање уношењем ове лозинке у поље „стара лозинка за пријаву“ и своју тренутну лозинку за пријављивање.\n", "The share will expire on %s." : "Дељење истиче %s.", "Cheers!" : "Здраво!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Поштовање,

администратор је укључио шифровање на серверској страни. Ваши фајлови су шифровани лозинком %s.

Пријавите се на веб сучеље, идите на одељак 'основни модул за шифровање' у личним поставкама и ажурирајте своју лозинку за шифровање тако што унесете ову лозинку у поље 'стара лозинка за пријаву' и своју тренутну лозинку за пријављивање.

", - "Default encryption module" : "Подразумевани модул за шифровање", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Апликација за шифровање је укључена али кључеви још нису иницијализовани. Одјавите се и поново се пријавите.", "Encrypt the home storage" : "Шифровање главног складишта", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Укључивање ове опције ће шифровати све фајлове на главном складишту. У супротном ће само фајлови на спољашњем складишту бити шифровани", diff --git a/apps/encryption/l10n/sr.json b/apps/encryption/l10n/sr.json index 1559ec4e14feb..2de7bb8f564fe 100644 --- a/apps/encryption/l10n/sr.json +++ b/apps/encryption/l10n/sr.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "једнократна лозинка за шифровање на страни сервера", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не могу да дешифрујем фајл. Вероватно је то дељен фајл. Затражите од власника да га поново подели.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Не могу да читам фајл. Вероватно је дељен. Питајте власника да га поново подели.", + "Default encryption module" : "Подразумевани модул за шифровање", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Поштовање,\n\nадминистратор је укључио шифровање на серверској страни. Ваши фајлови су шифровани лозинком „%s“.\n\nПријавите се на веб сучеље, идите на одељак 'основни модул за шифровање' у личним поставкама и ажурирајте своју лозинку за шифровање уношењем ове лозинке у поље „стара лозинка за пријаву“ и своју тренутну лозинку за пријављивање.\n", "The share will expire on %s." : "Дељење истиче %s.", "Cheers!" : "Здраво!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Поштовање,

администратор је укључио шифровање на серверској страни. Ваши фајлови су шифровани лозинком %s.

Пријавите се на веб сучеље, идите на одељак 'основни модул за шифровање' у личним поставкама и ажурирајте своју лозинку за шифровање тако што унесете ову лозинку у поље 'стара лозинка за пријаву' и своју тренутну лозинку за пријављивање.

", - "Default encryption module" : "Подразумевани модул за шифровање", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Апликација за шифровање је укључена али кључеви још нису иницијализовани. Одјавите се и поново се пријавите.", "Encrypt the home storage" : "Шифровање главног складишта", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Укључивање ове опције ће шифровати све фајлове на главном складишту. У супротном ће само фајлови на спољашњем складишту бити шифровани", diff --git a/apps/encryption/l10n/sv.js b/apps/encryption/l10n/sv.js index 677a89ac2d785..c0c19a616c213 100644 --- a/apps/encryption/l10n/sv.js +++ b/apps/encryption/l10n/sv.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "engångslösenord för kryptering på serversidan", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ej dekryptera denna fil, förmodligen är det en delad fil. Be ägaren av filen att dela den med dig.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Filen kan inte läsas, troligtvis är det en delad fil. Be ägaren av filen att dela den med dig igen.", + "Default encryption module" : "Krypteringsfunktion", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hallå där, \n\nAdministratören aktiverade serverkryptering. Alla dina filer har blivit krypterade med lösenordet: %s\n\nGå till i din profil för att ändra krypteringslösenordet till ditt egna lösenord. Ange lösenordet ovan som \"Gammalt lösenord\" och ange sedan ditt egna lösenord.\n\n", "The share will expire on %s." : "Utdelningen kommer att upphöra %s.", "Cheers!" : "Ha de fint!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hallå där,
Administratören aktiverade serverkryptering. Alla dina filer har blivit krypterade med lösenordet: %s.
Gå till i din profil för att ändra krypteringslösenordet till ditt egna lösenord. Ange lösenordet ovan som \"Gammalt lösenord\" och ange sedan ditt egna lösenord.
", - "Default encryption module" : "Krypteringsfunktion", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsappen är aktiverad men dina krypteringsnycklar har inte aktiverats, logga ut och logga in igen.", "Encrypt the home storage" : "Kryptera alla filer i molnet", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aktivering av det här alternativet krypterar alla filer som är lagrade på huvudlagringsplatsen, annars kommer bara filer på extern lagringsplats att krypteras", diff --git a/apps/encryption/l10n/sv.json b/apps/encryption/l10n/sv.json index ee4e87ca65a98..022484d24a4d8 100644 --- a/apps/encryption/l10n/sv.json +++ b/apps/encryption/l10n/sv.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "engångslösenord för kryptering på serversidan", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Kan ej dekryptera denna fil, förmodligen är det en delad fil. Be ägaren av filen att dela den med dig.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Filen kan inte läsas, troligtvis är det en delad fil. Be ägaren av filen att dela den med dig igen.", + "Default encryption module" : "Krypteringsfunktion", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Hallå där, \n\nAdministratören aktiverade serverkryptering. Alla dina filer har blivit krypterade med lösenordet: %s\n\nGå till i din profil för att ändra krypteringslösenordet till ditt egna lösenord. Ange lösenordet ovan som \"Gammalt lösenord\" och ange sedan ditt egna lösenord.\n\n", "The share will expire on %s." : "Utdelningen kommer att upphöra %s.", "Cheers!" : "Ha de fint!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Hallå där,
Administratören aktiverade serverkryptering. Alla dina filer har blivit krypterade med lösenordet: %s.
Gå till i din profil för att ändra krypteringslösenordet till ditt egna lösenord. Ange lösenordet ovan som \"Gammalt lösenord\" och ange sedan ditt egna lösenord.
", - "Default encryption module" : "Krypteringsfunktion", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Krypteringsappen är aktiverad men dina krypteringsnycklar har inte aktiverats, logga ut och logga in igen.", "Encrypt the home storage" : "Kryptera alla filer i molnet", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Aktivering av det här alternativet krypterar alla filer som är lagrade på huvudlagringsplatsen, annars kommer bara filer på extern lagringsplats att krypteras", diff --git a/apps/encryption/l10n/tr.js b/apps/encryption/l10n/tr.js index 4ee4359afeab4..f79096fb9cde2 100644 --- a/apps/encryption/l10n/tr.js +++ b/apps/encryption/l10n/tr.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "sunucu tarafında şifreleme için tek kullanımlık parola", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Bu dosya büyük olasılıkla paylaşılıyor olduğundan şifresi çözülemiyor. Lütfen dosya sahibi ile görüşerek sizinle yeniden paylaşmasını isteyin.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Bu dosya büyük olasılıkla paylaşılıyor olduğundan okunamıyor. Lütfen dosya sahibi ile görüşerek sizinle yeniden paylaşmasını isteyin.", + "Default encryption module" : "Varsayılan şifreleme modülü", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Selam,\n\nSistem yöneticisi sunucu tarafında şifrelemeyi etkinleştirdi. Dosyalarınız '%s' parolası kullanılarak şifrelendi.\n\nLütfen web arayüzünde oturum açın ve kişisel ayarlarınızdan 'temel şifreleme modülü'ne giderek 'eski oturum açma parolası' alanına bu parolayı ve geçerli oturum açma parolanızı yazarak şifreleme parolanızı güncelleyin.\n\n", "The share will expire on %s." : "Bu paylaşım %s tarihinde sona erecek.", "Cheers!" : "Hoşçakalın!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Selam,

Sistem yöneticisi sunucu tarafında şifrelemeyi etkinleştirdi. Dosyalarınız %s parolası kullanılarak şifrelendi.

Lütfen web arayüzünde oturum açın ve kişisel ayarlarınızdan 'temel şifreleme modülü'ne giderek 'eski oturum açma parolası' alanına bu parolayı ve geçerli oturum açma parolanızı yazarak şifreleme parolanızı güncelleyin.

", - "Default encryption module" : "Varsayılan şifreleme modülü", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Şifreleme uygulaması etkin ancak anahtarlarınız hazırlanmamış. Lütfen oturumunuzu kapatıp yeniden açın.", "Encrypt the home storage" : "Ana depolama şifrelensin", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Bu seçenek etkinleştirildiğinde, ana depolama alanındaki tüm dosyalar şifrelenir. Devre dışı bırakıldığında yalnız dış depolama alanındaki dosyalar şifrelenir", diff --git a/apps/encryption/l10n/tr.json b/apps/encryption/l10n/tr.json index 30b40df328f15..f8cd9493d7871 100644 --- a/apps/encryption/l10n/tr.json +++ b/apps/encryption/l10n/tr.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "sunucu tarafında şifreleme için tek kullanımlık parola", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Bu dosya büyük olasılıkla paylaşılıyor olduğundan şifresi çözülemiyor. Lütfen dosya sahibi ile görüşerek sizinle yeniden paylaşmasını isteyin.", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Bu dosya büyük olasılıkla paylaşılıyor olduğundan okunamıyor. Lütfen dosya sahibi ile görüşerek sizinle yeniden paylaşmasını isteyin.", + "Default encryption module" : "Varsayılan şifreleme modülü", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "Selam,\n\nSistem yöneticisi sunucu tarafında şifrelemeyi etkinleştirdi. Dosyalarınız '%s' parolası kullanılarak şifrelendi.\n\nLütfen web arayüzünde oturum açın ve kişisel ayarlarınızdan 'temel şifreleme modülü'ne giderek 'eski oturum açma parolası' alanına bu parolayı ve geçerli oturum açma parolanızı yazarak şifreleme parolanızı güncelleyin.\n\n", "The share will expire on %s." : "Bu paylaşım %s tarihinde sona erecek.", "Cheers!" : "Hoşçakalın!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "Selam,

Sistem yöneticisi sunucu tarafında şifrelemeyi etkinleştirdi. Dosyalarınız %s parolası kullanılarak şifrelendi.

Lütfen web arayüzünde oturum açın ve kişisel ayarlarınızdan 'temel şifreleme modülü'ne giderek 'eski oturum açma parolası' alanına bu parolayı ve geçerli oturum açma parolanızı yazarak şifreleme parolanızı güncelleyin.

", - "Default encryption module" : "Varsayılan şifreleme modülü", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "Şifreleme uygulaması etkin ancak anahtarlarınız hazırlanmamış. Lütfen oturumunuzu kapatıp yeniden açın.", "Encrypt the home storage" : "Ana depolama şifrelensin", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "Bu seçenek etkinleştirildiğinde, ana depolama alanındaki tüm dosyalar şifrelenir. Devre dışı bırakıldığında yalnız dış depolama alanındaki dosyalar şifrelenir", diff --git a/apps/encryption/l10n/zh_CN.js b/apps/encryption/l10n/zh_CN.js index 6a7f47f48a363..12ae687a8740d 100644 --- a/apps/encryption/l10n/zh_CN.js +++ b/apps/encryption/l10n/zh_CN.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "用于服务器端加密的一次性密码", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : " 无法解密这个文件(或许这是一个共享文件?),请询问文件所有者重新与您分享这个文件。", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "无法读取此文件,可能这是一个共享文件。请让文件所有者重新共享该文件。", + "Default encryption module" : "默认加密模块", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "您好,\n管理员已启用服务器端加密,您的文件已使用密码 '%s' 加密。\n\n请登陆网页界面,进入个人设置中的“基础加密模块”部分,在“旧登陆密码”处输入上述密码并输入您的当前登陆密码,即可更新加密密码。\n", "The share will expire on %s." : "此分享将在 %s 过期。", "Cheers!" : "干杯!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "您好,

管理员已启用服务器端加密,您的文件已使用密码 %s 加密。

\n请登陆网页界面,进入个人设置中的“基础加密模块”部分,在“旧登陆密码”处输入上述密码并输入您的当前登陆密码,即可更新加密密码。

", - "Default encryption module" : "默认加密模块", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "加密应用程序已启用,但您的密钥未初始化,请注销并再次登录", "Encrypt the home storage" : "加密主目录储存", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "启用此选项将加密存储在主存储上的所有文件,否则只会加密外部存储上的文件.", diff --git a/apps/encryption/l10n/zh_CN.json b/apps/encryption/l10n/zh_CN.json index 27ac9432b982e..541219c867ce9 100644 --- a/apps/encryption/l10n/zh_CN.json +++ b/apps/encryption/l10n/zh_CN.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "用于服务器端加密的一次性密码", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : " 无法解密这个文件(或许这是一个共享文件?),请询问文件所有者重新与您分享这个文件。", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "无法读取此文件,可能这是一个共享文件。请让文件所有者重新共享该文件。", + "Default encryption module" : "默认加密模块", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "您好,\n管理员已启用服务器端加密,您的文件已使用密码 '%s' 加密。\n\n请登陆网页界面,进入个人设置中的“基础加密模块”部分,在“旧登陆密码”处输入上述密码并输入您的当前登陆密码,即可更新加密密码。\n", "The share will expire on %s." : "此分享将在 %s 过期。", "Cheers!" : "干杯!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "您好,

管理员已启用服务器端加密,您的文件已使用密码 %s 加密。

\n请登陆网页界面,进入个人设置中的“基础加密模块”部分,在“旧登陆密码”处输入上述密码并输入您的当前登陆密码,即可更新加密密码。

", - "Default encryption module" : "默认加密模块", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "加密应用程序已启用,但您的密钥未初始化,请注销并再次登录", "Encrypt the home storage" : "加密主目录储存", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "启用此选项将加密存储在主存储上的所有文件,否则只会加密外部存储上的文件.", diff --git a/apps/encryption/l10n/zh_TW.js b/apps/encryption/l10n/zh_TW.js index e8fd3ec6ff070..163bde16e11e5 100644 --- a/apps/encryption/l10n/zh_TW.js +++ b/apps/encryption/l10n/zh_TW.js @@ -31,11 +31,11 @@ OC.L10N.register( "one-time password for server-side-encryption" : "一次性密碼用於伺服器端的加密", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "無法解密這個檔案,也許這是分享的檔案。請詢問檔案所有人重新分享檔案給您。", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "無法檢視這個檔案,或許這是分享的檔案,請詢問這個檔案的擁有者並請他重新分享給您。", + "Default encryption module" : "預設加密模組", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "嗨,請看這裡,\n\n系管理員啟用了伺服器端的加密功能,您的檔案將會使用密碼 '%s' 加密\n\n請從網頁登入,到 'basic encryption module' 設置您的個人設定並透過更新加密密碼,將這個組密碼設定在 'old log-in password' 以及您的目前登入密碼\n", "The share will expire on %s." : "這個分享將會於 %s 過期", "Cheers!" : "太棒了!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "嗨,請看這裡,

系管理員啟用了伺服器端的加密功能,您的檔案將會使用密碼 '%s' 加密,請從網頁登入,到 'basic encryption module' 設置您的個人設定並透過更新加密密碼,將這個組密碼設定在 'old log-in password' 以及您的目前登入密碼

", - "Default encryption module" : "預設加密模組", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "已啟用加密應用,但是你的加密密鑰沒有初始化。請重新登出並登入系統一次。", "Encrypt the home storage" : "加密家目錄空間", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "請啟用這個功能以用來加密主要儲存空間的檔案,否則只有再外部儲存的檔案會加密", diff --git a/apps/encryption/l10n/zh_TW.json b/apps/encryption/l10n/zh_TW.json index 992177aa9ec73..e56e71f45cc2f 100644 --- a/apps/encryption/l10n/zh_TW.json +++ b/apps/encryption/l10n/zh_TW.json @@ -29,11 +29,11 @@ "one-time password for server-side-encryption" : "一次性密碼用於伺服器端的加密", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "無法解密這個檔案,也許這是分享的檔案。請詢問檔案所有人重新分享檔案給您。", "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "無法檢視這個檔案,或許這是分享的檔案,請詢問這個檔案的擁有者並請他重新分享給您。", + "Default encryption module" : "預設加密模組", "Hey there,\n\nthe admin enabled server-side-encryption. Your files were encrypted using the password '%s'.\n\nPlease login to the web interface, go to the section 'basic encryption module' of your personal settings and update your encryption password by entering this password into the 'old log-in password' field and your current login-password.\n\n" : "嗨,請看這裡,\n\n系管理員啟用了伺服器端的加密功能,您的檔案將會使用密碼 '%s' 加密\n\n請從網頁登入,到 'basic encryption module' 設置您的個人設定並透過更新加密密碼,將這個組密碼設定在 'old log-in password' 以及您的目前登入密碼\n", "The share will expire on %s." : "這個分享將會於 %s 過期", "Cheers!" : "太棒了!", "Hey there,

the admin enabled server-side-encryption. Your files were encrypted using the password %s.

Please login to the web interface, go to the section \"basic encryption module\" of your personal settings and update your encryption password by entering this password into the \"old log-in password\" field and your current login-password.

" : "嗨,請看這裡,

系管理員啟用了伺服器端的加密功能,您的檔案將會使用密碼 '%s' 加密,請從網頁登入,到 'basic encryption module' 設置您的個人設定並透過更新加密密碼,將這個組密碼設定在 'old log-in password' 以及您的目前登入密碼

", - "Default encryption module" : "預設加密模組", "Encryption app is enabled but your keys are not initialized, please log-out and log-in again" : "已啟用加密應用,但是你的加密密鑰沒有初始化。請重新登出並登入系統一次。", "Encrypt the home storage" : "加密家目錄空間", "Enabling this option encrypts all files stored on the main storage, otherwise only files on external storage will be encrypted" : "請啟用這個功能以用來加密主要儲存空間的檔案,否則只有再外部儲存的檔案會加密", diff --git a/apps/files/l10n/nb.js b/apps/files/l10n/nb.js index af6dad9f75c9f..84988205b60d9 100644 --- a/apps/files/l10n/nb.js +++ b/apps/files/l10n/nb.js @@ -146,6 +146,7 @@ OC.L10N.register( "Tags" : "Merkelapper", "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekstfil.txt" + "New text file.txt" : "Ny tekstfil.txt", + "Move" : "Flytt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nb.json b/apps/files/l10n/nb.json index 96f25a030e467..42edf45e4d480 100644 --- a/apps/files/l10n/nb.json +++ b/apps/files/l10n/nb.json @@ -144,6 +144,7 @@ "Tags" : "Merkelapper", "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekstfil.txt" + "New text file.txt" : "Ny tekstfil.txt", + "Move" : "Flytt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/nb.js b/apps/files_external/l10n/nb.js index 0f1216f324a12..df9ea8be0facf 100644 --- a/apps/files_external/l10n/nb.js +++ b/apps/files_external/l10n/nb.js @@ -120,6 +120,8 @@ OC.L10N.register( "Advanced settings" : "Avanserte innstillinger", "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", - "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring" + "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/nb.json b/apps/files_external/l10n/nb.json index 1593d06f8cfdb..c84e24f60bfea 100644 --- a/apps/files_external/l10n/nb.json +++ b/apps/files_external/l10n/nb.json @@ -118,6 +118,8 @@ "Advanced settings" : "Avanserte innstillinger", "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", - "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring" + "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/pt_PT.js b/apps/files_sharing/l10n/pt_PT.js index e3ddf5f0ad0f8..f2c387e7591da 100644 --- a/apps/files_sharing/l10n/pt_PT.js +++ b/apps/files_sharing/l10n/pt_PT.js @@ -13,7 +13,7 @@ OC.L10N.register( "You can upload into this folder" : "Pode enviar para esta pasta", "No compatible server found at {remote}" : "Nenhum servidor compatível encontrado em {remote}", "Invalid server URL" : "URL de servidor inválido", - "Failed to add the public link to your Nextcloud" : "Falha ao adicionar hiperligação pública ao seu Nextcloud", + "Failed to add the public link to your Nextcloud" : "Falha a adicionar hiperligação pública ao seu Nextcloud", "Share" : "Partilhar", "No expiration date set" : "Data de expiração não definida", "Shared by" : "Partilhado por", diff --git a/apps/files_sharing/l10n/pt_PT.json b/apps/files_sharing/l10n/pt_PT.json index c641db9695f24..c6ce44a9f88ff 100644 --- a/apps/files_sharing/l10n/pt_PT.json +++ b/apps/files_sharing/l10n/pt_PT.json @@ -11,7 +11,7 @@ "You can upload into this folder" : "Pode enviar para esta pasta", "No compatible server found at {remote}" : "Nenhum servidor compatível encontrado em {remote}", "Invalid server URL" : "URL de servidor inválido", - "Failed to add the public link to your Nextcloud" : "Falha ao adicionar hiperligação pública ao seu Nextcloud", + "Failed to add the public link to your Nextcloud" : "Falha a adicionar hiperligação pública ao seu Nextcloud", "Share" : "Partilhar", "No expiration date set" : "Data de expiração não definida", "Shared by" : "Partilhado por", diff --git a/core/l10n/ca.js b/core/l10n/ca.js index ae60bcc406f05..bdd67399a0397 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -280,7 +280,7 @@ OC.L10N.register( "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Per evitar que s'esgoti el temps d'espera en instalacions grans, pots en el seu lloc fer córrer la següent comanda en el directori d'instalació:", "Detailed logs" : "Registres detallats", "Update needed" : "Actualització necessaria", - "Please use the command line updater because you have a big instance with more than 50 users." : "Utilitzeu l'updater de línia de comandes perquè tens un gran instància amb més de 50 usuàries.", + "Please use the command line updater because you have a big instance with more than 50 users." : "Utilitzeu l'actualitzador de línia de comandes perquè teniu una gran instància amb més de 50 usuàries.", "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Sé que si continuo fent l'actualització mitjançant l’interfície d’usuari web té el risc que la sol·licitud esgoti un temps d'espera, que podria causa pèrdua de dades, però tinc una còpia de seguretat i se com restaurar la meva instància en cas de fallada.", "Upgrade via web on my own risk" : "Actualitza via web sota la teva responsabilitat", "This %s instance is currently in maintenance mode, which may take a while." : "Aquesta instància %s està actualment en manteniment i podria trigar una estona.", diff --git a/core/l10n/ca.json b/core/l10n/ca.json index 862bace0710bc..cc56952443634 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -278,7 +278,7 @@ "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Per evitar que s'esgoti el temps d'espera en instalacions grans, pots en el seu lloc fer córrer la següent comanda en el directori d'instalació:", "Detailed logs" : "Registres detallats", "Update needed" : "Actualització necessaria", - "Please use the command line updater because you have a big instance with more than 50 users." : "Utilitzeu l'updater de línia de comandes perquè tens un gran instància amb més de 50 usuàries.", + "Please use the command line updater because you have a big instance with more than 50 users." : "Utilitzeu l'actualitzador de línia de comandes perquè teniu una gran instància amb més de 50 usuàries.", "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Sé que si continuo fent l'actualització mitjançant l’interfície d’usuari web té el risc que la sol·licitud esgoti un temps d'espera, que podria causa pèrdua de dades, però tinc una còpia de seguretat i se com restaurar la meva instància en cas de fallada.", "Upgrade via web on my own risk" : "Actualitza via web sota la teva responsabilitat", "This %s instance is currently in maintenance mode, which may take a while." : "Aquesta instància %s està actualment en manteniment i podria trigar una estona.", diff --git a/lib/l10n/ar.js b/lib/l10n/ar.js new file mode 100644 index 0000000000000..d5c3652f6d0cb --- /dev/null +++ b/lib/l10n/ar.js @@ -0,0 +1,70 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "الكتابة في مجلد \"config\" غير ممكنة!", + "This can usually be fixed by giving the webserver write access to the config directory" : "يمكن حل هذا عادة بإعطاء خادم الوب صلاحية الكتابة في مجلد config", + "See %s" : "أنظر %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "يمكن إصلاح هذا الخطا بإعطاء مخدّم الموقع صلاحيات التعديل على مجلد الإعدادات. أنظر %s", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "لم يتم تبديل ملفات التطبيق %$1s بشكل صحيح. تأكد بأن إصدار التطبيق متوافق مع المخدّم.", + "Sample configuration detected" : "تم اكتشاف إعدادات عيّنة", + "%1$s and %2$s" : "%1$s و %2$s", + "%1$s, %2$s and %3$s" : "%1$s، %2$s و %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s، %2$s، %3$s و %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s، %2$s، %3$s، %4$s و %5$s", + "Education Edition" : "الإصدار التعليمي", + "Enterprise bundle" : "حزمة المؤسسة", + "PHP %s or higher is required." : "إصدار PHP %s أو أحدث منه مطلوب.", + "PHP with a version lower than %s is required." : "PHP الإصدار %s أو أقل مطلوب.", + "%sbit or higher PHP required." : "مكتبات PHP ذات %s بت أو أعلى مطلوبة.", + "Following databases are supported: %s" : "قواعد البيانات التالية مدعومة: %s", + "The command line tool %s could not be found" : "لم يتم العثور على أداة سطر الأوامر %s", + "The library %s is not available." : "مكتبة %s غير متوفرة.", + "Unknown filetype" : "نوع الملف غير معروف", + "Invalid image" : "الصورة غير صالحة", + "today" : "اليوم", + "yesterday" : "يوم أمس", + "_%n day ago_::_%n days ago_" : ["قبل ساعات","قبل يوم","قبل يومين","قبل %n يوماً","قبل %n يوماً","قبل %n يوماً"], + "last month" : "الشهر الماضي", + "_%n month ago_::_%n months ago_" : ["قبل عدة أيام","قبل شهر","قبل شهرين","قبل %n شهراً","قبل %n شهراً","قبل %n شهراً"], + "last year" : "السنةالماضية", + "seconds ago" : "منذ ثواني", + "File name is a reserved word" : "اسم الملف كلمة محجوزة", + "File name contains at least one invalid character" : "اسم الملف به ، على الأقل ، حرف غير صالح", + "File name is too long" : "اسم الملف طويل جداً", + "Empty filename is not allowed" : "لا يسمح بأسماء فارغة للملفات", + "Apps" : "التطبيقات", + "Users" : "المستخدمين", + "Unknown user" : "المستخدم غير معروف", + "Basic settings" : "الإعدادات الأساسية", + "Additional settings" : "الإعدادات المتقدمة", + "__language_name__" : "اللغة العربية", + "%s enter the database username and name." : "%s أدخِل اسم قاعدة البيانات واسم مستخدمها.", + "%s enter the database username." : "%s ادخل اسم المستخدم الخاص بقاعدة البيانات.", + "%s enter the database name." : "%s ادخل اسم فاعدة البيانات", + "%s you may not use dots in the database name" : "%s لا يسمح لك باستخدام نقطه (.) في اسم قاعدة البيانات", + "Oracle connection could not be established" : "لم تنجح محاولة اتصال Oracle", + "Oracle username and/or password not valid" : "اسم المستخدم و/أو كلمة المرور لنظام Oracle غير صحيح", + "PostgreSQL username and/or password not valid" : "اسم المستخدم / أو كلمة المرور الخاصة بـPostgreSQL غير صحيحة", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "نظام ماك الإصدار X غير مدعوم و %s لن يعمل بشكل صحيح على هذه المنصة. استخدمه على مسؤوليتك!", + "For the best results, please consider using a GNU/Linux server instead." : "فضلاً ضع في الاعتبار استخدام نظام GNU/Linux بدل الأنظمة الأخرى للحصول على أفضل النتائج.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "فضلاً إحذف إعداد open_basedir من ملف php.ini لديك أو حوّل إلى PHP إصدار 64 بت.", + "Set an admin username." : "اعداد اسم مستخدم للمدير", + "Set an admin password." : "اعداد كلمة مرور للمدير", + "Can't create or write into the data directory %s" : "لا يمكن الإنشاء أو الكتابة في مجلد البيانات %s", + "Invalid Federated Cloud ID" : "معرّف سحابة الاتحاد غير صالح", + "Sharing %s failed, because the file does not exist" : "فشلت مشاركة %s فالملف غير موجود", + "You are not allowed to share %s" : "أنت غير مسموح لك أن تشارك %s", + "Sharing %s failed, because you can not share with yourself" : "فشلت مشاركة %s لأنك لايمكنك المشاركة مع نفسك", + "Sharing %s failed, because the user %s does not exist" : "فشلت مشاركة %s لأن المستخدم %s غير موجود", + "Share type %s is not valid for %s" : "مشاركة النوع %s غير صالحة لـ %s", + "%s shared »%s« with you" : "%s شارك »%s« معك", + "%s via %s" : "%s عبر %s", + "Could not find category \"%s\"" : "تعذر العثور على المجلد \"%s\"", + "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", + "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "a safe home for all your data" : "المكان الآمن لجميع بياناتك", + "Application is not enabled" : "التطبيق غير مفعّل", + "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", + "Token expired. Please reload page." : "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة" +}, +"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/lib/l10n/ar.json b/lib/l10n/ar.json new file mode 100644 index 0000000000000..7c8b3f37ac19e --- /dev/null +++ b/lib/l10n/ar.json @@ -0,0 +1,68 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "الكتابة في مجلد \"config\" غير ممكنة!", + "This can usually be fixed by giving the webserver write access to the config directory" : "يمكن حل هذا عادة بإعطاء خادم الوب صلاحية الكتابة في مجلد config", + "See %s" : "أنظر %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "يمكن إصلاح هذا الخطا بإعطاء مخدّم الموقع صلاحيات التعديل على مجلد الإعدادات. أنظر %s", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "لم يتم تبديل ملفات التطبيق %$1s بشكل صحيح. تأكد بأن إصدار التطبيق متوافق مع المخدّم.", + "Sample configuration detected" : "تم اكتشاف إعدادات عيّنة", + "%1$s and %2$s" : "%1$s و %2$s", + "%1$s, %2$s and %3$s" : "%1$s، %2$s و %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s، %2$s، %3$s و %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s، %2$s، %3$s، %4$s و %5$s", + "Education Edition" : "الإصدار التعليمي", + "Enterprise bundle" : "حزمة المؤسسة", + "PHP %s or higher is required." : "إصدار PHP %s أو أحدث منه مطلوب.", + "PHP with a version lower than %s is required." : "PHP الإصدار %s أو أقل مطلوب.", + "%sbit or higher PHP required." : "مكتبات PHP ذات %s بت أو أعلى مطلوبة.", + "Following databases are supported: %s" : "قواعد البيانات التالية مدعومة: %s", + "The command line tool %s could not be found" : "لم يتم العثور على أداة سطر الأوامر %s", + "The library %s is not available." : "مكتبة %s غير متوفرة.", + "Unknown filetype" : "نوع الملف غير معروف", + "Invalid image" : "الصورة غير صالحة", + "today" : "اليوم", + "yesterday" : "يوم أمس", + "_%n day ago_::_%n days ago_" : ["قبل ساعات","قبل يوم","قبل يومين","قبل %n يوماً","قبل %n يوماً","قبل %n يوماً"], + "last month" : "الشهر الماضي", + "_%n month ago_::_%n months ago_" : ["قبل عدة أيام","قبل شهر","قبل شهرين","قبل %n شهراً","قبل %n شهراً","قبل %n شهراً"], + "last year" : "السنةالماضية", + "seconds ago" : "منذ ثواني", + "File name is a reserved word" : "اسم الملف كلمة محجوزة", + "File name contains at least one invalid character" : "اسم الملف به ، على الأقل ، حرف غير صالح", + "File name is too long" : "اسم الملف طويل جداً", + "Empty filename is not allowed" : "لا يسمح بأسماء فارغة للملفات", + "Apps" : "التطبيقات", + "Users" : "المستخدمين", + "Unknown user" : "المستخدم غير معروف", + "Basic settings" : "الإعدادات الأساسية", + "Additional settings" : "الإعدادات المتقدمة", + "__language_name__" : "اللغة العربية", + "%s enter the database username and name." : "%s أدخِل اسم قاعدة البيانات واسم مستخدمها.", + "%s enter the database username." : "%s ادخل اسم المستخدم الخاص بقاعدة البيانات.", + "%s enter the database name." : "%s ادخل اسم فاعدة البيانات", + "%s you may not use dots in the database name" : "%s لا يسمح لك باستخدام نقطه (.) في اسم قاعدة البيانات", + "Oracle connection could not be established" : "لم تنجح محاولة اتصال Oracle", + "Oracle username and/or password not valid" : "اسم المستخدم و/أو كلمة المرور لنظام Oracle غير صحيح", + "PostgreSQL username and/or password not valid" : "اسم المستخدم / أو كلمة المرور الخاصة بـPostgreSQL غير صحيحة", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "نظام ماك الإصدار X غير مدعوم و %s لن يعمل بشكل صحيح على هذه المنصة. استخدمه على مسؤوليتك!", + "For the best results, please consider using a GNU/Linux server instead." : "فضلاً ضع في الاعتبار استخدام نظام GNU/Linux بدل الأنظمة الأخرى للحصول على أفضل النتائج.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "فضلاً إحذف إعداد open_basedir من ملف php.ini لديك أو حوّل إلى PHP إصدار 64 بت.", + "Set an admin username." : "اعداد اسم مستخدم للمدير", + "Set an admin password." : "اعداد كلمة مرور للمدير", + "Can't create or write into the data directory %s" : "لا يمكن الإنشاء أو الكتابة في مجلد البيانات %s", + "Invalid Federated Cloud ID" : "معرّف سحابة الاتحاد غير صالح", + "Sharing %s failed, because the file does not exist" : "فشلت مشاركة %s فالملف غير موجود", + "You are not allowed to share %s" : "أنت غير مسموح لك أن تشارك %s", + "Sharing %s failed, because you can not share with yourself" : "فشلت مشاركة %s لأنك لايمكنك المشاركة مع نفسك", + "Sharing %s failed, because the user %s does not exist" : "فشلت مشاركة %s لأن المستخدم %s غير موجود", + "Share type %s is not valid for %s" : "مشاركة النوع %s غير صالحة لـ %s", + "%s shared »%s« with you" : "%s شارك »%s« معك", + "%s via %s" : "%s عبر %s", + "Could not find category \"%s\"" : "تعذر العثور على المجلد \"%s\"", + "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", + "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "a safe home for all your data" : "المكان الآمن لجميع بياناتك", + "Application is not enabled" : "التطبيق غير مفعّل", + "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", + "Token expired. Please reload page." : "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة" +},"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" +} \ No newline at end of file diff --git a/lib/l10n/ast.js b/lib/l10n/ast.js new file mode 100644 index 0000000000000..73955dbdb933a --- /dev/null +++ b/lib/l10n/ast.js @@ -0,0 +1,176 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "¡Nun pue escribise nel direutoriu «config»!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Davezu esto pue iguase dándo-y al sirvidor web accesu d'escritura al direutoriu de configuración", + "See %s" : "Mira %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Esto davezu íguase dando'l permisu d'escritura nel direutoriu de configuración al sirvidor web. Mira %s", + "Sample configuration detected" : "Configuración d'amuesa detectada", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Detectose que la configuración d'amuesa copiose. Esto pue encaboxar la instalación y dexala ensín soporte. Llee la documentación enantes de facer cambéos en config.php", + "%1$s and %2$s" : "%1$s y %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s y %3$s", + "Education Edition" : "Edición educativa", + "Enterprise bundle" : "Llote empresarial", + "Social sharing bundle" : "Llote de compartición social", + "PHP %s or higher is required." : "Necesítase PHP %s o superior", + "PHP with a version lower than %s is required." : "Necesítase una versión PHP anterior a %s", + "%sbit or higher PHP required." : "Necesítase PHP %sbit o superior", + "Following databases are supported: %s" : "Les siguientes bases de datos tan sofitaes: %s", + "The command line tool %s could not be found" : "La ferramienta línea de comandu %s nun pudo alcontrase", + "The library %s is not available." : "La librería %s nun ta disponible", + "Library %s with a version higher than %s is required - available version %s." : "Necesítase una librería %s con ua versión superior a %s - versión disponible %s.", + "Library %s with a version lower than %s is required - available version %s." : "Necesítase una librería %s con una versión anterior a %s - versión disponible %s.", + "Following platforms are supported: %s" : "Les siguientes plataformes tan sofitaes: %s", + "Unknown filetype" : "Triba de ficheru desconocida", + "Invalid image" : "Imaxe inválida", + "Avatar image is not square" : "La imaxe del avatar nun ye cuadrada", + "today" : "güei", + "yesterday" : "ayeri", + "_%n day ago_::_%n days ago_" : ["hai %n día","hai %n díes"], + "last month" : "mes caberu", + "_%n month ago_::_%n months ago_" : ["hai %n mes","hai %n meses"], + "last year" : "añu caberu", + "_%n year ago_::_%n years ago_" : ["hai %n añu","hai %n años"], + "_%n hour ago_::_%n hours ago_" : ["hai %n hora","hai %n hores"], + "_%n minute ago_::_%n minutes ago_" : ["hai %n minutu","hai %n minutos"], + "seconds ago" : "hai segundos", + "File name is a reserved word" : "El nome de ficheru ye una pallabra reservada", + "File name contains at least one invalid character" : "El nome del ficheru contién polo menos un carácter non válidu", + "File name is too long" : "El nome de ficheru ye demasiáu llargu", + "Empty filename is not allowed" : "Nun s'almite un nome de ficheru baleru", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "L'aplicación \"%s\" nun puede instalase porque nun se llee'l ficheru appinfo.", + "Help" : "Ayuda", + "Apps" : "Aplicaciones", + "Log out" : "Zarrar sesión", + "Users" : "Usuarios", + "Unknown user" : "Usuariu desconocíu", + "APCu" : "APCu", + "Basic settings" : "Axustes básicos", + "Security" : "Seguranza", + "Encryption" : "Cifráu", + "Additional settings" : "Axustes adicionales", + "Tips & tricks" : "Conseyos y trucos", + "__language_name__" : "Asturianu", + "%s enter the database username and name." : "%s introducir el nome d'usuariu y el nome de la base de datos .", + "%s enter the database username." : "%s introducir l'usuariu de la base de datos.", + "%s enter the database name." : "%s introducir nome de la base de datos.", + "%s you may not use dots in the database name" : "%s nun pues usar puntos nel nome de la base de datos", + "Oracle connection could not be established" : "Nun pudo afitase la conexón d'Oracle", + "Oracle username and/or password not valid" : "Nome d'usuariu o contraseña d'Oracle non válidos", + "PostgreSQL username and/or password not valid" : "Nome d'usuariu o contraseña PostgreSQL non válidos", + "You need to enter details of an existing account." : "Precises introducir los detalles d'una cuenta esistente.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nun ta sofitáu y %s nun furrulará afayadizamente nesta plataforma. ¡Úsalu baxo'l to riesgu!", + "For the best results, please consider using a GNU/Linux server instead." : "Pa los meyores resultaos, por favor considera l'usu d'un sirvidor GNU/Linux nel so llugar.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Paez ser que la instancia %s ta executándose nun entornu de PHP 32 bits y el open_basedir configuróse en php.ini. Esto va dar llugar a problemes colos ficheros de más de 4 GB y nun ye nada recomendable.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, desanicia la configuración open_basedir dientro la so php.ini o camude a PHP 64 bits.", + "Set an admin username." : "Afitar nome d'usuariu p'almin", + "Set an admin password." : "Afitar contraseña p'almin", + "Can't create or write into the data directory %s" : "Nun pue crease o escribir dientro los datos del direutoriu %s", + "Invalid Federated Cloud ID" : "ID non válida de ñube federada", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Compartir %s falló, por cuenta qu'el backend nun dexa acciones de tipu %i", + "Sharing %s failed, because the file does not exist" : "Compartir %s falló, porque'l ficheru nun esiste", + "You are not allowed to share %s" : "Nun tienes permisu pa compartir %s", + "Sharing %s failed, because you can not share with yourself" : "Compartir %s falló, porque nun puede compartise contigo mesmu", + "Sharing %s failed, because the user %s does not exist" : "Compartir %s falló, yá que l'usuariu %s nun esiste", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Compartir %s falló, yá que l'usuariu %s nun ye miembru de nengún de los grupos de los que ye miembru %s", + "Sharing %s failed, because this item is already shared with %s" : "Compartir %s falló, porque esti elementu yá ta compartiéndose con %s", + "Sharing %s failed, because this item is already shared with user %s" : "Compartir %s falló, porque esti elementu yá ta compartiéndose col usuariu %s", + "Sharing %s failed, because the group %s does not exist" : "Compartir %s falló, porque'l grupu %s nun esiste", + "Sharing %s failed, because %s is not a member of the group %s" : "Compartir %s falló, porque %s nun ye miembru del grupu %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Necesites apurrir una contraseña pa crear un enllaz públicu, namái tan permitíos los enllaces protexíos", + "Sharing %s failed, because sharing with links is not allowed" : "Compartir %s falló, porque nun se permite compartir con enllaces", + "Not allowed to create a federated share with the same user" : "Nun s'almite crear un recursu compartíu federáu col mesmu usuariu", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Compartir %s falló, nun pudo atopase %s, pue qu'el servidor nun seya anguaño algamable.", + "Share type %s is not valid for %s" : "La triba de compartición %s nun ye válida pa %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Nun pue afitase la data de caducidá. Ficheros compartíos nun puen caducar dempués de %s de compartise", + "Cannot set expiration date. Expiration date is in the past" : "Nun pue afitase la data d'espiración. La data d'espiración ta nel pasáu", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "El motor compartíu %s tien d'implementar la interfaz OCP\\Share_Backend", + "Sharing backend %s not found" : "Nun s'alcontró'l botón de compartición %s", + "Sharing backend for %s not found" : "Nun s'alcontró'l botón de partición pa %s", + "Sharing failed, because the user %s is the original sharer" : "Compartir falló, porque l'usuariu %s ye'l compartidor orixinal", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Compartir %s falló, porque los permisos perpasen los otorgaos a %s", + "Sharing %s failed, because resharing is not allowed" : "Compartir %s falló, porque nun se permite la re-compartición", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Compartir %s falló porque'l motor compartíu pa %s podría nun atopar el so orixe", + "Sharing %s failed, because the file could not be found in the file cache" : "Compartir %s falló, yá que'l ficheru nun pudo atopase na caché de ficheru", + "Can’t increase permissions of %s" : "Nun pue aumentase los permisos de %s", + "Files can’t be shared with delete permissions" : "Los ficheros nun puen compartise colos permisos de desaniciu", + "Files can’t be shared with create permissions" : "Los ficheros nun puen compartise colos permisos de creación", + "Expiration date is in the past" : "La data de caducidá ta nel pasáu.", + "Can’t set expiration date more than %s days in the future" : "Nun pue afitase la data de caducidá más de %s díes nel futuru", + "%s shared »%s« with you" : "%s compartió »%s« contigo", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Nun pudo alcontrase la estaya \"%s.\"", + "Sunday" : "Domingu", + "Monday" : "Llunes", + "Friday" : "Vienres", + "Saturday" : "Sábadu", + "Mon." : "Llu.", + "Sat." : "Sáb.", + "January" : "Xineru", + "February" : "Febreru", + "March" : "Marzu", + "April" : "Abril", + "May" : "Mayu", + "June" : "Xunu", + "July" : "Xunetu", + "August" : "Agostu", + "September" : "Setiembre", + "October" : "Ochobre", + "November" : "Payares", + "December" : "Avientu", + "Jan." : "Xin.", + "Feb." : "Feb.", + "Mar." : "Mar.", + "Apr." : "Abr.", + "May." : "May.", + "Jun." : "Xun.", + "Jul." : "Xnt.", + "Sep." : "Set.", + "Oct." : "Och.", + "Nov." : "Pay.", + "Dec." : "Avi.", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Namái tan permitíos los siguientes caráuteres nun nome d'usuariu: \"a-z\", \"A-Z\", \"0-9\", y \"_.@-'\"", + "A valid username must be provided" : "Tien d'apurrise un nome d'usuariu válidu", + "Username contains whitespace at the beginning or at the end" : "El nome d'usuario contién espacios en blancu al entamu o al final", + "Username must not consist of dots only" : "El nome d'usuariu nun pue tener puntos", + "A valid password must be provided" : "Tien d'apurrise una contraseña válida", + "The username is already being used" : "El nome d'usuariu yá ta usándose", + "User disabled" : "Usuariu desactiváu", + "Login canceled by app" : "Aniciar sesión canceláu pola aplicación", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'aplicación \"%s\" nun puede instalase porque les siguientes dependencies nun se cumplen: %s", + "a safe home for all your data" : "un llar seguru pa tolos tos datos", + "File is currently busy, please try again later" : "Fichaeru ta ocupáu, por favor intentelo de nuevu más tarde", + "Can't read file" : "Nun ye a lleese'l ficheru", + "Application is not enabled" : "L'aplicación nun ta habilitada", + "Authentication error" : "Fallu d'autenticación", + "Token expired. Please reload page." : "Token caducáu. Recarga la páxina.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Nun hai controladores de bases de datos (sqlite, mysql, o postgresql)", + "Cannot write into \"config\" directory" : "Nun pue escribise nel direutoriu \"config\"", + "Cannot write into \"apps\" directory" : "Nun pue escribise nel direutoriu \"apps\"", + "Cannot create \"data\" directory" : "Nun pue crease'l direutoriu «datos»", + "Setting locale to %s failed" : "Falló l'activación del idioma %s", + "Please install one of these locales on your system and restart your webserver." : "Instala ún d'estos locales nel to sistema y reanicia'l sirvidor web", + "Please ask your server administrator to install the module." : "Por favor, entrúga-y al to alministrador del sirvidor pa instalar el módulu.", + "PHP module %s not installed." : "Nun ta instaláu'l módulu PHP %s", + "PHP setting \"%s\" is not set to \"%s\"." : "La configuración de PHP \"%s\" nun s'afita \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload afita \"%s\" en llugar del valor esperáu \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Pa solucionar esti problema definíu mbstring.func_overloada 0 nel so php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "libxml2 2.7.0 ríquese siquier. Anguaño ta instaláu %s.", + "To fix this issue update your libxml2 version and restart your web server." : "Pa solucionar esti problema actualiza latso versión de libxml2 y reanicia'l to sirvidor web.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP ta aparentemente configuráu pa desaniciar bloques de documentos en llinia. Esto va facer que delles aplicaciones principales nun tean accesibles.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dablemente esto seya culpa d'un caché o acelerador, como por exemplu Zend OPcache o eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Instaláronse los módulos PHP, ¿pero tán entá llistaos como faltantes?", + "Please ask your server administrator to restart the web server." : "Por favor, entruga al to alministrador pa reaniciar el sirvidor web.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 requeríu", + "Please upgrade your database version" : "Por favor, anueva la versión de la to base de datos", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Por favor, camuda los permisos a 0770 pa que'l direutoriu nun pueda llistase por otros usuarios.", + "Check the value of \"datadirectory\" in your configuration" : "Comprobar el valor del \"datadirectory\" na so configuración", + "Your data directory is invalid" : "El to direutoriu de datos nun ye válidu", + "Could not obtain lock type %d on \"%s\"." : "Nun pudo facese'l bloquéu %d en \"%s\".", + "Storage unauthorized. %s" : "Almacenamientu desautorizáu. %s", + "Storage incomplete configuration. %s" : "Configuración d'almacenamientu incompleta. %s", + "Storage connection error. %s" : "Fallu de conexón al almacenamientu. %s", + "Storage is temporarily not available" : "L'almacenamientu ta temporalmente non disponible", + "Storage connection timeout. %s" : "Tiempu escosao de conexón al almacenamientu. %s" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/ast.json b/lib/l10n/ast.json new file mode 100644 index 0000000000000..3e0047ee423c9 --- /dev/null +++ b/lib/l10n/ast.json @@ -0,0 +1,174 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "¡Nun pue escribise nel direutoriu «config»!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Davezu esto pue iguase dándo-y al sirvidor web accesu d'escritura al direutoriu de configuración", + "See %s" : "Mira %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Esto davezu íguase dando'l permisu d'escritura nel direutoriu de configuración al sirvidor web. Mira %s", + "Sample configuration detected" : "Configuración d'amuesa detectada", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Detectose que la configuración d'amuesa copiose. Esto pue encaboxar la instalación y dexala ensín soporte. Llee la documentación enantes de facer cambéos en config.php", + "%1$s and %2$s" : "%1$s y %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s y %3$s", + "Education Edition" : "Edición educativa", + "Enterprise bundle" : "Llote empresarial", + "Social sharing bundle" : "Llote de compartición social", + "PHP %s or higher is required." : "Necesítase PHP %s o superior", + "PHP with a version lower than %s is required." : "Necesítase una versión PHP anterior a %s", + "%sbit or higher PHP required." : "Necesítase PHP %sbit o superior", + "Following databases are supported: %s" : "Les siguientes bases de datos tan sofitaes: %s", + "The command line tool %s could not be found" : "La ferramienta línea de comandu %s nun pudo alcontrase", + "The library %s is not available." : "La librería %s nun ta disponible", + "Library %s with a version higher than %s is required - available version %s." : "Necesítase una librería %s con ua versión superior a %s - versión disponible %s.", + "Library %s with a version lower than %s is required - available version %s." : "Necesítase una librería %s con una versión anterior a %s - versión disponible %s.", + "Following platforms are supported: %s" : "Les siguientes plataformes tan sofitaes: %s", + "Unknown filetype" : "Triba de ficheru desconocida", + "Invalid image" : "Imaxe inválida", + "Avatar image is not square" : "La imaxe del avatar nun ye cuadrada", + "today" : "güei", + "yesterday" : "ayeri", + "_%n day ago_::_%n days ago_" : ["hai %n día","hai %n díes"], + "last month" : "mes caberu", + "_%n month ago_::_%n months ago_" : ["hai %n mes","hai %n meses"], + "last year" : "añu caberu", + "_%n year ago_::_%n years ago_" : ["hai %n añu","hai %n años"], + "_%n hour ago_::_%n hours ago_" : ["hai %n hora","hai %n hores"], + "_%n minute ago_::_%n minutes ago_" : ["hai %n minutu","hai %n minutos"], + "seconds ago" : "hai segundos", + "File name is a reserved word" : "El nome de ficheru ye una pallabra reservada", + "File name contains at least one invalid character" : "El nome del ficheru contién polo menos un carácter non válidu", + "File name is too long" : "El nome de ficheru ye demasiáu llargu", + "Empty filename is not allowed" : "Nun s'almite un nome de ficheru baleru", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "L'aplicación \"%s\" nun puede instalase porque nun se llee'l ficheru appinfo.", + "Help" : "Ayuda", + "Apps" : "Aplicaciones", + "Log out" : "Zarrar sesión", + "Users" : "Usuarios", + "Unknown user" : "Usuariu desconocíu", + "APCu" : "APCu", + "Basic settings" : "Axustes básicos", + "Security" : "Seguranza", + "Encryption" : "Cifráu", + "Additional settings" : "Axustes adicionales", + "Tips & tricks" : "Conseyos y trucos", + "__language_name__" : "Asturianu", + "%s enter the database username and name." : "%s introducir el nome d'usuariu y el nome de la base de datos .", + "%s enter the database username." : "%s introducir l'usuariu de la base de datos.", + "%s enter the database name." : "%s introducir nome de la base de datos.", + "%s you may not use dots in the database name" : "%s nun pues usar puntos nel nome de la base de datos", + "Oracle connection could not be established" : "Nun pudo afitase la conexón d'Oracle", + "Oracle username and/or password not valid" : "Nome d'usuariu o contraseña d'Oracle non válidos", + "PostgreSQL username and/or password not valid" : "Nome d'usuariu o contraseña PostgreSQL non válidos", + "You need to enter details of an existing account." : "Precises introducir los detalles d'una cuenta esistente.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nun ta sofitáu y %s nun furrulará afayadizamente nesta plataforma. ¡Úsalu baxo'l to riesgu!", + "For the best results, please consider using a GNU/Linux server instead." : "Pa los meyores resultaos, por favor considera l'usu d'un sirvidor GNU/Linux nel so llugar.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Paez ser que la instancia %s ta executándose nun entornu de PHP 32 bits y el open_basedir configuróse en php.ini. Esto va dar llugar a problemes colos ficheros de más de 4 GB y nun ye nada recomendable.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, desanicia la configuración open_basedir dientro la so php.ini o camude a PHP 64 bits.", + "Set an admin username." : "Afitar nome d'usuariu p'almin", + "Set an admin password." : "Afitar contraseña p'almin", + "Can't create or write into the data directory %s" : "Nun pue crease o escribir dientro los datos del direutoriu %s", + "Invalid Federated Cloud ID" : "ID non válida de ñube federada", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Compartir %s falló, por cuenta qu'el backend nun dexa acciones de tipu %i", + "Sharing %s failed, because the file does not exist" : "Compartir %s falló, porque'l ficheru nun esiste", + "You are not allowed to share %s" : "Nun tienes permisu pa compartir %s", + "Sharing %s failed, because you can not share with yourself" : "Compartir %s falló, porque nun puede compartise contigo mesmu", + "Sharing %s failed, because the user %s does not exist" : "Compartir %s falló, yá que l'usuariu %s nun esiste", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Compartir %s falló, yá que l'usuariu %s nun ye miembru de nengún de los grupos de los que ye miembru %s", + "Sharing %s failed, because this item is already shared with %s" : "Compartir %s falló, porque esti elementu yá ta compartiéndose con %s", + "Sharing %s failed, because this item is already shared with user %s" : "Compartir %s falló, porque esti elementu yá ta compartiéndose col usuariu %s", + "Sharing %s failed, because the group %s does not exist" : "Compartir %s falló, porque'l grupu %s nun esiste", + "Sharing %s failed, because %s is not a member of the group %s" : "Compartir %s falló, porque %s nun ye miembru del grupu %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Necesites apurrir una contraseña pa crear un enllaz públicu, namái tan permitíos los enllaces protexíos", + "Sharing %s failed, because sharing with links is not allowed" : "Compartir %s falló, porque nun se permite compartir con enllaces", + "Not allowed to create a federated share with the same user" : "Nun s'almite crear un recursu compartíu federáu col mesmu usuariu", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Compartir %s falló, nun pudo atopase %s, pue qu'el servidor nun seya anguaño algamable.", + "Share type %s is not valid for %s" : "La triba de compartición %s nun ye válida pa %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Nun pue afitase la data de caducidá. Ficheros compartíos nun puen caducar dempués de %s de compartise", + "Cannot set expiration date. Expiration date is in the past" : "Nun pue afitase la data d'espiración. La data d'espiración ta nel pasáu", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "El motor compartíu %s tien d'implementar la interfaz OCP\\Share_Backend", + "Sharing backend %s not found" : "Nun s'alcontró'l botón de compartición %s", + "Sharing backend for %s not found" : "Nun s'alcontró'l botón de partición pa %s", + "Sharing failed, because the user %s is the original sharer" : "Compartir falló, porque l'usuariu %s ye'l compartidor orixinal", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Compartir %s falló, porque los permisos perpasen los otorgaos a %s", + "Sharing %s failed, because resharing is not allowed" : "Compartir %s falló, porque nun se permite la re-compartición", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Compartir %s falló porque'l motor compartíu pa %s podría nun atopar el so orixe", + "Sharing %s failed, because the file could not be found in the file cache" : "Compartir %s falló, yá que'l ficheru nun pudo atopase na caché de ficheru", + "Can’t increase permissions of %s" : "Nun pue aumentase los permisos de %s", + "Files can’t be shared with delete permissions" : "Los ficheros nun puen compartise colos permisos de desaniciu", + "Files can’t be shared with create permissions" : "Los ficheros nun puen compartise colos permisos de creación", + "Expiration date is in the past" : "La data de caducidá ta nel pasáu.", + "Can’t set expiration date more than %s days in the future" : "Nun pue afitase la data de caducidá más de %s díes nel futuru", + "%s shared »%s« with you" : "%s compartió »%s« contigo", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Nun pudo alcontrase la estaya \"%s.\"", + "Sunday" : "Domingu", + "Monday" : "Llunes", + "Friday" : "Vienres", + "Saturday" : "Sábadu", + "Mon." : "Llu.", + "Sat." : "Sáb.", + "January" : "Xineru", + "February" : "Febreru", + "March" : "Marzu", + "April" : "Abril", + "May" : "Mayu", + "June" : "Xunu", + "July" : "Xunetu", + "August" : "Agostu", + "September" : "Setiembre", + "October" : "Ochobre", + "November" : "Payares", + "December" : "Avientu", + "Jan." : "Xin.", + "Feb." : "Feb.", + "Mar." : "Mar.", + "Apr." : "Abr.", + "May." : "May.", + "Jun." : "Xun.", + "Jul." : "Xnt.", + "Sep." : "Set.", + "Oct." : "Och.", + "Nov." : "Pay.", + "Dec." : "Avi.", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Namái tan permitíos los siguientes caráuteres nun nome d'usuariu: \"a-z\", \"A-Z\", \"0-9\", y \"_.@-'\"", + "A valid username must be provided" : "Tien d'apurrise un nome d'usuariu válidu", + "Username contains whitespace at the beginning or at the end" : "El nome d'usuario contién espacios en blancu al entamu o al final", + "Username must not consist of dots only" : "El nome d'usuariu nun pue tener puntos", + "A valid password must be provided" : "Tien d'apurrise una contraseña válida", + "The username is already being used" : "El nome d'usuariu yá ta usándose", + "User disabled" : "Usuariu desactiváu", + "Login canceled by app" : "Aniciar sesión canceláu pola aplicación", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "L'aplicación \"%s\" nun puede instalase porque les siguientes dependencies nun se cumplen: %s", + "a safe home for all your data" : "un llar seguru pa tolos tos datos", + "File is currently busy, please try again later" : "Fichaeru ta ocupáu, por favor intentelo de nuevu más tarde", + "Can't read file" : "Nun ye a lleese'l ficheru", + "Application is not enabled" : "L'aplicación nun ta habilitada", + "Authentication error" : "Fallu d'autenticación", + "Token expired. Please reload page." : "Token caducáu. Recarga la páxina.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Nun hai controladores de bases de datos (sqlite, mysql, o postgresql)", + "Cannot write into \"config\" directory" : "Nun pue escribise nel direutoriu \"config\"", + "Cannot write into \"apps\" directory" : "Nun pue escribise nel direutoriu \"apps\"", + "Cannot create \"data\" directory" : "Nun pue crease'l direutoriu «datos»", + "Setting locale to %s failed" : "Falló l'activación del idioma %s", + "Please install one of these locales on your system and restart your webserver." : "Instala ún d'estos locales nel to sistema y reanicia'l sirvidor web", + "Please ask your server administrator to install the module." : "Por favor, entrúga-y al to alministrador del sirvidor pa instalar el módulu.", + "PHP module %s not installed." : "Nun ta instaláu'l módulu PHP %s", + "PHP setting \"%s\" is not set to \"%s\"." : "La configuración de PHP \"%s\" nun s'afita \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload afita \"%s\" en llugar del valor esperáu \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Pa solucionar esti problema definíu mbstring.func_overloada 0 nel so php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "libxml2 2.7.0 ríquese siquier. Anguaño ta instaláu %s.", + "To fix this issue update your libxml2 version and restart your web server." : "Pa solucionar esti problema actualiza latso versión de libxml2 y reanicia'l to sirvidor web.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP ta aparentemente configuráu pa desaniciar bloques de documentos en llinia. Esto va facer que delles aplicaciones principales nun tean accesibles.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dablemente esto seya culpa d'un caché o acelerador, como por exemplu Zend OPcache o eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Instaláronse los módulos PHP, ¿pero tán entá llistaos como faltantes?", + "Please ask your server administrator to restart the web server." : "Por favor, entruga al to alministrador pa reaniciar el sirvidor web.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 requeríu", + "Please upgrade your database version" : "Por favor, anueva la versión de la to base de datos", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Por favor, camuda los permisos a 0770 pa que'l direutoriu nun pueda llistase por otros usuarios.", + "Check the value of \"datadirectory\" in your configuration" : "Comprobar el valor del \"datadirectory\" na so configuración", + "Your data directory is invalid" : "El to direutoriu de datos nun ye válidu", + "Could not obtain lock type %d on \"%s\"." : "Nun pudo facese'l bloquéu %d en \"%s\".", + "Storage unauthorized. %s" : "Almacenamientu desautorizáu. %s", + "Storage incomplete configuration. %s" : "Configuración d'almacenamientu incompleta. %s", + "Storage connection error. %s" : "Fallu de conexón al almacenamientu. %s", + "Storage is temporarily not available" : "L'almacenamientu ta temporalmente non disponible", + "Storage connection timeout. %s" : "Tiempu escosao de conexón al almacenamientu. %s" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/az.js b/lib/l10n/az.js new file mode 100644 index 0000000000000..28b835f042c09 --- /dev/null +++ b/lib/l10n/az.js @@ -0,0 +1,32 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "\"configurasiya\" direktoriyasının daxilində yazmaq mümkün deyil", + "This can usually be fixed by giving the webserver write access to the config directory" : "Adətən tez həll etmək üçün WEB serverdə yazma yetkisi verilir", + "See %s" : "Bax %s", + "Sample configuration detected" : "Konfiqurasiya nüsxəsi təyin edildi", + "Unknown filetype" : "Fayl tipi bəlli deyil.", + "Invalid image" : "Yalnış şəkil", + "today" : "Bu gün", + "seconds ago" : "saniyələr öncə", + "Users" : "İstifadəçilər", + "Unknown user" : "Istifadəçi tanınmır ", + "__language_name__" : "Azərbaycan dili", + "%s enter the database username." : "Verilənlər bazası istifadəçi adını %s daxil et.", + "%s enter the database name." : "Verilənlər bazası adını %s daxil et.", + "Oracle connection could not be established" : "Oracle qoşulması alınmır", + "Oracle username and/or password not valid" : "Oracle istifadəçi adı və/ya şifrəsi düzgün deyil", + "Set an admin username." : "İnzibatçı istifadəçi adını təyin et.", + "Set an admin password." : "İnzibatçı şifrəsini təyin et.", + "Sharing %s failed, because the file does not exist" : "%s yayımlanmasında səhv baş verdi ona görə ki, fayl mövcud deyil.", + "You are not allowed to share %s" : "%s-in yayimlanmasına sizə izin verilmir", + "Share type %s is not valid for %s" : "Yayımlanma tipi %s etibarlı deyil %s üçün", + "%s shared »%s« with you" : "%s yayımlandı »%s« sizinlə", + "A valid username must be provided" : "Düzgün istifadəçi adı daxil edilməlidir", + "A valid password must be provided" : "Düzgün şifrə daxil edilməlidir", + "Application is not enabled" : "Proqram təminatı aktiv edilməyib", + "Authentication error" : "Təyinat metodikası", + "Token expired. Please reload page." : "Token vaxtı bitib. Xahiş olunur səhifəni yenidən yükləyəsiniz.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Bu ola bilər ki, cache/accelerator such tərəfindən cağırılıb hansi ki, Zend OPcache və eAccelerator-da olduğu kimidir." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/az.json b/lib/l10n/az.json new file mode 100644 index 0000000000000..8041bd6c950fd --- /dev/null +++ b/lib/l10n/az.json @@ -0,0 +1,30 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "\"configurasiya\" direktoriyasının daxilində yazmaq mümkün deyil", + "This can usually be fixed by giving the webserver write access to the config directory" : "Adətən tez həll etmək üçün WEB serverdə yazma yetkisi verilir", + "See %s" : "Bax %s", + "Sample configuration detected" : "Konfiqurasiya nüsxəsi təyin edildi", + "Unknown filetype" : "Fayl tipi bəlli deyil.", + "Invalid image" : "Yalnış şəkil", + "today" : "Bu gün", + "seconds ago" : "saniyələr öncə", + "Users" : "İstifadəçilər", + "Unknown user" : "Istifadəçi tanınmır ", + "__language_name__" : "Azərbaycan dili", + "%s enter the database username." : "Verilənlər bazası istifadəçi adını %s daxil et.", + "%s enter the database name." : "Verilənlər bazası adını %s daxil et.", + "Oracle connection could not be established" : "Oracle qoşulması alınmır", + "Oracle username and/or password not valid" : "Oracle istifadəçi adı və/ya şifrəsi düzgün deyil", + "Set an admin username." : "İnzibatçı istifadəçi adını təyin et.", + "Set an admin password." : "İnzibatçı şifrəsini təyin et.", + "Sharing %s failed, because the file does not exist" : "%s yayımlanmasında səhv baş verdi ona görə ki, fayl mövcud deyil.", + "You are not allowed to share %s" : "%s-in yayimlanmasına sizə izin verilmir", + "Share type %s is not valid for %s" : "Yayımlanma tipi %s etibarlı deyil %s üçün", + "%s shared »%s« with you" : "%s yayımlandı »%s« sizinlə", + "A valid username must be provided" : "Düzgün istifadəçi adı daxil edilməlidir", + "A valid password must be provided" : "Düzgün şifrə daxil edilməlidir", + "Application is not enabled" : "Proqram təminatı aktiv edilməyib", + "Authentication error" : "Təyinat metodikası", + "Token expired. Please reload page." : "Token vaxtı bitib. Xahiş olunur səhifəni yenidən yükləyəsiniz.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Bu ola bilər ki, cache/accelerator such tərəfindən cağırılıb hansi ki, Zend OPcache və eAccelerator-da olduğu kimidir." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/bg.js b/lib/l10n/bg.js new file mode 100644 index 0000000000000..67f5bebccf121 --- /dev/null +++ b/lib/l10n/bg.js @@ -0,0 +1,149 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Неуспешен опит за запис в \"config\" папката!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Това може да бъде решено единствено като разрешиш на уеб сървъра да пише в config папката.", + "See %s" : "Вижте %s", + "Sample configuration detected" : "Открита е примерна конфигурация", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Усетено беше че примерната конфигурация е копирана. Това може да развли инсталацията ти и не се поддържа. Моля, прочети документацията преди да правиш промени на config.php", + "%1$s and %2$s" : "%1$s и %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s и %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s и %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s и %5$s", + "PHP %s or higher is required." : "Изисква се PHP %s или по-нова.", + "PHP with a version lower than %s is required." : "Необходим е PHP с версия по-ниска от %s.", + "Following databases are supported: %s" : "Следните бази данни са поддържани: %s", + "The command line tool %s could not be found" : "Конзолната команда %s не може да бъде намерена", + "The library %s is not available." : "Библиотеката %s не е налична", + "Library %s with a version higher than %s is required - available version %s." : "Необходима е библиотеката %s с версия по-висока от %s - налична версия %s. ", + "Library %s with a version lower than %s is required - available version %s." : "Необходима е библиотеката %s с версия по-ниска от %s - налична версия %s. ", + "Following platforms are supported: %s" : "Поддържани са следните платформи: %s", + "Unknown filetype" : "Непознат тип файл", + "Invalid image" : "Невалидно изображение.", + "today" : "днес", + "yesterday" : "вчера", + "_%n day ago_::_%n days ago_" : ["преди %n ден","преди %n дни"], + "last month" : "миналия месец", + "_%n month ago_::_%n months ago_" : ["преди %n месец","преди %n месеца"], + "last year" : "миналата година", + "_%n year ago_::_%n years ago_" : ["преди %n година","преди %n години"], + "_%n hour ago_::_%n hours ago_" : ["преди %n час","преди %n часа"], + "_%n minute ago_::_%n minutes ago_" : ["преди %n минута","преди %n минути"], + "seconds ago" : "преди секунди", + "File name contains at least one invalid character" : "Името на файла съдържа поне един невалиден символ", + "File name is too long" : "Името на файла е твърде дълго", + "Help" : "Помощ", + "Apps" : "Приложения", + "Users" : "Потребители", + "Unknown user" : "Непознат потребител", + "APCu" : "APCu", + "Redis" : "Redis", + "Sharing" : "Споделяне", + "Additional settings" : "Допълнителни настройки", + "__language_name__" : "Български", + "%s enter the database username and name." : "%s въведете потребителско име и име за базата данни", + "%s enter the database username." : "%s въведете потребител за базата данни.", + "%s enter the database name." : "%s въведи име на базата данни.", + "%s you may not use dots in the database name" : "%s, не може да ползваш точки в името на базата данни.", + "Oracle username and/or password not valid" : "Невалидно Oracle потребителско име и/или парола.", + "PostgreSQL username and/or password not valid" : "Невалидно PostgreSQL потребителско име и/или парола.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X не се подържа и %s няма да работи правилно на тази платформа. Използвайте го на свой собствен риск!", + "For the best results, please consider using a GNU/Linux server instead." : "За най-добри резултати, моля, помисли дали не бихте желали да използваште GNU/Linux сървър.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Моля, премахтене настройката за open_basedir от вашия php.ini или преминете към 64-битово PHP.", + "Set an admin username." : "Задайте потребителско име за администратор.", + "Set an admin password." : "Задай парола за администратор.", + "Can't create or write into the data directory %s" : "Неуспешно създаване или записване в \"data\" папката %s", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Неуспешно споделяне на %s , защото сървъра не позволява споделяне от тип $i.", + "Sharing %s failed, because the file does not exist" : "Неуспешно споделяне на %s, защото файлът не съществува.", + "You are not allowed to share %s" : "Не ти е разрешено да споделяш %s.", + "Sharing %s failed, because the user %s does not exist" : "Неуспешно споделяне на %s, защото потребител %s не съществува.", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Неуспешно споделяне на %s, защото %s не е член никоя от групите, в които е %s.", + "Sharing %s failed, because this item is already shared with %s" : "Неуспешно споделяне на %s, защото това съдържание е вече споделено с %s.", + "Sharing %s failed, because the group %s does not exist" : "Неупешно споделяне на %s, защото групата %s не съществува.", + "Sharing %s failed, because %s is not a member of the group %s" : "Неуспешно споделяне на %s, защото %s не е член на групата %s.", + "You need to provide a password to create a public link, only protected links are allowed" : "Трябва да зададеш парола, за да създадеш общодостъпен линк за споделяне, само защитени с пароли линкове са разрешени.", + "Sharing %s failed, because sharing with links is not allowed" : "Неуспешно споделяне на %s, защото споделянето посредством връзки не е разрешено.", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Неуспешно споделяне на на %s, не може бъде намерено %s. Може би сървъра в момента е недостъпен.", + "Share type %s is not valid for %s" : "Споделянето на тип %s не валидно за %s.", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Неуспешно задаване на дата на изтичане. Споделни папки или файлове не могат да изтичат по-късно от %s след като са били споделени", + "Cannot set expiration date. Expiration date is in the past" : "Неуспешно задаване на дата на изтичане. Датата на изтичане е в миналото", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Споделянето на сървърния %s трябва да поддържа OCP\\Share_Backend интерфейс.", + "Sharing backend %s not found" : "Споделянето на сървърния %s не е открито.", + "Sharing backend for %s not found" : "Споделянето на сървъра за %s не е открито.", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Неуспешно споделяне на %s, защото промените надвишават правата на достъп дадени на %s.", + "Sharing %s failed, because resharing is not allowed" : "Неуспешно споделяне на %s, защото повторно споделяне не е разрешено.", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Неуспешно споделяне на %s, защото не е открит първоизточникът на %s, за да бъде споделяне по сървъра.", + "Sharing %s failed, because the file could not be found in the file cache" : "Неуспешно споделяне на %s, защото файлът не може да бъде намерен в кеша.", + "%s shared »%s« with you" : "%s сподели »%s« с теб", + "%s via %s" : "%s чрез %s", + "Could not find category \"%s\"" : "Невъзможно откриване на категорията \"%s\".", + "Sunday" : "неделя", + "Monday" : "понеделник", + "Tuesday" : "вторник", + "Wednesday" : "сряда", + "Thursday" : "четвъртък", + "Friday" : "петък", + "Saturday" : "събота", + "Sun." : "нед", + "Mon." : "пон", + "Tue." : "вт", + "Wed." : "ср", + "Thu." : "чет", + "Fri." : "пет", + "Sat." : "съб", + "Su" : "нд", + "Mo" : "пн", + "We" : "ср", + "Th" : "чт", + "Fr" : "пт", + "Sa" : "сб", + "January" : "януари", + "February" : "февруару", + "March" : "март", + "April" : "април", + "May" : "май", + "June" : "юни", + "July" : "юли", + "August" : "август", + "September" : "септември", + "October" : "октомври", + "November" : "ноември", + "December" : "декември", + "Jan." : "яну", + "Feb." : "фев", + "Mar." : "мар", + "Apr." : "апр", + "May." : "май", + "Jun." : "юни", + "Jul." : "юли", + "Aug." : "авг", + "Sep." : "сеп", + "Oct." : "окт", + "Nov." : "ное", + "Dec." : "дек", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Потребителските имена може да съдържат следните знаци: \"a-z\", \"A-Z\", \"0-9\" и \"_.@-'\"", + "A valid username must be provided" : "Трябва да въведете валидно потребителско.", + "Username contains whitespace at the beginning or at the end" : "Потребителското име започва или завършва с интервал.", + "A valid password must be provided" : "Трябва да въведете валидна парола.", + "The username is already being used" : "Потребителското име е вече заето.", + "a safe home for all your data" : "безопасен дом за всички ваши данни", + "Can't read file" : "Файлът не може да бъде прочетен", + "Application is not enabled" : "Приложението не е включено", + "Authentication error" : "Проблем с идентификацията", + "Token expired. Please reload page." : "Изтекла сесия. Моля, презареди страницата.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Липсват инсталирани драйвери за бази данни(sqlite, mysql или postgresql).", + "Cannot write into \"config\" directory" : "Неуспешен опит за запис в \"config\" папката.", + "Cannot write into \"apps\" directory" : "Писането в папка приложения не е възможно", + "Setting locale to %s failed" : "Неуспешно задаване на %s като настройка език-държава.", + "Please install one of these locales on your system and restart your webserver." : "Моля, инсталирай едно от следните език-държава на сървъра и рестартирай уеб сървъра.", + "Please ask your server administrator to install the module." : "Моля, помолете вашия администратор да инсталира модула.", + "PHP module %s not installed." : "PHP модулът %s не е инсталиран.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Това може да се дължи на cache/accelerator като Zend OPache или eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP модулите са инсталирани, но все още се обявяват като липсващи?", + "Please ask your server administrator to restart the web server." : "Моля, поискай от своя администратор да рестартира уеб сървъра.", + "PostgreSQL >= 9 required" : "Изисква се PostgreSQL >= 9", + "Please upgrade your database version" : "Моля, обнови базата данни.", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Моля, променете правата за достъп на 0770, за да не може директорията да бъде видяна от други потребители.", + "Could not obtain lock type %d on \"%s\"." : "Неуспешен опит за ексклузивен достъп от типa %d върху \"%s\"." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/bg.json b/lib/l10n/bg.json new file mode 100644 index 0000000000000..189e52cb736cb --- /dev/null +++ b/lib/l10n/bg.json @@ -0,0 +1,147 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Неуспешен опит за запис в \"config\" папката!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Това може да бъде решено единствено като разрешиш на уеб сървъра да пише в config папката.", + "See %s" : "Вижте %s", + "Sample configuration detected" : "Открита е примерна конфигурация", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Усетено беше че примерната конфигурация е копирана. Това може да развли инсталацията ти и не се поддържа. Моля, прочети документацията преди да правиш промени на config.php", + "%1$s and %2$s" : "%1$s и %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s и %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s и %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s и %5$s", + "PHP %s or higher is required." : "Изисква се PHP %s или по-нова.", + "PHP with a version lower than %s is required." : "Необходим е PHP с версия по-ниска от %s.", + "Following databases are supported: %s" : "Следните бази данни са поддържани: %s", + "The command line tool %s could not be found" : "Конзолната команда %s не може да бъде намерена", + "The library %s is not available." : "Библиотеката %s не е налична", + "Library %s with a version higher than %s is required - available version %s." : "Необходима е библиотеката %s с версия по-висока от %s - налична версия %s. ", + "Library %s with a version lower than %s is required - available version %s." : "Необходима е библиотеката %s с версия по-ниска от %s - налична версия %s. ", + "Following platforms are supported: %s" : "Поддържани са следните платформи: %s", + "Unknown filetype" : "Непознат тип файл", + "Invalid image" : "Невалидно изображение.", + "today" : "днес", + "yesterday" : "вчера", + "_%n day ago_::_%n days ago_" : ["преди %n ден","преди %n дни"], + "last month" : "миналия месец", + "_%n month ago_::_%n months ago_" : ["преди %n месец","преди %n месеца"], + "last year" : "миналата година", + "_%n year ago_::_%n years ago_" : ["преди %n година","преди %n години"], + "_%n hour ago_::_%n hours ago_" : ["преди %n час","преди %n часа"], + "_%n minute ago_::_%n minutes ago_" : ["преди %n минута","преди %n минути"], + "seconds ago" : "преди секунди", + "File name contains at least one invalid character" : "Името на файла съдържа поне един невалиден символ", + "File name is too long" : "Името на файла е твърде дълго", + "Help" : "Помощ", + "Apps" : "Приложения", + "Users" : "Потребители", + "Unknown user" : "Непознат потребител", + "APCu" : "APCu", + "Redis" : "Redis", + "Sharing" : "Споделяне", + "Additional settings" : "Допълнителни настройки", + "__language_name__" : "Български", + "%s enter the database username and name." : "%s въведете потребителско име и име за базата данни", + "%s enter the database username." : "%s въведете потребител за базата данни.", + "%s enter the database name." : "%s въведи име на базата данни.", + "%s you may not use dots in the database name" : "%s, не може да ползваш точки в името на базата данни.", + "Oracle username and/or password not valid" : "Невалидно Oracle потребителско име и/или парола.", + "PostgreSQL username and/or password not valid" : "Невалидно PostgreSQL потребителско име и/или парола.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X не се подържа и %s няма да работи правилно на тази платформа. Използвайте го на свой собствен риск!", + "For the best results, please consider using a GNU/Linux server instead." : "За най-добри резултати, моля, помисли дали не бихте желали да използваште GNU/Linux сървър.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Моля, премахтене настройката за open_basedir от вашия php.ini или преминете към 64-битово PHP.", + "Set an admin username." : "Задайте потребителско име за администратор.", + "Set an admin password." : "Задай парола за администратор.", + "Can't create or write into the data directory %s" : "Неуспешно създаване или записване в \"data\" папката %s", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Неуспешно споделяне на %s , защото сървъра не позволява споделяне от тип $i.", + "Sharing %s failed, because the file does not exist" : "Неуспешно споделяне на %s, защото файлът не съществува.", + "You are not allowed to share %s" : "Не ти е разрешено да споделяш %s.", + "Sharing %s failed, because the user %s does not exist" : "Неуспешно споделяне на %s, защото потребител %s не съществува.", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Неуспешно споделяне на %s, защото %s не е член никоя от групите, в които е %s.", + "Sharing %s failed, because this item is already shared with %s" : "Неуспешно споделяне на %s, защото това съдържание е вече споделено с %s.", + "Sharing %s failed, because the group %s does not exist" : "Неупешно споделяне на %s, защото групата %s не съществува.", + "Sharing %s failed, because %s is not a member of the group %s" : "Неуспешно споделяне на %s, защото %s не е член на групата %s.", + "You need to provide a password to create a public link, only protected links are allowed" : "Трябва да зададеш парола, за да създадеш общодостъпен линк за споделяне, само защитени с пароли линкове са разрешени.", + "Sharing %s failed, because sharing with links is not allowed" : "Неуспешно споделяне на %s, защото споделянето посредством връзки не е разрешено.", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Неуспешно споделяне на на %s, не може бъде намерено %s. Може би сървъра в момента е недостъпен.", + "Share type %s is not valid for %s" : "Споделянето на тип %s не валидно за %s.", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Неуспешно задаване на дата на изтичане. Споделни папки или файлове не могат да изтичат по-късно от %s след като са били споделени", + "Cannot set expiration date. Expiration date is in the past" : "Неуспешно задаване на дата на изтичане. Датата на изтичане е в миналото", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Споделянето на сървърния %s трябва да поддържа OCP\\Share_Backend интерфейс.", + "Sharing backend %s not found" : "Споделянето на сървърния %s не е открито.", + "Sharing backend for %s not found" : "Споделянето на сървъра за %s не е открито.", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Неуспешно споделяне на %s, защото промените надвишават правата на достъп дадени на %s.", + "Sharing %s failed, because resharing is not allowed" : "Неуспешно споделяне на %s, защото повторно споделяне не е разрешено.", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Неуспешно споделяне на %s, защото не е открит първоизточникът на %s, за да бъде споделяне по сървъра.", + "Sharing %s failed, because the file could not be found in the file cache" : "Неуспешно споделяне на %s, защото файлът не може да бъде намерен в кеша.", + "%s shared »%s« with you" : "%s сподели »%s« с теб", + "%s via %s" : "%s чрез %s", + "Could not find category \"%s\"" : "Невъзможно откриване на категорията \"%s\".", + "Sunday" : "неделя", + "Monday" : "понеделник", + "Tuesday" : "вторник", + "Wednesday" : "сряда", + "Thursday" : "четвъртък", + "Friday" : "петък", + "Saturday" : "събота", + "Sun." : "нед", + "Mon." : "пон", + "Tue." : "вт", + "Wed." : "ср", + "Thu." : "чет", + "Fri." : "пет", + "Sat." : "съб", + "Su" : "нд", + "Mo" : "пн", + "We" : "ср", + "Th" : "чт", + "Fr" : "пт", + "Sa" : "сб", + "January" : "януари", + "February" : "февруару", + "March" : "март", + "April" : "април", + "May" : "май", + "June" : "юни", + "July" : "юли", + "August" : "август", + "September" : "септември", + "October" : "октомври", + "November" : "ноември", + "December" : "декември", + "Jan." : "яну", + "Feb." : "фев", + "Mar." : "мар", + "Apr." : "апр", + "May." : "май", + "Jun." : "юни", + "Jul." : "юли", + "Aug." : "авг", + "Sep." : "сеп", + "Oct." : "окт", + "Nov." : "ное", + "Dec." : "дек", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Потребителските имена може да съдържат следните знаци: \"a-z\", \"A-Z\", \"0-9\" и \"_.@-'\"", + "A valid username must be provided" : "Трябва да въведете валидно потребителско.", + "Username contains whitespace at the beginning or at the end" : "Потребителското име започва или завършва с интервал.", + "A valid password must be provided" : "Трябва да въведете валидна парола.", + "The username is already being used" : "Потребителското име е вече заето.", + "a safe home for all your data" : "безопасен дом за всички ваши данни", + "Can't read file" : "Файлът не може да бъде прочетен", + "Application is not enabled" : "Приложението не е включено", + "Authentication error" : "Проблем с идентификацията", + "Token expired. Please reload page." : "Изтекла сесия. Моля, презареди страницата.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Липсват инсталирани драйвери за бази данни(sqlite, mysql или postgresql).", + "Cannot write into \"config\" directory" : "Неуспешен опит за запис в \"config\" папката.", + "Cannot write into \"apps\" directory" : "Писането в папка приложения не е възможно", + "Setting locale to %s failed" : "Неуспешно задаване на %s като настройка език-държава.", + "Please install one of these locales on your system and restart your webserver." : "Моля, инсталирай едно от следните език-държава на сървъра и рестартирай уеб сървъра.", + "Please ask your server administrator to install the module." : "Моля, помолете вашия администратор да инсталира модула.", + "PHP module %s not installed." : "PHP модулът %s не е инсталиран.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Това може да се дължи на cache/accelerator като Zend OPache или eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP модулите са инсталирани, но все още се обявяват като липсващи?", + "Please ask your server administrator to restart the web server." : "Моля, поискай от своя администратор да рестартира уеб сървъра.", + "PostgreSQL >= 9 required" : "Изисква се PostgreSQL >= 9", + "Please upgrade your database version" : "Моля, обнови базата данни.", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Моля, променете правата за достъп на 0770, за да не може директорията да бъде видяна от други потребители.", + "Could not obtain lock type %d on \"%s\"." : "Неуспешен опит за ексклузивен достъп от типa %d върху \"%s\"." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/bn_BD.js b/lib/l10n/bn_BD.js new file mode 100644 index 0000000000000..26ccf46d72fd9 --- /dev/null +++ b/lib/l10n/bn_BD.js @@ -0,0 +1,26 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "\"config\" ডিরেক্টরিতে লেখা যায়না!", + "This can usually be fixed by giving the webserver write access to the config directory" : "সাধারণতঃ ওয়বসার্ভারকে কনফিগ ডিরেক্টরিতে লেখার অধিকার দিয়ে এই সমস্যা সমাধান করা যায়", + "See %s" : "%s দেখ", + "Sample configuration detected" : "নমুনা কনফিগারেশন পাওয়া গেছে", + "Unknown filetype" : "অজানা প্রকৃতির ফাইল", + "Invalid image" : "অবৈধ চিত্র", + "today" : "আজ", + "yesterday" : "গতকাল", + "last month" : "গত মাস", + "last year" : "গত বছর", + "seconds ago" : "সেকেন্ড পূর্বে", + "Apps" : "অ্যাপ", + "Users" : "ব্যবহারকারী", + "Unknown user" : "অপরিচিত ব্যবহারকারী", + "__language_name__" : "বাংলা ভাষা", + "Sharing %s failed, because the file does not exist" : "%s ভাগাভাগি ব্যার্থ, কারণ ফাইলটি নেই", + "You are not allowed to share %s" : "আপনি %s ভাগাভাগি করতে পারবেননা", + "%s shared »%s« with you" : "%s আপনার সাথে »%s« ভাগাভাগি করেছে", + "Application is not enabled" : "অ্যাপ্লিকেসনটি সক্রিয় নয়", + "Authentication error" : "অনুমোদন ঘটিত সমস্যা", + "Token expired. Please reload page." : "টোকেন মেয়াদোত্তীর্ণ। দয়া করে পৃষ্ঠাটি পূনরায় লোড করুন।" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/bn_BD.json b/lib/l10n/bn_BD.json new file mode 100644 index 0000000000000..589c1a626679c --- /dev/null +++ b/lib/l10n/bn_BD.json @@ -0,0 +1,24 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "\"config\" ডিরেক্টরিতে লেখা যায়না!", + "This can usually be fixed by giving the webserver write access to the config directory" : "সাধারণতঃ ওয়বসার্ভারকে কনফিগ ডিরেক্টরিতে লেখার অধিকার দিয়ে এই সমস্যা সমাধান করা যায়", + "See %s" : "%s দেখ", + "Sample configuration detected" : "নমুনা কনফিগারেশন পাওয়া গেছে", + "Unknown filetype" : "অজানা প্রকৃতির ফাইল", + "Invalid image" : "অবৈধ চিত্র", + "today" : "আজ", + "yesterday" : "গতকাল", + "last month" : "গত মাস", + "last year" : "গত বছর", + "seconds ago" : "সেকেন্ড পূর্বে", + "Apps" : "অ্যাপ", + "Users" : "ব্যবহারকারী", + "Unknown user" : "অপরিচিত ব্যবহারকারী", + "__language_name__" : "বাংলা ভাষা", + "Sharing %s failed, because the file does not exist" : "%s ভাগাভাগি ব্যার্থ, কারণ ফাইলটি নেই", + "You are not allowed to share %s" : "আপনি %s ভাগাভাগি করতে পারবেননা", + "%s shared »%s« with you" : "%s আপনার সাথে »%s« ভাগাভাগি করেছে", + "Application is not enabled" : "অ্যাপ্লিকেসনটি সক্রিয় নয়", + "Authentication error" : "অনুমোদন ঘটিত সমস্যা", + "Token expired. Please reload page." : "টোকেন মেয়াদোত্তীর্ণ। দয়া করে পৃষ্ঠাটি পূনরায় লোড করুন।" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/bs.js b/lib/l10n/bs.js new file mode 100644 index 0000000000000..0e47ae3296345 --- /dev/null +++ b/lib/l10n/bs.js @@ -0,0 +1,16 @@ +OC.L10N.register( + "lib", + { + "Unknown filetype" : "Nepoznat tip datoteke", + "Invalid image" : "Nevažeća datoteka", + "Apps" : "Aplikacije", + "Users" : "Korisnici", + "__language_name__" : "Bosanski jezik", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nije podržan i %s na ovoj platformi neće raditi kako treba. Korištenje na vlastiti rizik!", + "For the best results, please consider using a GNU/Linux server instead." : "Umjesto toga, za najbolje rezultate, molimo razmislite o mogućnosti korištenje GNU/Linux servera.", + "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", + "A valid password must be provided" : "Nužno je navesti valjanu lozinku", + "Authentication error" : "Grešna autentifikacije", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemorisanja kao što je Zend OPcache ili eAccelerator." +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/lib/l10n/bs.json b/lib/l10n/bs.json new file mode 100644 index 0000000000000..763a577d7370a --- /dev/null +++ b/lib/l10n/bs.json @@ -0,0 +1,14 @@ +{ "translations": { + "Unknown filetype" : "Nepoznat tip datoteke", + "Invalid image" : "Nevažeća datoteka", + "Apps" : "Aplikacije", + "Users" : "Korisnici", + "__language_name__" : "Bosanski jezik", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nije podržan i %s na ovoj platformi neće raditi kako treba. Korištenje na vlastiti rizik!", + "For the best results, please consider using a GNU/Linux server instead." : "Umjesto toga, za najbolje rezultate, molimo razmislite o mogućnosti korištenje GNU/Linux servera.", + "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", + "A valid password must be provided" : "Nužno je navesti valjanu lozinku", + "Authentication error" : "Grešna autentifikacije", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemorisanja kao što je Zend OPcache ili eAccelerator." +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +} \ No newline at end of file diff --git a/lib/l10n/ca.js b/lib/l10n/ca.js new file mode 100644 index 0000000000000..567911aa4d3ef --- /dev/null +++ b/lib/l10n/ca.js @@ -0,0 +1,149 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "No es pot escriure a la carpeta \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Això normalment es pot solucionar donant al servidor web permís d'escriptura a la carpeta de configuració", + "See %s" : "Comproveu %s", + "Sample configuration detected" : "Configuració d'exemple detectada", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "S'ha detectat que la configuració d'exemple ha estat copiada. Això no està suportat, i podria corrompre la vostra instalació. Siusplau, llegiu la documentació abans de realitzar canvis a config.php", + "%1$s and %2$s" : "%1$s i %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s i %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s i %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s i %5$s", + "PHP %s or higher is required." : "Es requereix PHP %s o superior.", + "%sbit or higher PHP required." : "Es requereix PHP %s o superior.", + "Server version %s or higher is required." : "Es requereix una versió de servidor %s o superior", + "Server version %s or lower is required." : "Es requereix una versió de servidor %s o inferior", + "Unknown filetype" : "Tipus de fitxer desconegut", + "Invalid image" : "Imatge no vàlida", + "Avatar image is not square" : "La imatge de perfil no és quadrada", + "today" : "avui", + "yesterday" : "ahir", + "_%n day ago_::_%n days ago_" : ["fa %n dia","fa %n dies"], + "last month" : "el mes passat", + "_%n month ago_::_%n months ago_" : ["fa %n mes","fa %n mesos"], + "last year" : "l'any passat", + "_%n year ago_::_%n years ago_" : ["fa %n any","fa %n anys"], + "_%n hour ago_::_%n hours ago_" : ["fa %n hora","fa %n hores"], + "_%n minute ago_::_%n minutes ago_" : ["fa %n minut","fa %n minuts"], + "seconds ago" : "segons enrere", + "File name contains at least one invalid character" : "El nom del fitxer conté al menys un caràcter invàlid", + "File name is too long" : "el nom del fitxer es massa gran", + "Help" : "Ajuda", + "Apps" : "Aplicacions", + "Users" : "Usuaris", + "Unknown user" : "Usuari desconegut", + "APCu" : "APCu", + "Redis" : "Redis", + "Sharing" : "Compartir", + "Encryption" : "Xifrat", + "Additional settings" : "Configuració adicional", + "Tips & tricks" : "Consells i trucs", + "__language_name__" : "Català", + "%s enter the database username and name." : "%s escriviu el nom d'usuari i el nom de la base de dades.", + "%s enter the database username." : "%s escriviu el nom d'usuari de la base de dades.", + "%s enter the database name." : "%s escriviu el nom de la base de dades.", + "%s you may not use dots in the database name" : "%s no podeu usar punts en el nom de la base de dades", + "Oracle connection could not be established" : "No s'ha pogut establir la connexió Oracle", + "Oracle username and/or password not valid" : "Nom d'usuari i/o contrasenya Oracle no vàlids", + "PostgreSQL username and/or password not valid" : "Nom d'usuari i/o contrasenya PostgreSQL no vàlids", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X no té suport i %s no funcionarà correctament en aquesta plataforma. Useu-ho al vostre risc!", + "For the best results, please consider using a GNU/Linux server instead." : "Per millors resultats, millor considereu utilitzar un servidor GNU/Linux.", + "Set an admin username." : "Establiu un nom d'usuari per l'administrador.", + "Set an admin password." : "Establiu una contrasenya per l'administrador.", + "Invalid Federated Cloud ID" : "ID de núvol federat invàlid", + "Sharing %s failed, because the file does not exist" : "Ha fallat en compartir %s, perquè el fitxer no existeix", + "You are not allowed to share %s" : "No se us permet compartir %s", + "Sharing %s failed, because the user %s does not exist" : "Ha fallat en compartir %s, perquè l'usuari %s no existeix", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Ha fallat en compartir %s, perquè l'usuari %s no és membre de cap grup dels que %s és membre", + "Sharing %s failed, because this item is already shared with %s" : "Ha fallat en compartir %s, perquè l'element ja està compartit amb %s", + "Sharing %s failed, because the group %s does not exist" : "Ha fallat en compartir %s, perquè el grup %s no existeix", + "Sharing %s failed, because %s is not a member of the group %s" : "Ha fallat en compartir %s, perquè %s no és membre del grup %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Heu de proporcionar una contrasenya per crear un enllaç públic. Només es permeten enllaços segurs.", + "Sharing %s failed, because sharing with links is not allowed" : "Ha fallat en compartir %s, perquè no es permet compartir amb enllaços", + "Not allowed to create a federated share with the same user" : "No està permés crear una compartició federada amb el mateix usuari", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "La compartició de %s ha fallat, no es pot trobar %s, potser el servidor està actualment innacessible.", + "Share type %s is not valid for %s" : "La compartició tipus %s no és vàlida per %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "No es pot guardar la data d'expiració. Els fitxers o carpetes compartits no poden expirar més tard de %s després d'haver-se compratit.", + "Cannot set expiration date. Expiration date is in the past" : "No es pot guardar la data d'expiració. La data d'expiració ja ha passat.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "El rerefons de compartició %s ha d'implementar la interfície OCP\\Share_Backend", + "Sharing backend %s not found" : "El rerefons de compartició %s no s'ha trobat", + "Sharing backend for %s not found" : "El rerefons de compartició per a %s no s'ha trobat", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Ha fallat en compartir %s perquè els permisos excedeixen els permesos per a %s", + "Sharing %s failed, because resharing is not allowed" : "Ha fallat en compartir %s, perquè no es permet compartir de nou", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Ha fallat en compartir %s, perquè el rerefons de compartir per %s no pot trobar la seva font", + "Sharing %s failed, because the file could not be found in the file cache" : "Ha fallat en compartir %s, perquè el fitxer no s'ha trobat en el fitxer cau", + "%s shared »%s« with you" : "%s ha compartit »%s« amb tu", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "No s'ha trobat la categoria \"%s\"", + "Sunday" : "Diumenge", + "Monday" : "Dilluns", + "Tuesday" : "Dimarts", + "Wednesday" : "Dimecres", + "Thursday" : "Dijous", + "Friday" : "Divendres", + "Saturday" : "Dissabte", + "Sun." : "Dg.", + "Mon." : "Mon.", + "Tue." : "Dm.", + "Wed." : "Dc.", + "Thu." : "Dj.", + "Fri." : "Dv.", + "Sat." : "Ds.", + "Su" : "Dg", + "Mo" : "Dl", + "Tu" : "Dm", + "We" : "Dc", + "Th" : "Dj", + "Fr" : "Dv", + "Sa" : "Ds", + "January" : "Gener", + "February" : "Febrer", + "March" : "Març", + "April" : "Abril", + "May" : "Maig", + "June" : "Juny", + "July" : "Juliol", + "August" : "Agost", + "September" : "Setembre", + "October" : "Octubre", + "November" : "Novembre", + "December" : "Desembre", + "Jan." : "Gen.", + "Feb." : "Febr.", + "Mar." : "Març", + "Apr." : "Abr", + "May." : "Maig", + "Jun." : "Juny", + "Jul." : "Jul.", + "Aug." : "Ag.", + "Sep." : "Set", + "Oct." : "Oct.", + "Nov." : "Nov.", + "Dec." : "Des.", + "A valid username must be provided" : "Heu de facilitar un nom d'usuari vàlid", + "A valid password must be provided" : "Heu de facilitar una contrasenya vàlida", + "The username is already being used" : "El nom d'usuari ja està en ús", + "User disabled" : "Usuari desactivat", + "Login canceled by app" : "Accés cancel·lat per l'App", + "a safe home for all your data" : "un lloc segur per a les teves dades", + "Can't read file" : "No es pot llegir el fitxer", + "Application is not enabled" : "L'aplicació no està habilitada", + "Authentication error" : "Error d'autenticació", + "Token expired. Please reload page." : "El testimoni ha expirat. Torneu a carregar la pàgina.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "No hi ha instal·lats controladors de bases de dades (sqlite, mysql o postgresql).", + "Cannot write into \"config\" directory" : "No es pot escriure a la carpeta \"config\"", + "Cannot write into \"apps\" directory" : "No es pot escriure a la carpeta \"apps\"", + "Setting locale to %s failed" : "Ha fallat en establir la llengua a %s", + "Please install one of these locales on your system and restart your webserver." : "Siusplau, instal·li un d'aquests arxius de localització en el seu sistema, i reinicii el seu servidor web.", + "Please ask your server administrator to install the module." : "Demaneu a l'administrador del sistema que instal·li el mòdul.", + "PHP module %s not installed." : "El mòdul PHP %s no està instal·lat.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Això probablement està provocat per una cau/accelerador com Zend OPcache o eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "S'han instal·lat mòduls PHP, però encara es llisten com una mancança?", + "Please ask your server administrator to restart the web server." : "Demaneu a l'administrador que reinici el servidor web.", + "PostgreSQL >= 9 required" : "Es requereix PostgreSQL >= 9", + "Please upgrade your database version" : "Actualitzeu la versió de la base de dades", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Canvieu els permisos a 0770 per tal que la carpeta no es pugui llistar per altres usuaris.", + "Could not obtain lock type %d on \"%s\"." : "No s'ha pogut obtenir un bloqueig tipus %d a \"%s\"." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/ca.json b/lib/l10n/ca.json new file mode 100644 index 0000000000000..66b1dc743855d --- /dev/null +++ b/lib/l10n/ca.json @@ -0,0 +1,147 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "No es pot escriure a la carpeta \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Això normalment es pot solucionar donant al servidor web permís d'escriptura a la carpeta de configuració", + "See %s" : "Comproveu %s", + "Sample configuration detected" : "Configuració d'exemple detectada", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "S'ha detectat que la configuració d'exemple ha estat copiada. Això no està suportat, i podria corrompre la vostra instalació. Siusplau, llegiu la documentació abans de realitzar canvis a config.php", + "%1$s and %2$s" : "%1$s i %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s i %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s i %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s i %5$s", + "PHP %s or higher is required." : "Es requereix PHP %s o superior.", + "%sbit or higher PHP required." : "Es requereix PHP %s o superior.", + "Server version %s or higher is required." : "Es requereix una versió de servidor %s o superior", + "Server version %s or lower is required." : "Es requereix una versió de servidor %s o inferior", + "Unknown filetype" : "Tipus de fitxer desconegut", + "Invalid image" : "Imatge no vàlida", + "Avatar image is not square" : "La imatge de perfil no és quadrada", + "today" : "avui", + "yesterday" : "ahir", + "_%n day ago_::_%n days ago_" : ["fa %n dia","fa %n dies"], + "last month" : "el mes passat", + "_%n month ago_::_%n months ago_" : ["fa %n mes","fa %n mesos"], + "last year" : "l'any passat", + "_%n year ago_::_%n years ago_" : ["fa %n any","fa %n anys"], + "_%n hour ago_::_%n hours ago_" : ["fa %n hora","fa %n hores"], + "_%n minute ago_::_%n minutes ago_" : ["fa %n minut","fa %n minuts"], + "seconds ago" : "segons enrere", + "File name contains at least one invalid character" : "El nom del fitxer conté al menys un caràcter invàlid", + "File name is too long" : "el nom del fitxer es massa gran", + "Help" : "Ajuda", + "Apps" : "Aplicacions", + "Users" : "Usuaris", + "Unknown user" : "Usuari desconegut", + "APCu" : "APCu", + "Redis" : "Redis", + "Sharing" : "Compartir", + "Encryption" : "Xifrat", + "Additional settings" : "Configuració adicional", + "Tips & tricks" : "Consells i trucs", + "__language_name__" : "Català", + "%s enter the database username and name." : "%s escriviu el nom d'usuari i el nom de la base de dades.", + "%s enter the database username." : "%s escriviu el nom d'usuari de la base de dades.", + "%s enter the database name." : "%s escriviu el nom de la base de dades.", + "%s you may not use dots in the database name" : "%s no podeu usar punts en el nom de la base de dades", + "Oracle connection could not be established" : "No s'ha pogut establir la connexió Oracle", + "Oracle username and/or password not valid" : "Nom d'usuari i/o contrasenya Oracle no vàlids", + "PostgreSQL username and/or password not valid" : "Nom d'usuari i/o contrasenya PostgreSQL no vàlids", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X no té suport i %s no funcionarà correctament en aquesta plataforma. Useu-ho al vostre risc!", + "For the best results, please consider using a GNU/Linux server instead." : "Per millors resultats, millor considereu utilitzar un servidor GNU/Linux.", + "Set an admin username." : "Establiu un nom d'usuari per l'administrador.", + "Set an admin password." : "Establiu una contrasenya per l'administrador.", + "Invalid Federated Cloud ID" : "ID de núvol federat invàlid", + "Sharing %s failed, because the file does not exist" : "Ha fallat en compartir %s, perquè el fitxer no existeix", + "You are not allowed to share %s" : "No se us permet compartir %s", + "Sharing %s failed, because the user %s does not exist" : "Ha fallat en compartir %s, perquè l'usuari %s no existeix", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Ha fallat en compartir %s, perquè l'usuari %s no és membre de cap grup dels que %s és membre", + "Sharing %s failed, because this item is already shared with %s" : "Ha fallat en compartir %s, perquè l'element ja està compartit amb %s", + "Sharing %s failed, because the group %s does not exist" : "Ha fallat en compartir %s, perquè el grup %s no existeix", + "Sharing %s failed, because %s is not a member of the group %s" : "Ha fallat en compartir %s, perquè %s no és membre del grup %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Heu de proporcionar una contrasenya per crear un enllaç públic. Només es permeten enllaços segurs.", + "Sharing %s failed, because sharing with links is not allowed" : "Ha fallat en compartir %s, perquè no es permet compartir amb enllaços", + "Not allowed to create a federated share with the same user" : "No està permés crear una compartició federada amb el mateix usuari", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "La compartició de %s ha fallat, no es pot trobar %s, potser el servidor està actualment innacessible.", + "Share type %s is not valid for %s" : "La compartició tipus %s no és vàlida per %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "No es pot guardar la data d'expiració. Els fitxers o carpetes compartits no poden expirar més tard de %s després d'haver-se compratit.", + "Cannot set expiration date. Expiration date is in the past" : "No es pot guardar la data d'expiració. La data d'expiració ja ha passat.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "El rerefons de compartició %s ha d'implementar la interfície OCP\\Share_Backend", + "Sharing backend %s not found" : "El rerefons de compartició %s no s'ha trobat", + "Sharing backend for %s not found" : "El rerefons de compartició per a %s no s'ha trobat", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Ha fallat en compartir %s perquè els permisos excedeixen els permesos per a %s", + "Sharing %s failed, because resharing is not allowed" : "Ha fallat en compartir %s, perquè no es permet compartir de nou", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Ha fallat en compartir %s, perquè el rerefons de compartir per %s no pot trobar la seva font", + "Sharing %s failed, because the file could not be found in the file cache" : "Ha fallat en compartir %s, perquè el fitxer no s'ha trobat en el fitxer cau", + "%s shared »%s« with you" : "%s ha compartit »%s« amb tu", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "No s'ha trobat la categoria \"%s\"", + "Sunday" : "Diumenge", + "Monday" : "Dilluns", + "Tuesday" : "Dimarts", + "Wednesday" : "Dimecres", + "Thursday" : "Dijous", + "Friday" : "Divendres", + "Saturday" : "Dissabte", + "Sun." : "Dg.", + "Mon." : "Mon.", + "Tue." : "Dm.", + "Wed." : "Dc.", + "Thu." : "Dj.", + "Fri." : "Dv.", + "Sat." : "Ds.", + "Su" : "Dg", + "Mo" : "Dl", + "Tu" : "Dm", + "We" : "Dc", + "Th" : "Dj", + "Fr" : "Dv", + "Sa" : "Ds", + "January" : "Gener", + "February" : "Febrer", + "March" : "Març", + "April" : "Abril", + "May" : "Maig", + "June" : "Juny", + "July" : "Juliol", + "August" : "Agost", + "September" : "Setembre", + "October" : "Octubre", + "November" : "Novembre", + "December" : "Desembre", + "Jan." : "Gen.", + "Feb." : "Febr.", + "Mar." : "Març", + "Apr." : "Abr", + "May." : "Maig", + "Jun." : "Juny", + "Jul." : "Jul.", + "Aug." : "Ag.", + "Sep." : "Set", + "Oct." : "Oct.", + "Nov." : "Nov.", + "Dec." : "Des.", + "A valid username must be provided" : "Heu de facilitar un nom d'usuari vàlid", + "A valid password must be provided" : "Heu de facilitar una contrasenya vàlida", + "The username is already being used" : "El nom d'usuari ja està en ús", + "User disabled" : "Usuari desactivat", + "Login canceled by app" : "Accés cancel·lat per l'App", + "a safe home for all your data" : "un lloc segur per a les teves dades", + "Can't read file" : "No es pot llegir el fitxer", + "Application is not enabled" : "L'aplicació no està habilitada", + "Authentication error" : "Error d'autenticació", + "Token expired. Please reload page." : "El testimoni ha expirat. Torneu a carregar la pàgina.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "No hi ha instal·lats controladors de bases de dades (sqlite, mysql o postgresql).", + "Cannot write into \"config\" directory" : "No es pot escriure a la carpeta \"config\"", + "Cannot write into \"apps\" directory" : "No es pot escriure a la carpeta \"apps\"", + "Setting locale to %s failed" : "Ha fallat en establir la llengua a %s", + "Please install one of these locales on your system and restart your webserver." : "Siusplau, instal·li un d'aquests arxius de localització en el seu sistema, i reinicii el seu servidor web.", + "Please ask your server administrator to install the module." : "Demaneu a l'administrador del sistema que instal·li el mòdul.", + "PHP module %s not installed." : "El mòdul PHP %s no està instal·lat.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Això probablement està provocat per una cau/accelerador com Zend OPcache o eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "S'han instal·lat mòduls PHP, però encara es llisten com una mancança?", + "Please ask your server administrator to restart the web server." : "Demaneu a l'administrador que reinici el servidor web.", + "PostgreSQL >= 9 required" : "Es requereix PostgreSQL >= 9", + "Please upgrade your database version" : "Actualitzeu la versió de la base de dades", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Canvieu els permisos a 0770 per tal que la carpeta no es pugui llistar per altres usuaris.", + "Could not obtain lock type %d on \"%s\"." : "No s'ha pogut obtenir un bloqueig tipus %d a \"%s\"." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/cy_GB.js b/lib/l10n/cy_GB.js new file mode 100644 index 0000000000000..31291c97bd779 --- /dev/null +++ b/lib/l10n/cy_GB.js @@ -0,0 +1,23 @@ +OC.L10N.register( + "lib", + { + "today" : "heddiw", + "yesterday" : "ddoe", + "last month" : "mis diwethaf", + "last year" : "y llynedd", + "seconds ago" : "eiliad yn ôl", + "Apps" : "Pecynnau", + "Users" : "Defnyddwyr", + "%s enter the database username." : "%s rhowch enw defnyddiwr y gronfa ddata.", + "%s enter the database name." : "%s rhowch enw'r gronfa ddata.", + "%s you may not use dots in the database name" : "%s does dim hawl defnyddio dot yn enw'r gronfa ddata", + "Oracle username and/or password not valid" : "Enw a/neu gyfrinair Oracle annilys", + "PostgreSQL username and/or password not valid" : "Enw a/neu gyfrinair PostgreSQL annilys", + "Set an admin username." : "Creu enw defnyddiwr i'r gweinyddwr.", + "Set an admin password." : "Gosod cyfrinair y gweinyddwr.", + "Could not find category \"%s\"" : "Methu canfod categori \"%s\"", + "Application is not enabled" : "Nid yw'r pecyn wedi'i alluogi", + "Authentication error" : "Gwall dilysu", + "Token expired. Please reload page." : "Tocyn wedi dod i ben. Ail-lwythwch y dudalen." +}, +"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;"); diff --git a/lib/l10n/cy_GB.json b/lib/l10n/cy_GB.json new file mode 100644 index 0000000000000..6e931922349ff --- /dev/null +++ b/lib/l10n/cy_GB.json @@ -0,0 +1,21 @@ +{ "translations": { + "today" : "heddiw", + "yesterday" : "ddoe", + "last month" : "mis diwethaf", + "last year" : "y llynedd", + "seconds ago" : "eiliad yn ôl", + "Apps" : "Pecynnau", + "Users" : "Defnyddwyr", + "%s enter the database username." : "%s rhowch enw defnyddiwr y gronfa ddata.", + "%s enter the database name." : "%s rhowch enw'r gronfa ddata.", + "%s you may not use dots in the database name" : "%s does dim hawl defnyddio dot yn enw'r gronfa ddata", + "Oracle username and/or password not valid" : "Enw a/neu gyfrinair Oracle annilys", + "PostgreSQL username and/or password not valid" : "Enw a/neu gyfrinair PostgreSQL annilys", + "Set an admin username." : "Creu enw defnyddiwr i'r gweinyddwr.", + "Set an admin password." : "Gosod cyfrinair y gweinyddwr.", + "Could not find category \"%s\"" : "Methu canfod categori \"%s\"", + "Application is not enabled" : "Nid yw'r pecyn wedi'i alluogi", + "Authentication error" : "Gwall dilysu", + "Token expired. Please reload page." : "Tocyn wedi dod i ben. Ail-lwythwch y dudalen." +},"pluralForm" :"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;" +} \ No newline at end of file diff --git a/lib/l10n/da.js b/lib/l10n/da.js new file mode 100644 index 0000000000000..ecb48b7fb9373 --- /dev/null +++ b/lib/l10n/da.js @@ -0,0 +1,111 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Kan ikke skrive til mappen \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Dette kan som regel ordnes ved at give webserveren skrive adgang til config mappen", + "See %s" : "Se %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Dette kan som regel ordnes ved at give webserveren skrive adgang til config mappen. Se %s", + "Sample configuration detected" : "Eksempel for konfiguration registreret", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Der er registreret at eksempel for konfiguration er blevet kopieret. Dette kan ødelægge din installation og understøttes ikke. Læs venligst dokumentationen før der foretages ændringer i config.php", + "PHP %s or higher is required." : "Der kræves PHP %s eller nyere.", + "PHP with a version lower than %s is required." : "Der kræves PHP %s eller ældre.", + "Following databases are supported: %s" : "Følgende databaser understøttes: %s", + "The command line tool %s could not be found" : "Kommandolinjeværktøjet %s blev ikke fundet", + "The library %s is not available." : "Biblioteket %s er ikke tilgængeligt.", + "Library %s with a version higher than %s is required - available version %s." : "Der kræves en version af biblioteket %s, der er højere end %s - tilgængelig version er %s.", + "Library %s with a version lower than %s is required - available version %s." : "Der kræves en version af biblioteket %s, der er lavere end %s - tilgængelig version er %s.", + "Following platforms are supported: %s" : "Følgende platforme understøttes: %s", + "Unknown filetype" : "Ukendt filtype", + "Invalid image" : "Ugyldigt billede", + "today" : "i dag", + "yesterday" : "i går", + "_%n day ago_::_%n days ago_" : ["%n dag siden","%n dage siden"], + "last month" : "sidste måned", + "_%n month ago_::_%n months ago_" : ["%n måned siden","%n måneder siden"], + "last year" : "sidste år", + "_%n year ago_::_%n years ago_" : ["%n år siden","%n år siden"], + "_%n hour ago_::_%n hours ago_" : ["%n time siden","%n timer siden"], + "_%n minute ago_::_%n minutes ago_" : ["%n minut siden","%n minutter siden"], + "seconds ago" : "sekunder siden", + "File name is a reserved word" : "Filnavnet er et reserveret ord", + "File name contains at least one invalid character" : "Filnavnet indeholder mindst ét ugyldigt tegn", + "File name is too long" : "Filnavnet er for langt", + "Dot files are not allowed" : "Filer med punktummer er ikke tilladt", + "Empty filename is not allowed" : "Tomme filnavne er ikke tilladt", + "Apps" : "Apps", + "Users" : "Brugere", + "Unknown user" : "Ukendt bruger", + "__language_name__" : "Dansk", + "%s enter the database username." : "%s indtast database brugernavnet.", + "%s enter the database name." : "%s indtast database navnet.", + "%s you may not use dots in the database name" : "%s du må ikke bruge punktummer i databasenavnet.", + "Oracle connection could not be established" : "Oracle forbindelsen kunne ikke etableres", + "Oracle username and/or password not valid" : "Oracle brugernavn og/eller kodeord er ikke gyldigt.", + "PostgreSQL username and/or password not valid" : "PostgreSQL brugernavn og/eller kodeord er ikke gyldigt.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X understøttes ikke og %s vil ikke virke optimalt på denne platform. Anvend på eget ansvar!", + "For the best results, please consider using a GNU/Linux server instead." : "For de bedste resultater, overvej venligst at bruge en GNU/Linux-server i stedet.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Det ser ud til, at denne %s-instans kører på et 32-bit PHP-miljø, samt at open_basedir er blevet konfigureret gennem php.ini. Dette vil føre til problemer med filer som er større end 4GB, og frarådes kraftigt.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Fjern venligst indstillingen for open_basedir inde i din php.ini eller skift til 64-bit PHP.", + "Set an admin username." : "Angiv et admin brugernavn.", + "Set an admin password." : "Angiv et admin kodeord.", + "Can't create or write into the data directory %s" : "Kan ikke oprette eller skrive ind i datamappen %s", + "Invalid Federated Cloud ID" : "Ugyldigt Federated Cloud ID", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Deling af %s mislykkedes, fordi backenden ikke tillader delinger fra typen %i", + "Sharing %s failed, because the file does not exist" : "Deling af %s mislykkedes, fordi filen ikke eksisterer", + "You are not allowed to share %s" : "Du har ikke tilladelse til at dele %s", + "Sharing %s failed, because you can not share with yourself" : "Deling af %s mislykkedes, fordi du ikke kan dele med dig selv", + "Sharing %s failed, because the user %s does not exist" : "Der skete en fejl ved deling af %s, brugeren %s eksistere ikke", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Der skete en fejl ved deling af %s, brugeren %s er ikke medlem af nogle grupper som %s er medlem af", + "Sharing %s failed, because this item is already shared with %s" : "Der skete en fejl ved deling af %s, objektet er allerede delt med %s", + "Sharing %s failed, because this item is already shared with user %s" : "Deling af %s mislykkedes, fordi dette element allerede er delt med brugeren %s", + "Sharing %s failed, because the group %s does not exist" : "Der skete en fejl ved deling af %s, gruppen %s eksistere ikke", + "Sharing %s failed, because %s is not a member of the group %s" : "Der skete en fejl ved deling af %s, fordi %s ikke er medlem af gruppen %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Du skal angive et kodeord for at oprette et offentligt link - kun beskyttede links er tilladt", + "Sharing %s failed, because sharing with links is not allowed" : "Der skete en fejl ved deling af %s, det er ikke tilladt at dele links", + "Not allowed to create a federated share with the same user" : "Det er ikke tilladt at danne et datafællesskab med samme bruger", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Deling af %s mislykkedes - kunne ikke finde %s. Måske er serveren ikke tilgængelig i øjeblikket.", + "Share type %s is not valid for %s" : "Delingstypen %s er ikke gyldig for %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Kan ikke angive udløbsdato. Delinger kan ikke udløbe senere end %s efter at de er blevet delt", + "Cannot set expiration date. Expiration date is in the past" : "Kan ikke angive udløbsdato. Udløbsdato er allerede passeret", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Delingsbackend'en %s skal implementere grænsefladen OCP\\Share_Backend", + "Sharing backend %s not found" : "Delingsbackend'en %s blev ikke fundet", + "Sharing backend for %s not found" : "Delingsbackend'en for %s blev ikke fundet", + "Sharing failed, because the user %s is the original sharer" : "Deling mislykkedes, fordi brugeren %s er den som delte oprindeligt", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Deling af %s mislykkedes, fordi tilladelserne overskred de tillaldelser som %s var tildelt", + "Sharing %s failed, because resharing is not allowed" : "Deling af %s mislykkedes, fordi videredeling ikke er tilladt", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Deling af %s mislykkedes, fordi back-enden ikke kunne finde kilden til %s", + "Sharing %s failed, because the file could not be found in the file cache" : "Deling af %s mislykkedes, fordi filen ikke kunne findes i fil-cachen", + "Expiration date is in the past" : "Udløbsdatoen ligger tilbage i tid", + "%s shared »%s« with you" : "%s delte »%s« med dig", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Kunne ikke finde kategorien \"%s\"", + "A valid username must be provided" : "Et gyldigt brugernavn skal angives", + "A valid password must be provided" : "En gyldig adgangskode skal angives", + "The username is already being used" : "Brugernavnet er allerede i brug", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "App'en \"%s\" kan ikke installeres, da følgende krav ikke er opfyldt: %s ", + "File is currently busy, please try again later" : "Filen er i øjeblikket optaget - forsøg igen senere", + "Can't read file" : "Kan ikke læse filen", + "Application is not enabled" : "Programmet er ikke aktiveret", + "Authentication error" : "Adgangsfejl", + "Token expired. Please reload page." : "Adgang er udløbet. Genindlæs siden.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Ingen database driver (sqlite, mysql eller postgresql) er installeret.", + "Cannot write into \"config\" directory" : "Kan ikke skrive til mappen \"config\"", + "Cannot write into \"apps\" directory" : "Kan ikke skrive til mappen \"apps\"", + "Setting locale to %s failed" : "Angivelse af %s for lokalitet mislykkedes", + "Please install one of these locales on your system and restart your webserver." : "Installér venligst én af disse lokaliteter på dit system, og genstart din webserver.", + "Please ask your server administrator to install the module." : "Du bedes anmode din serveradministrator om at installere modulet.", + "PHP module %s not installed." : "PHP-modulet %s er ikke installeret.", + "PHP setting \"%s\" is not set to \"%s\"." : "PHP-indstillingen \"%s\" er ikke angivet til \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload er angivet til \"%s\", i stedet for den forventede værdi \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "For at rette dette problem, angiv\nmbstring.func_overload til 0 i din php.ini", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP er tilsyneladende sat op til at fjerne indlejrede doc-blokke. Dette vil gøre adskillige kerneprogrammer utilgængelige.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dette er sansynligvis forårsaget af et accelerator eller cache som Zend OPcache eller eAccelerator", + "PHP modules have been installed, but they are still listed as missing?" : "Der er installeret PHP-moduler, men de fremstår stadig som fraværende?", + "Please ask your server administrator to restart the web server." : "Du bedes anmode din serveradministrator om at genstarte webserveren.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 kræves", + "Please upgrade your database version" : "Opgradér venligst din databaseversion", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Tilpas venligst rettigheder til 0770, så mappen ikke fremvises for andre brugere.", + "Check the value of \"datadirectory\" in your configuration" : "Tjek værdien for \"databibliotek\" i din konfiguration", + "Could not obtain lock type %d on \"%s\"." : "Kunne ikke opnå en låsetype %d på \"%s\"." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/da.json b/lib/l10n/da.json new file mode 100644 index 0000000000000..333eabc0afc6e --- /dev/null +++ b/lib/l10n/da.json @@ -0,0 +1,109 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Kan ikke skrive til mappen \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Dette kan som regel ordnes ved at give webserveren skrive adgang til config mappen", + "See %s" : "Se %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Dette kan som regel ordnes ved at give webserveren skrive adgang til config mappen. Se %s", + "Sample configuration detected" : "Eksempel for konfiguration registreret", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Der er registreret at eksempel for konfiguration er blevet kopieret. Dette kan ødelægge din installation og understøttes ikke. Læs venligst dokumentationen før der foretages ændringer i config.php", + "PHP %s or higher is required." : "Der kræves PHP %s eller nyere.", + "PHP with a version lower than %s is required." : "Der kræves PHP %s eller ældre.", + "Following databases are supported: %s" : "Følgende databaser understøttes: %s", + "The command line tool %s could not be found" : "Kommandolinjeværktøjet %s blev ikke fundet", + "The library %s is not available." : "Biblioteket %s er ikke tilgængeligt.", + "Library %s with a version higher than %s is required - available version %s." : "Der kræves en version af biblioteket %s, der er højere end %s - tilgængelig version er %s.", + "Library %s with a version lower than %s is required - available version %s." : "Der kræves en version af biblioteket %s, der er lavere end %s - tilgængelig version er %s.", + "Following platforms are supported: %s" : "Følgende platforme understøttes: %s", + "Unknown filetype" : "Ukendt filtype", + "Invalid image" : "Ugyldigt billede", + "today" : "i dag", + "yesterday" : "i går", + "_%n day ago_::_%n days ago_" : ["%n dag siden","%n dage siden"], + "last month" : "sidste måned", + "_%n month ago_::_%n months ago_" : ["%n måned siden","%n måneder siden"], + "last year" : "sidste år", + "_%n year ago_::_%n years ago_" : ["%n år siden","%n år siden"], + "_%n hour ago_::_%n hours ago_" : ["%n time siden","%n timer siden"], + "_%n minute ago_::_%n minutes ago_" : ["%n minut siden","%n minutter siden"], + "seconds ago" : "sekunder siden", + "File name is a reserved word" : "Filnavnet er et reserveret ord", + "File name contains at least one invalid character" : "Filnavnet indeholder mindst ét ugyldigt tegn", + "File name is too long" : "Filnavnet er for langt", + "Dot files are not allowed" : "Filer med punktummer er ikke tilladt", + "Empty filename is not allowed" : "Tomme filnavne er ikke tilladt", + "Apps" : "Apps", + "Users" : "Brugere", + "Unknown user" : "Ukendt bruger", + "__language_name__" : "Dansk", + "%s enter the database username." : "%s indtast database brugernavnet.", + "%s enter the database name." : "%s indtast database navnet.", + "%s you may not use dots in the database name" : "%s du må ikke bruge punktummer i databasenavnet.", + "Oracle connection could not be established" : "Oracle forbindelsen kunne ikke etableres", + "Oracle username and/or password not valid" : "Oracle brugernavn og/eller kodeord er ikke gyldigt.", + "PostgreSQL username and/or password not valid" : "PostgreSQL brugernavn og/eller kodeord er ikke gyldigt.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X understøttes ikke og %s vil ikke virke optimalt på denne platform. Anvend på eget ansvar!", + "For the best results, please consider using a GNU/Linux server instead." : "For de bedste resultater, overvej venligst at bruge en GNU/Linux-server i stedet.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Det ser ud til, at denne %s-instans kører på et 32-bit PHP-miljø, samt at open_basedir er blevet konfigureret gennem php.ini. Dette vil føre til problemer med filer som er større end 4GB, og frarådes kraftigt.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Fjern venligst indstillingen for open_basedir inde i din php.ini eller skift til 64-bit PHP.", + "Set an admin username." : "Angiv et admin brugernavn.", + "Set an admin password." : "Angiv et admin kodeord.", + "Can't create or write into the data directory %s" : "Kan ikke oprette eller skrive ind i datamappen %s", + "Invalid Federated Cloud ID" : "Ugyldigt Federated Cloud ID", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Deling af %s mislykkedes, fordi backenden ikke tillader delinger fra typen %i", + "Sharing %s failed, because the file does not exist" : "Deling af %s mislykkedes, fordi filen ikke eksisterer", + "You are not allowed to share %s" : "Du har ikke tilladelse til at dele %s", + "Sharing %s failed, because you can not share with yourself" : "Deling af %s mislykkedes, fordi du ikke kan dele med dig selv", + "Sharing %s failed, because the user %s does not exist" : "Der skete en fejl ved deling af %s, brugeren %s eksistere ikke", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Der skete en fejl ved deling af %s, brugeren %s er ikke medlem af nogle grupper som %s er medlem af", + "Sharing %s failed, because this item is already shared with %s" : "Der skete en fejl ved deling af %s, objektet er allerede delt med %s", + "Sharing %s failed, because this item is already shared with user %s" : "Deling af %s mislykkedes, fordi dette element allerede er delt med brugeren %s", + "Sharing %s failed, because the group %s does not exist" : "Der skete en fejl ved deling af %s, gruppen %s eksistere ikke", + "Sharing %s failed, because %s is not a member of the group %s" : "Der skete en fejl ved deling af %s, fordi %s ikke er medlem af gruppen %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Du skal angive et kodeord for at oprette et offentligt link - kun beskyttede links er tilladt", + "Sharing %s failed, because sharing with links is not allowed" : "Der skete en fejl ved deling af %s, det er ikke tilladt at dele links", + "Not allowed to create a federated share with the same user" : "Det er ikke tilladt at danne et datafællesskab med samme bruger", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Deling af %s mislykkedes - kunne ikke finde %s. Måske er serveren ikke tilgængelig i øjeblikket.", + "Share type %s is not valid for %s" : "Delingstypen %s er ikke gyldig for %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Kan ikke angive udløbsdato. Delinger kan ikke udløbe senere end %s efter at de er blevet delt", + "Cannot set expiration date. Expiration date is in the past" : "Kan ikke angive udløbsdato. Udløbsdato er allerede passeret", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Delingsbackend'en %s skal implementere grænsefladen OCP\\Share_Backend", + "Sharing backend %s not found" : "Delingsbackend'en %s blev ikke fundet", + "Sharing backend for %s not found" : "Delingsbackend'en for %s blev ikke fundet", + "Sharing failed, because the user %s is the original sharer" : "Deling mislykkedes, fordi brugeren %s er den som delte oprindeligt", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Deling af %s mislykkedes, fordi tilladelserne overskred de tillaldelser som %s var tildelt", + "Sharing %s failed, because resharing is not allowed" : "Deling af %s mislykkedes, fordi videredeling ikke er tilladt", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Deling af %s mislykkedes, fordi back-enden ikke kunne finde kilden til %s", + "Sharing %s failed, because the file could not be found in the file cache" : "Deling af %s mislykkedes, fordi filen ikke kunne findes i fil-cachen", + "Expiration date is in the past" : "Udløbsdatoen ligger tilbage i tid", + "%s shared »%s« with you" : "%s delte »%s« med dig", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Kunne ikke finde kategorien \"%s\"", + "A valid username must be provided" : "Et gyldigt brugernavn skal angives", + "A valid password must be provided" : "En gyldig adgangskode skal angives", + "The username is already being used" : "Brugernavnet er allerede i brug", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "App'en \"%s\" kan ikke installeres, da følgende krav ikke er opfyldt: %s ", + "File is currently busy, please try again later" : "Filen er i øjeblikket optaget - forsøg igen senere", + "Can't read file" : "Kan ikke læse filen", + "Application is not enabled" : "Programmet er ikke aktiveret", + "Authentication error" : "Adgangsfejl", + "Token expired. Please reload page." : "Adgang er udløbet. Genindlæs siden.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Ingen database driver (sqlite, mysql eller postgresql) er installeret.", + "Cannot write into \"config\" directory" : "Kan ikke skrive til mappen \"config\"", + "Cannot write into \"apps\" directory" : "Kan ikke skrive til mappen \"apps\"", + "Setting locale to %s failed" : "Angivelse af %s for lokalitet mislykkedes", + "Please install one of these locales on your system and restart your webserver." : "Installér venligst én af disse lokaliteter på dit system, og genstart din webserver.", + "Please ask your server administrator to install the module." : "Du bedes anmode din serveradministrator om at installere modulet.", + "PHP module %s not installed." : "PHP-modulet %s er ikke installeret.", + "PHP setting \"%s\" is not set to \"%s\"." : "PHP-indstillingen \"%s\" er ikke angivet til \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload er angivet til \"%s\", i stedet for den forventede værdi \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "For at rette dette problem, angiv\nmbstring.func_overload til 0 i din php.ini", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP er tilsyneladende sat op til at fjerne indlejrede doc-blokke. Dette vil gøre adskillige kerneprogrammer utilgængelige.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dette er sansynligvis forårsaget af et accelerator eller cache som Zend OPcache eller eAccelerator", + "PHP modules have been installed, but they are still listed as missing?" : "Der er installeret PHP-moduler, men de fremstår stadig som fraværende?", + "Please ask your server administrator to restart the web server." : "Du bedes anmode din serveradministrator om at genstarte webserveren.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 kræves", + "Please upgrade your database version" : "Opgradér venligst din databaseversion", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Tilpas venligst rettigheder til 0770, så mappen ikke fremvises for andre brugere.", + "Check the value of \"datadirectory\" in your configuration" : "Tjek værdien for \"databibliotek\" i din konfiguration", + "Could not obtain lock type %d on \"%s\"." : "Kunne ikke opnå en låsetype %d på \"%s\"." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/eo.js b/lib/l10n/eo.js new file mode 100644 index 0000000000000..458c67089c7b0 --- /dev/null +++ b/lib/l10n/eo.js @@ -0,0 +1,72 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Ne skribeblas la dosierujo “config”!", + "See %s" : "Vidi %s", + "PHP %s or higher is required." : "PHP %s aŭ pli alta necesas.", + "PHP with a version lower than %s is required." : "Necesas pli malalta eldono de PHP ol %s.", + "Following databases are supported: %s" : "La jenan datumbazoj kongruas: %s", + "The command line tool %s could not be found" : "La komandolinia ilo %s ne troviĝis", + "The library %s is not available." : "La biblioteko %s ne haveblas.", + "Unknown filetype" : "Ne konatas dosiertipo", + "Invalid image" : "Ne validas bildo", + "today" : "hodiaŭ", + "yesterday" : "hieraŭ", + "_%n day ago_::_%n days ago_" : ["antaŭ %n tago","antaŭ %n tagoj"], + "last month" : "lastamonate", + "last year" : "lastajare", + "_%n year ago_::_%n years ago_" : ["antaŭ %n jaro","antaŭ %n jaroj"], + "seconds ago" : "sekundoj antaŭe", + "File name contains at least one invalid character" : "Dosiernomo enhavas almenaŭ unu nevalidan signon", + "File name is too long" : "La dosiernomo tro longas", + "Empty filename is not allowed" : "Malplena dosiernomo ne permesatas", + "Apps" : "Aplikaĵoj", + "Users" : "Uzantoj", + "Unknown user" : "Nekonata uzanto", + "__language_name__" : "Esperanto", + "%s enter the database username." : "%s enigu la uzantonomon de la datumbazo.", + "%s enter the database name." : "%s enigu la nomon de la datumbazo.", + "%s you may not use dots in the database name" : "%s vi ne povas uzi punktojn en la nomo de la datumbazo", + "Oracle connection could not be established" : "Konekto al Oracle ne povas stariĝi", + "Oracle username and/or password not valid" : "La uzantonomo de Oracle aŭ la pasvorto ne validas", + "PostgreSQL username and/or password not valid" : "La uzantonomo de PostgreSQL aŭ la pasvorto ne validas", + "Set an admin username." : "Starigi administran uzantonomon.", + "Set an admin password." : "Starigi administran pasvorton.", + "Can't create or write into the data directory %s" : "Ne kreeblas aŭ ne skribeblas la dosierujo de datumoj %s", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Kunhavigo de %s malsukcesis, ĉar la motoro ne permesas kunhavojn el tipo %i", + "Sharing %s failed, because the file does not exist" : "Kunhavigo de %s malsukcesis, ĉar la dosiero ne ekzistas", + "You are not allowed to share %s" : "Vi ne permesatas kunhavigi %s", + "Sharing %s failed, because the user %s does not exist" : "Kunhavigo de %s malsukcesis, ĉar la uzanto %s ne ekzistas", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Kunhavigo de %s malsukcesis, ĉar la uzanto %s estas ano de neniu grupo, de kiu %s estas ano", + "Sharing %s failed, because this item is already shared with %s" : "Kunhavigo de %s malsukcesis, ĉar la ero jam kunhavatas kun %s", + "Sharing %s failed, because the group %s does not exist" : "Kunhavigo de %s malsukcesis, ĉar la grupo %s ne ekzistas", + "Sharing %s failed, because %s is not a member of the group %s" : "Kunhavigo de %s malsukcesis, ĉar %s ne estas ano de la grupo %s", + "Sharing %s failed, because sharing with links is not allowed" : "Kunhavo de %s malsukcesis, ĉar kunhavo per ligiloj ne permesatas", + "Not allowed to create a federated share with the same user" : "Vi ne permesas krei federan kunhavon kun la sama uzanto", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Kunhavmotoro %s devas realigi la interfacon “OCP\\Share_Backend”", + "Sharing backend %s not found" : "Kunhavmotoro %s ne troviĝas", + "Sharing backend for %s not found" : "Kunhavmotoro por %s ne troviĝas", + "Sharing %s failed, because resharing is not allowed" : "Kunhavigo de %s malsukcesis, ĉar rekunhavigo ne permesatas", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Kunhavigo de %s malsukcesis, ĉar la kunhavmotoro por %s ne povis trovi ĝian fonton", + "Expiration date is in the past" : "Senvalidiĝa dato estintas", + "%s shared »%s« with you" : "%s kunhavigis “%s” kun vi", + "%s via %s" : "%s per %s", + "Could not find category \"%s\"" : "Ne troviĝis kategorio “%s”", + "A valid username must be provided" : "Valida uzantonomo devas proviziĝi", + "Username contains whitespace at the beginning or at the end" : "Uzantonomo enhavas blankospacon eke aŭ maleke", + "A valid password must be provided" : "Valida pasvorto devas proviziĝi", + "The username is already being used" : "La uzantonomo jam uzatas", + "Can't read file" : "Ne legeblas dosiero", + "Application is not enabled" : "La aplikaĵo ne estas kapabligita", + "Authentication error" : "Aŭtentiga eraro", + "Token expired. Please reload page." : "Ĵetono eksvalidiĝis. Bonvolu reŝargi la paĝon.", + "Cannot write into \"config\" directory" : "Ne skribeblas la dosierujo “config”", + "Cannot write into \"apps\" directory" : "Ne skribeblas la dosierujo “apps”", + "Please ask your server administrator to install the module." : "Bonvolu peti vian sistemadministranton, ke ĝi instalu la modulon.", + "PHP module %s not installed." : "La PHP-modulo %s ne instalitas.", + "Please ask your server administrator to restart the web server." : "Bonvolu peti viajn serviladministranton, ke ŝi/li reekfunkciigu la TTT-servilon.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 necesas", + "Please upgrade your database version" : "Bonvolu ĝisdatigi la eldonon de via datumbazo", + "Storage connection error. %s" : "Memorokonekta eraro. %s" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/eo.json b/lib/l10n/eo.json new file mode 100644 index 0000000000000..151bca5841738 --- /dev/null +++ b/lib/l10n/eo.json @@ -0,0 +1,70 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Ne skribeblas la dosierujo “config”!", + "See %s" : "Vidi %s", + "PHP %s or higher is required." : "PHP %s aŭ pli alta necesas.", + "PHP with a version lower than %s is required." : "Necesas pli malalta eldono de PHP ol %s.", + "Following databases are supported: %s" : "La jenan datumbazoj kongruas: %s", + "The command line tool %s could not be found" : "La komandolinia ilo %s ne troviĝis", + "The library %s is not available." : "La biblioteko %s ne haveblas.", + "Unknown filetype" : "Ne konatas dosiertipo", + "Invalid image" : "Ne validas bildo", + "today" : "hodiaŭ", + "yesterday" : "hieraŭ", + "_%n day ago_::_%n days ago_" : ["antaŭ %n tago","antaŭ %n tagoj"], + "last month" : "lastamonate", + "last year" : "lastajare", + "_%n year ago_::_%n years ago_" : ["antaŭ %n jaro","antaŭ %n jaroj"], + "seconds ago" : "sekundoj antaŭe", + "File name contains at least one invalid character" : "Dosiernomo enhavas almenaŭ unu nevalidan signon", + "File name is too long" : "La dosiernomo tro longas", + "Empty filename is not allowed" : "Malplena dosiernomo ne permesatas", + "Apps" : "Aplikaĵoj", + "Users" : "Uzantoj", + "Unknown user" : "Nekonata uzanto", + "__language_name__" : "Esperanto", + "%s enter the database username." : "%s enigu la uzantonomon de la datumbazo.", + "%s enter the database name." : "%s enigu la nomon de la datumbazo.", + "%s you may not use dots in the database name" : "%s vi ne povas uzi punktojn en la nomo de la datumbazo", + "Oracle connection could not be established" : "Konekto al Oracle ne povas stariĝi", + "Oracle username and/or password not valid" : "La uzantonomo de Oracle aŭ la pasvorto ne validas", + "PostgreSQL username and/or password not valid" : "La uzantonomo de PostgreSQL aŭ la pasvorto ne validas", + "Set an admin username." : "Starigi administran uzantonomon.", + "Set an admin password." : "Starigi administran pasvorton.", + "Can't create or write into the data directory %s" : "Ne kreeblas aŭ ne skribeblas la dosierujo de datumoj %s", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Kunhavigo de %s malsukcesis, ĉar la motoro ne permesas kunhavojn el tipo %i", + "Sharing %s failed, because the file does not exist" : "Kunhavigo de %s malsukcesis, ĉar la dosiero ne ekzistas", + "You are not allowed to share %s" : "Vi ne permesatas kunhavigi %s", + "Sharing %s failed, because the user %s does not exist" : "Kunhavigo de %s malsukcesis, ĉar la uzanto %s ne ekzistas", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Kunhavigo de %s malsukcesis, ĉar la uzanto %s estas ano de neniu grupo, de kiu %s estas ano", + "Sharing %s failed, because this item is already shared with %s" : "Kunhavigo de %s malsukcesis, ĉar la ero jam kunhavatas kun %s", + "Sharing %s failed, because the group %s does not exist" : "Kunhavigo de %s malsukcesis, ĉar la grupo %s ne ekzistas", + "Sharing %s failed, because %s is not a member of the group %s" : "Kunhavigo de %s malsukcesis, ĉar %s ne estas ano de la grupo %s", + "Sharing %s failed, because sharing with links is not allowed" : "Kunhavo de %s malsukcesis, ĉar kunhavo per ligiloj ne permesatas", + "Not allowed to create a federated share with the same user" : "Vi ne permesas krei federan kunhavon kun la sama uzanto", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Kunhavmotoro %s devas realigi la interfacon “OCP\\Share_Backend”", + "Sharing backend %s not found" : "Kunhavmotoro %s ne troviĝas", + "Sharing backend for %s not found" : "Kunhavmotoro por %s ne troviĝas", + "Sharing %s failed, because resharing is not allowed" : "Kunhavigo de %s malsukcesis, ĉar rekunhavigo ne permesatas", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Kunhavigo de %s malsukcesis, ĉar la kunhavmotoro por %s ne povis trovi ĝian fonton", + "Expiration date is in the past" : "Senvalidiĝa dato estintas", + "%s shared »%s« with you" : "%s kunhavigis “%s” kun vi", + "%s via %s" : "%s per %s", + "Could not find category \"%s\"" : "Ne troviĝis kategorio “%s”", + "A valid username must be provided" : "Valida uzantonomo devas proviziĝi", + "Username contains whitespace at the beginning or at the end" : "Uzantonomo enhavas blankospacon eke aŭ maleke", + "A valid password must be provided" : "Valida pasvorto devas proviziĝi", + "The username is already being used" : "La uzantonomo jam uzatas", + "Can't read file" : "Ne legeblas dosiero", + "Application is not enabled" : "La aplikaĵo ne estas kapabligita", + "Authentication error" : "Aŭtentiga eraro", + "Token expired. Please reload page." : "Ĵetono eksvalidiĝis. Bonvolu reŝargi la paĝon.", + "Cannot write into \"config\" directory" : "Ne skribeblas la dosierujo “config”", + "Cannot write into \"apps\" directory" : "Ne skribeblas la dosierujo “apps”", + "Please ask your server administrator to install the module." : "Bonvolu peti vian sistemadministranton, ke ĝi instalu la modulon.", + "PHP module %s not installed." : "La PHP-modulo %s ne instalitas.", + "Please ask your server administrator to restart the web server." : "Bonvolu peti viajn serviladministranton, ke ŝi/li reekfunkciigu la TTT-servilon.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 necesas", + "Please upgrade your database version" : "Bonvolu ĝisdatigi la eldonon de via datumbazo", + "Storage connection error. %s" : "Memorokonekta eraro. %s" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/eu.js b/lib/l10n/eu.js new file mode 100644 index 0000000000000..b960fd25a8a31 --- /dev/null +++ b/lib/l10n/eu.js @@ -0,0 +1,154 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Ezin da idatzi \"config\" karpetan!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Hau normalean konpondu daitekesweb zerbitzarira config karpetan idazteko baimenak emanez", + "See %s" : "Ikusi %s", + "Sample configuration detected" : "Adibide-ezarpena detektatua", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Detektatu da adibide-ezarpena kopiatu dela. Honek zure instalazioa apur dezake eta ez da onartzen. Irakurri dokumentazioa config.php fitxategia aldatu aurretik.", + "%1$s and %2$s" : "%1$s eta %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s eta %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s eta %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s eta %5$s", + "PHP %s or higher is required." : "PHP %s edo berriagoa behar da.", + "PHP with a version lower than %s is required." : "PHPren bertsioa %s baino txikiagoa izan behar da.", + "Following databases are supported: %s" : "Hurrengo datubaseak onartzen dira: %s", + "The command line tool %s could not be found" : "Komando lerroko %s tresna ezin da aurkitu", + "The library %s is not available." : "%s liburutegia ez dago eskuragarri.", + "Library %s with a version higher than %s is required - available version %s." : "%s liburutegiak %s baino bertsio handiagoa izan behar du - dagoen bertsioa %s.", + "Library %s with a version lower than %s is required - available version %s." : "%s liburutegiak %s baino bertsio txikiagoa izan behar du - dagoen bertsioa %s.", + "Following platforms are supported: %s" : "Hurrengo plataformak onartzen dira: %s", + "Unknown filetype" : "Fitxategi mota ezezaguna", + "Invalid image" : "Baliogabeko irudia", + "Avatar image is not square" : "Abatarreko irudia ez da karratua", + "today" : "gaur", + "yesterday" : "atzo", + "_%n day ago_::_%n days ago_" : ["orain dela egun %n","orain dela %n egun"], + "last month" : "joan den hilabetean", + "_%n month ago_::_%n months ago_" : ["orain dela hilabete %n","orain dela %n hilabete"], + "last year" : "joan den urtean", + "_%n year ago_::_%n years ago_" : ["orain dela urte %n","orain dela %n urte"], + "_%n hour ago_::_%n hours ago_" : ["orain dela ordu %n","orain dela %n ordu"], + "_%n minute ago_::_%n minutes ago_" : ["orain dela minutu %n","orain dela %n minutu"], + "seconds ago" : "duela segundu batzuk", + "File name is a reserved word" : "Fitxategi izena hitz erreserbatua da", + "File name contains at least one invalid character" : "Fitxategi izenak behintzat baliogabeko karaktere bat du", + "File name is too long" : "Fitxategi-izena luzeegia da", + "Dot files are not allowed" : "Dot fitxategiak ez dira onartzen", + "Empty filename is not allowed" : "Fitxategiaren izena izin da hutsa izan", + "Help" : "Laguntza", + "Apps" : "Aplikazioak", + "Users" : "Erabiltzaileak", + "Unknown user" : "Erabiltzaile ezezaguna", + "APCu" : "APCu", + "Redis" : "Redis", + "Sharing" : "Partekatze", + "Encryption" : "Enkriptazio", + "Additional settings" : "Ezarpen gehiago", + "Tips & tricks" : "Aholkuak eta trikimailuak", + "__language_name__" : "Euskara", + "%s enter the database username and name." : "%s sartu datu-basearen erabiltzaile-izena eta izena.", + "%s enter the database username." : "%s sartu datu basearen erabiltzaile izena.", + "%s enter the database name." : "%s sartu datu basearen izena.", + "%s you may not use dots in the database name" : "%s ezin duzu punturik erabili datu basearen izenean.", + "Oracle connection could not be established" : "Ezin da Oracle konexioa sortu", + "Oracle username and/or password not valid" : "Oracle erabiltzaile edota pasahitza ez dira egokiak.", + "PostgreSQL username and/or password not valid" : "PostgreSQL erabiltzaile edota pasahitza ez dira egokiak.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X-ek ez du sostengurik eta %s gaizki ibili daiteke plataforma honetan. Erabiltzekotan, zure ardurapean.", + "For the best results, please consider using a GNU/Linux server instead." : "Emaitza hobeak izateko, mesedez gogoan hartu GNU/Linux zerbitzari bat erabiltzea.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Mesedez ezabatu open_basedir ezarpena zure php.ini-tik edo aldatu 64-biteko PHPra.", + "Set an admin username." : "Ezarri administraziorako erabiltzaile izena.", + "Set an admin password." : "Ezarri administraziorako pasahitza.", + "Can't create or write into the data directory %s" : "Ezin da %s datu karpeta sortu edo bertan idatzi ", + "Sharing %s failed, because the backend does not allow shares from type %i" : "%s partekatzeak huts egin du, motorrak %i motako partekatzeak baimentzen ez dituelako", + "Sharing %s failed, because the file does not exist" : "%s elkarbanatzeak huts egin du, fitxategia ez delako existitzen", + "You are not allowed to share %s" : "Ez zadue %s elkarbanatzeko baimendua", + "Sharing %s failed, because the user %s does not exist" : "%s elkarbanatzeak huts egin du, %s erabiltzailea existitzen ez delako", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "%s elkarbanatzeak huts egin du, %s erabiltzailea ez delako %s partaide den talderen bateko partaidea", + "Sharing %s failed, because this item is already shared with %s" : "%s elkarbanatzeak huts egin du, dagoeneko %s erabiltzailearekin elkarbanatuta dagoelako", + "Sharing %s failed, because the group %s does not exist" : "%s elkarbanatzeak huts egin du, %s taldea ez delako existitzen", + "Sharing %s failed, because %s is not a member of the group %s" : "%s elkarbanatzeak huts egin du, %s ez delako %s taldearen partaidea", + "You need to provide a password to create a public link, only protected links are allowed" : "Lotura publiko bat sortzeko pasahitza idatzi behar duzu, bakarrik babestutako loturak baimenduta daude", + "Sharing %s failed, because sharing with links is not allowed" : "%s elkarbanatzeak huts egin du, lotura bidezko elkarbanatzea baimendua ez dagoelako", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "%s partekatzeak huts egin du, ezin da %s aurkitu, agian zerbitzaria orain ez dago eskuragarri.", + "Share type %s is not valid for %s" : "%s elkarbanaketa mota ez da %srentzako egokia", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Ezin izan da jarri iraungitze data. Konpartitzea ezin da iraungi konpartitu eta %s ondoren.", + "Cannot set expiration date. Expiration date is in the past" : "Ezin da jarri iraungitze data. Iraungitze data iragan da.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "%s elkarbanaketa motorra OCP\\Share_Backend interfazea inplementatu behar du ", + "Sharing backend %s not found" : "Ez da %s elkarbanaketa motorra aurkitu", + "Sharing backend for %s not found" : "Ez da %srako elkarbanaketa motorrik aurkitu", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "%s elkarbanatzeak huts egin du, baimenak %sri emandakoak baino gehiago direlako", + "Sharing %s failed, because resharing is not allowed" : "%s elkarbanatzeak huts egin du, ber-elkarbanatzea baimenduta ez dagoelako", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "%s elkarbanatzeak huts egin du, %sren elkarbanaketa motorrak bere iturria aurkitu ezin duelako", + "Sharing %s failed, because the file could not be found in the file cache" : "%s elkarbanatzeak huts egin du, fitxategia katxean aurkitu ez delako", + "%s shared »%s« with you" : "%s-ek »%s« zurekin partekatu du", + "Could not find category \"%s\"" : "Ezin da \"%s\" kategoria aurkitu", + "Sunday" : "Igandea", + "Monday" : "Astelehena", + "Tuesday" : "Asteartea", + "Wednesday" : "Asteazkena", + "Thursday" : "Osteguna", + "Friday" : "Ostirala", + "Saturday" : "Larunbata", + "Sun." : "Ig.", + "Mon." : "Al.", + "Tue." : "Ar.", + "Wed." : "Az.", + "Thu." : "Og.", + "Fri." : "Ol.", + "Sat." : "Lr.", + "Su" : "Ig", + "Mo" : "Al", + "Tu" : "Ar", + "We" : "Az", + "Th" : "Og", + "Fr" : "Ol", + "Sa" : "Lr", + "January" : "Urtarrila", + "February" : "Otsaila", + "March" : "Martxoa", + "April" : "Apirila", + "May" : "Maiatza", + "June" : "Ekaina", + "July" : "Uztaila", + "August" : "Abuztua", + "September" : "Iraila", + "October" : "Urria", + "November" : "Azaroa", + "December" : "Abendua", + "Jan." : "Urt.", + "Feb." : "Ots.", + "Mar." : "Mar.", + "Apr." : "Api.", + "May." : "Mai.", + "Jun." : "Eka.", + "Jul." : "Uzt.", + "Aug." : "Abu.", + "Sep." : "Ira.", + "Oct." : "Urr.", + "Nov." : "Aza.", + "Dec." : "Abe.", + "A valid username must be provided" : "Baliozko erabiltzaile izena eman behar da", + "A valid password must be provided" : "Baliozko pasahitza eman behar da", + "The username is already being used" : "Erabiltzaile izena dagoeneko erabiltzen ari da", + "User disabled" : "Erabiltzaile desgaituta", + "Login canceled by app" : "Aplikazioa saioa bertan behera utzi du", + "Application is not enabled" : "Aplikazioa ez dago gaituta", + "Authentication error" : "Autentifikazio errorea", + "Token expired. Please reload page." : "Tokena iraungitu da. Mesedez birkargatu orria.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Ez dago datubaseen (sqlite, mysql edo postgresql) driverrik instalatuta.", + "Cannot write into \"config\" directory" : "Ezin da idatzi \"config\" karpetan", + "Cannot write into \"apps\" directory" : "Ezin da idatzi \"apps\" karpetan", + "Setting locale to %s failed" : "Lokala %sra ezartzeak huts egin du", + "Please install one of these locales on your system and restart your webserver." : "Instalatu hauetako lokal bat zure sisteman eta berrabiarazi zure web zerbitzaria.", + "Please ask your server administrator to install the module." : "Mesedez eskatu zure zerbitzariaren kudeatzaileari modulua instala dezan.", + "PHP module %s not installed." : "PHPren %s modulua ez dago instalaturik.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hau ziur aski cache/accelerator batek eragin du, hala nola Zend OPcache edo eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP moduluak instalatu dira, baina oraindik faltan bezala markatuta daude?", + "Please ask your server administrator to restart the web server." : "Mesedez eskatu zerbitzariaren kudeatzaileari web zerbitzaria berrabiarazteko.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 behar da", + "Please upgrade your database version" : "Mesedez eguneratu zure datu basearen bertsioa", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Mesedez aldatu baimenak 0770ra beste erabiltzaileek karpetan sartu ezin izateko.", + "Could not obtain lock type %d on \"%s\"." : "Ezin da lortu sarraia mota %d \"%s\"-an." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/eu.json b/lib/l10n/eu.json new file mode 100644 index 0000000000000..3f1b393359859 --- /dev/null +++ b/lib/l10n/eu.json @@ -0,0 +1,152 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Ezin da idatzi \"config\" karpetan!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Hau normalean konpondu daitekesweb zerbitzarira config karpetan idazteko baimenak emanez", + "See %s" : "Ikusi %s", + "Sample configuration detected" : "Adibide-ezarpena detektatua", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Detektatu da adibide-ezarpena kopiatu dela. Honek zure instalazioa apur dezake eta ez da onartzen. Irakurri dokumentazioa config.php fitxategia aldatu aurretik.", + "%1$s and %2$s" : "%1$s eta %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s eta %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s eta %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s eta %5$s", + "PHP %s or higher is required." : "PHP %s edo berriagoa behar da.", + "PHP with a version lower than %s is required." : "PHPren bertsioa %s baino txikiagoa izan behar da.", + "Following databases are supported: %s" : "Hurrengo datubaseak onartzen dira: %s", + "The command line tool %s could not be found" : "Komando lerroko %s tresna ezin da aurkitu", + "The library %s is not available." : "%s liburutegia ez dago eskuragarri.", + "Library %s with a version higher than %s is required - available version %s." : "%s liburutegiak %s baino bertsio handiagoa izan behar du - dagoen bertsioa %s.", + "Library %s with a version lower than %s is required - available version %s." : "%s liburutegiak %s baino bertsio txikiagoa izan behar du - dagoen bertsioa %s.", + "Following platforms are supported: %s" : "Hurrengo plataformak onartzen dira: %s", + "Unknown filetype" : "Fitxategi mota ezezaguna", + "Invalid image" : "Baliogabeko irudia", + "Avatar image is not square" : "Abatarreko irudia ez da karratua", + "today" : "gaur", + "yesterday" : "atzo", + "_%n day ago_::_%n days ago_" : ["orain dela egun %n","orain dela %n egun"], + "last month" : "joan den hilabetean", + "_%n month ago_::_%n months ago_" : ["orain dela hilabete %n","orain dela %n hilabete"], + "last year" : "joan den urtean", + "_%n year ago_::_%n years ago_" : ["orain dela urte %n","orain dela %n urte"], + "_%n hour ago_::_%n hours ago_" : ["orain dela ordu %n","orain dela %n ordu"], + "_%n minute ago_::_%n minutes ago_" : ["orain dela minutu %n","orain dela %n minutu"], + "seconds ago" : "duela segundu batzuk", + "File name is a reserved word" : "Fitxategi izena hitz erreserbatua da", + "File name contains at least one invalid character" : "Fitxategi izenak behintzat baliogabeko karaktere bat du", + "File name is too long" : "Fitxategi-izena luzeegia da", + "Dot files are not allowed" : "Dot fitxategiak ez dira onartzen", + "Empty filename is not allowed" : "Fitxategiaren izena izin da hutsa izan", + "Help" : "Laguntza", + "Apps" : "Aplikazioak", + "Users" : "Erabiltzaileak", + "Unknown user" : "Erabiltzaile ezezaguna", + "APCu" : "APCu", + "Redis" : "Redis", + "Sharing" : "Partekatze", + "Encryption" : "Enkriptazio", + "Additional settings" : "Ezarpen gehiago", + "Tips & tricks" : "Aholkuak eta trikimailuak", + "__language_name__" : "Euskara", + "%s enter the database username and name." : "%s sartu datu-basearen erabiltzaile-izena eta izena.", + "%s enter the database username." : "%s sartu datu basearen erabiltzaile izena.", + "%s enter the database name." : "%s sartu datu basearen izena.", + "%s you may not use dots in the database name" : "%s ezin duzu punturik erabili datu basearen izenean.", + "Oracle connection could not be established" : "Ezin da Oracle konexioa sortu", + "Oracle username and/or password not valid" : "Oracle erabiltzaile edota pasahitza ez dira egokiak.", + "PostgreSQL username and/or password not valid" : "PostgreSQL erabiltzaile edota pasahitza ez dira egokiak.", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X-ek ez du sostengurik eta %s gaizki ibili daiteke plataforma honetan. Erabiltzekotan, zure ardurapean.", + "For the best results, please consider using a GNU/Linux server instead." : "Emaitza hobeak izateko, mesedez gogoan hartu GNU/Linux zerbitzari bat erabiltzea.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Mesedez ezabatu open_basedir ezarpena zure php.ini-tik edo aldatu 64-biteko PHPra.", + "Set an admin username." : "Ezarri administraziorako erabiltzaile izena.", + "Set an admin password." : "Ezarri administraziorako pasahitza.", + "Can't create or write into the data directory %s" : "Ezin da %s datu karpeta sortu edo bertan idatzi ", + "Sharing %s failed, because the backend does not allow shares from type %i" : "%s partekatzeak huts egin du, motorrak %i motako partekatzeak baimentzen ez dituelako", + "Sharing %s failed, because the file does not exist" : "%s elkarbanatzeak huts egin du, fitxategia ez delako existitzen", + "You are not allowed to share %s" : "Ez zadue %s elkarbanatzeko baimendua", + "Sharing %s failed, because the user %s does not exist" : "%s elkarbanatzeak huts egin du, %s erabiltzailea existitzen ez delako", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "%s elkarbanatzeak huts egin du, %s erabiltzailea ez delako %s partaide den talderen bateko partaidea", + "Sharing %s failed, because this item is already shared with %s" : "%s elkarbanatzeak huts egin du, dagoeneko %s erabiltzailearekin elkarbanatuta dagoelako", + "Sharing %s failed, because the group %s does not exist" : "%s elkarbanatzeak huts egin du, %s taldea ez delako existitzen", + "Sharing %s failed, because %s is not a member of the group %s" : "%s elkarbanatzeak huts egin du, %s ez delako %s taldearen partaidea", + "You need to provide a password to create a public link, only protected links are allowed" : "Lotura publiko bat sortzeko pasahitza idatzi behar duzu, bakarrik babestutako loturak baimenduta daude", + "Sharing %s failed, because sharing with links is not allowed" : "%s elkarbanatzeak huts egin du, lotura bidezko elkarbanatzea baimendua ez dagoelako", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "%s partekatzeak huts egin du, ezin da %s aurkitu, agian zerbitzaria orain ez dago eskuragarri.", + "Share type %s is not valid for %s" : "%s elkarbanaketa mota ez da %srentzako egokia", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Ezin izan da jarri iraungitze data. Konpartitzea ezin da iraungi konpartitu eta %s ondoren.", + "Cannot set expiration date. Expiration date is in the past" : "Ezin da jarri iraungitze data. Iraungitze data iragan da.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "%s elkarbanaketa motorra OCP\\Share_Backend interfazea inplementatu behar du ", + "Sharing backend %s not found" : "Ez da %s elkarbanaketa motorra aurkitu", + "Sharing backend for %s not found" : "Ez da %srako elkarbanaketa motorrik aurkitu", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "%s elkarbanatzeak huts egin du, baimenak %sri emandakoak baino gehiago direlako", + "Sharing %s failed, because resharing is not allowed" : "%s elkarbanatzeak huts egin du, ber-elkarbanatzea baimenduta ez dagoelako", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "%s elkarbanatzeak huts egin du, %sren elkarbanaketa motorrak bere iturria aurkitu ezin duelako", + "Sharing %s failed, because the file could not be found in the file cache" : "%s elkarbanatzeak huts egin du, fitxategia katxean aurkitu ez delako", + "%s shared »%s« with you" : "%s-ek »%s« zurekin partekatu du", + "Could not find category \"%s\"" : "Ezin da \"%s\" kategoria aurkitu", + "Sunday" : "Igandea", + "Monday" : "Astelehena", + "Tuesday" : "Asteartea", + "Wednesday" : "Asteazkena", + "Thursday" : "Osteguna", + "Friday" : "Ostirala", + "Saturday" : "Larunbata", + "Sun." : "Ig.", + "Mon." : "Al.", + "Tue." : "Ar.", + "Wed." : "Az.", + "Thu." : "Og.", + "Fri." : "Ol.", + "Sat." : "Lr.", + "Su" : "Ig", + "Mo" : "Al", + "Tu" : "Ar", + "We" : "Az", + "Th" : "Og", + "Fr" : "Ol", + "Sa" : "Lr", + "January" : "Urtarrila", + "February" : "Otsaila", + "March" : "Martxoa", + "April" : "Apirila", + "May" : "Maiatza", + "June" : "Ekaina", + "July" : "Uztaila", + "August" : "Abuztua", + "September" : "Iraila", + "October" : "Urria", + "November" : "Azaroa", + "December" : "Abendua", + "Jan." : "Urt.", + "Feb." : "Ots.", + "Mar." : "Mar.", + "Apr." : "Api.", + "May." : "Mai.", + "Jun." : "Eka.", + "Jul." : "Uzt.", + "Aug." : "Abu.", + "Sep." : "Ira.", + "Oct." : "Urr.", + "Nov." : "Aza.", + "Dec." : "Abe.", + "A valid username must be provided" : "Baliozko erabiltzaile izena eman behar da", + "A valid password must be provided" : "Baliozko pasahitza eman behar da", + "The username is already being used" : "Erabiltzaile izena dagoeneko erabiltzen ari da", + "User disabled" : "Erabiltzaile desgaituta", + "Login canceled by app" : "Aplikazioa saioa bertan behera utzi du", + "Application is not enabled" : "Aplikazioa ez dago gaituta", + "Authentication error" : "Autentifikazio errorea", + "Token expired. Please reload page." : "Tokena iraungitu da. Mesedez birkargatu orria.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Ez dago datubaseen (sqlite, mysql edo postgresql) driverrik instalatuta.", + "Cannot write into \"config\" directory" : "Ezin da idatzi \"config\" karpetan", + "Cannot write into \"apps\" directory" : "Ezin da idatzi \"apps\" karpetan", + "Setting locale to %s failed" : "Lokala %sra ezartzeak huts egin du", + "Please install one of these locales on your system and restart your webserver." : "Instalatu hauetako lokal bat zure sisteman eta berrabiarazi zure web zerbitzaria.", + "Please ask your server administrator to install the module." : "Mesedez eskatu zure zerbitzariaren kudeatzaileari modulua instala dezan.", + "PHP module %s not installed." : "PHPren %s modulua ez dago instalaturik.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hau ziur aski cache/accelerator batek eragin du, hala nola Zend OPcache edo eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP moduluak instalatu dira, baina oraindik faltan bezala markatuta daude?", + "Please ask your server administrator to restart the web server." : "Mesedez eskatu zerbitzariaren kudeatzaileari web zerbitzaria berrabiarazteko.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 behar da", + "Please upgrade your database version" : "Mesedez eguneratu zure datu basearen bertsioa", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Mesedez aldatu baimenak 0770ra beste erabiltzaileek karpetan sartu ezin izateko.", + "Could not obtain lock type %d on \"%s\"." : "Ezin da lortu sarraia mota %d \"%s\"-an." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/fa.js b/lib/l10n/fa.js new file mode 100644 index 0000000000000..d8c4fc2cbbe55 --- /dev/null +++ b/lib/l10n/fa.js @@ -0,0 +1,58 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "نمیتوانید داخل دایرکتوری \"config\" تغییراتی ایجاد کنید", + "See %s" : "مشاهده %s", + "Sample configuration detected" : "فایل پیکربندی نمونه پیدا شد", + "PHP %s or higher is required." : "PHP نسخه‌ی %s یا بالاتر نیاز است.", + "Following databases are supported: %s" : "پایگاه‌داده‌ های ذکر شده مورد نیاز است: %s", + "The command line tool %s could not be found" : "ابزار کامندلاین %s پیدا نشد", + "The library %s is not available." : "کتابخانه‌ی %s در دسترس نیست.", + "Library %s with a version higher than %s is required - available version %s." : "کتابخانه %s با نسخه‎‌ی بالاتر از %s نیاز است - نسخه‎ی موجود %s.", + "Library %s with a version lower than %s is required - available version %s." : "کتابخانه %s با نسخه‎‌ی پایین‌تر از %s نیاز است - نسخه‎ی موجود %s.", + "Unknown filetype" : "نوع فایل ناشناخته", + "Invalid image" : "عکس نامعتبر", + "today" : "امروز", + "yesterday" : "دیروز", + "_%n day ago_::_%n days ago_" : ["%n روز پیش"], + "last month" : "ماه قبل", + "_%n month ago_::_%n months ago_" : ["%n ماه قبل"], + "last year" : "سال قبل", + "_%n year ago_::_%n years ago_" : ["%n سال پیش"], + "_%n hour ago_::_%n hours ago_" : ["%n ساعت قبل"], + "_%n minute ago_::_%n minutes ago_" : ["%n دقیقه قبل"], + "seconds ago" : "ثانیه‌ها پیش", + "File name is a reserved word" : "این نام فایل جزو کلمات رزرو می‌باشد", + "File name contains at least one invalid character" : "نام فایل دارای حداقل یک کاراکتر نامعتبر است", + "File name is too long" : "نام فایل خیلی بزرگ است", + "Empty filename is not allowed" : "نام فایل نمی‌تواند خالی باشد", + "Apps" : " برنامه ها", + "Users" : "کاربران", + "Unknown user" : "کاربر نامعلوم", + "__language_name__" : "فارسى", + "%s enter the database username." : "%s نام کاربری پایگاه داده را وارد نمایید.", + "%s enter the database name." : "%s نام پایگاه داده را وارد نمایید.", + "%s you may not use dots in the database name" : "%s شما نباید از نقطه در نام پایگاه داده استفاده نمایید.", + "Oracle connection could not be established" : "ارتباط اراکل نمیتواند برقرار باشد.", + "Oracle username and/or password not valid" : "نام کاربری و / یا رمزعبور اراکل معتبر نیست.", + "PostgreSQL username and/or password not valid" : "PostgreSQL نام کاربری و / یا رمزعبور معتبر نیست.", + "Set an admin username." : "یک نام کاربری برای مدیر تنظیم نمایید.", + "Set an admin password." : "یک رمزعبور برای مدیر تنظیم نمایید.", + "%s shared »%s« with you" : "%s به اشتراک گذاشته شده است »%s« توسط شما", + "Could not find category \"%s\"" : "دسته بندی %s یافت نشد", + "A valid username must be provided" : "نام کاربری صحیح باید وارد شود", + "A valid password must be provided" : "رمز عبور صحیح باید وارد شود", + "The username is already being used" : "نام‌کاربری قبلا استفاده شده است", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "امکان نصب برنامه \"%s\" با توجه به برآورده نکردن نیازمندی زیر وجود ندارد: %s", + "File is currently busy, please try again later" : "فایل در حال حاضر مشغول است، لطفا مجددا تلاش کنید", + "Can't read file" : "امکان خواندن فایل وجود ندارد", + "Application is not enabled" : "برنامه فعال نشده است", + "Authentication error" : "خطا در اعتبار سنجی", + "Token expired. Please reload page." : "Token منقضی شده است. لطفا دوباره صفحه را بارگذاری نمایید.", + "Cannot write into \"config\" directory" : "امکان نوشتن درون شاخه‌ی \"config\" وجود ندارد", + "Please ask your server administrator to install the module." : "لطفا از مدیر سیستم بخواهید تا ماژول را نصب کند.", + "PHP module %s not installed." : "ماژول PHP %s نصب نشده است.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 نیاز است", + "Please upgrade your database version" : "لطفا نسخه‌ی پایگاه‌داده‌ی خود را بروز کنید" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/fa.json b/lib/l10n/fa.json new file mode 100644 index 0000000000000..946e4f2fd4277 --- /dev/null +++ b/lib/l10n/fa.json @@ -0,0 +1,56 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "نمیتوانید داخل دایرکتوری \"config\" تغییراتی ایجاد کنید", + "See %s" : "مشاهده %s", + "Sample configuration detected" : "فایل پیکربندی نمونه پیدا شد", + "PHP %s or higher is required." : "PHP نسخه‌ی %s یا بالاتر نیاز است.", + "Following databases are supported: %s" : "پایگاه‌داده‌ های ذکر شده مورد نیاز است: %s", + "The command line tool %s could not be found" : "ابزار کامندلاین %s پیدا نشد", + "The library %s is not available." : "کتابخانه‌ی %s در دسترس نیست.", + "Library %s with a version higher than %s is required - available version %s." : "کتابخانه %s با نسخه‎‌ی بالاتر از %s نیاز است - نسخه‎ی موجود %s.", + "Library %s with a version lower than %s is required - available version %s." : "کتابخانه %s با نسخه‎‌ی پایین‌تر از %s نیاز است - نسخه‎ی موجود %s.", + "Unknown filetype" : "نوع فایل ناشناخته", + "Invalid image" : "عکس نامعتبر", + "today" : "امروز", + "yesterday" : "دیروز", + "_%n day ago_::_%n days ago_" : ["%n روز پیش"], + "last month" : "ماه قبل", + "_%n month ago_::_%n months ago_" : ["%n ماه قبل"], + "last year" : "سال قبل", + "_%n year ago_::_%n years ago_" : ["%n سال پیش"], + "_%n hour ago_::_%n hours ago_" : ["%n ساعت قبل"], + "_%n minute ago_::_%n minutes ago_" : ["%n دقیقه قبل"], + "seconds ago" : "ثانیه‌ها پیش", + "File name is a reserved word" : "این نام فایل جزو کلمات رزرو می‌باشد", + "File name contains at least one invalid character" : "نام فایل دارای حداقل یک کاراکتر نامعتبر است", + "File name is too long" : "نام فایل خیلی بزرگ است", + "Empty filename is not allowed" : "نام فایل نمی‌تواند خالی باشد", + "Apps" : " برنامه ها", + "Users" : "کاربران", + "Unknown user" : "کاربر نامعلوم", + "__language_name__" : "فارسى", + "%s enter the database username." : "%s نام کاربری پایگاه داده را وارد نمایید.", + "%s enter the database name." : "%s نام پایگاه داده را وارد نمایید.", + "%s you may not use dots in the database name" : "%s شما نباید از نقطه در نام پایگاه داده استفاده نمایید.", + "Oracle connection could not be established" : "ارتباط اراکل نمیتواند برقرار باشد.", + "Oracle username and/or password not valid" : "نام کاربری و / یا رمزعبور اراکل معتبر نیست.", + "PostgreSQL username and/or password not valid" : "PostgreSQL نام کاربری و / یا رمزعبور معتبر نیست.", + "Set an admin username." : "یک نام کاربری برای مدیر تنظیم نمایید.", + "Set an admin password." : "یک رمزعبور برای مدیر تنظیم نمایید.", + "%s shared »%s« with you" : "%s به اشتراک گذاشته شده است »%s« توسط شما", + "Could not find category \"%s\"" : "دسته بندی %s یافت نشد", + "A valid username must be provided" : "نام کاربری صحیح باید وارد شود", + "A valid password must be provided" : "رمز عبور صحیح باید وارد شود", + "The username is already being used" : "نام‌کاربری قبلا استفاده شده است", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "امکان نصب برنامه \"%s\" با توجه به برآورده نکردن نیازمندی زیر وجود ندارد: %s", + "File is currently busy, please try again later" : "فایل در حال حاضر مشغول است، لطفا مجددا تلاش کنید", + "Can't read file" : "امکان خواندن فایل وجود ندارد", + "Application is not enabled" : "برنامه فعال نشده است", + "Authentication error" : "خطا در اعتبار سنجی", + "Token expired. Please reload page." : "Token منقضی شده است. لطفا دوباره صفحه را بارگذاری نمایید.", + "Cannot write into \"config\" directory" : "امکان نوشتن درون شاخه‌ی \"config\" وجود ندارد", + "Please ask your server administrator to install the module." : "لطفا از مدیر سیستم بخواهید تا ماژول را نصب کند.", + "PHP module %s not installed." : "ماژول PHP %s نصب نشده است.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 نیاز است", + "Please upgrade your database version" : "لطفا نسخه‌ی پایگاه‌داده‌ی خود را بروز کنید" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/gl.js b/lib/l10n/gl.js new file mode 100644 index 0000000000000..bf92b4db0f278 --- /dev/null +++ b/lib/l10n/gl.js @@ -0,0 +1,7 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Non é posíbel escribir no directorio «config»!", + "__language_name__" : "Galego" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/gl.json b/lib/l10n/gl.json new file mode 100644 index 0000000000000..30c4cdd34a727 --- /dev/null +++ b/lib/l10n/gl.json @@ -0,0 +1,5 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Non é posíbel escribir no directorio «config»!", + "__language_name__" : "Galego" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/he.js b/lib/l10n/he.js new file mode 100644 index 0000000000000..dc5b4a5ce382c --- /dev/null +++ b/lib/l10n/he.js @@ -0,0 +1,171 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "לא ניתן לכתוב לתיקיית \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "בדרך כלל ניתן לפתור את הבעיה על ידי כך שנותנים ל- webserver הרשאות כניסה לתיקיית confg", + "See %s" : "ניתן לראות %s", + "Sample configuration detected" : "התגלתה דוגמת תצורה", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "התגלה שדוגמת התצורה הועתקה. דבר זה עלול לשבור את ההתקנה ולא נתמך.יש לקרוא את מסמכי התיעוד לפני שמבצעים שינויים ב- config.php", + "PHP %s or higher is required." : "נדרש PHP בגרסת %s ומעלה.", + "PHP with a version lower than %s is required." : "נדרש PHP בגרסה נמוכה מ- %s.", + "%sbit or higher PHP required." : "נדרש PHP בגרסת %s ומעלה.", + "Following databases are supported: %s" : "מסדי הנתונים הבאים נתמכים: %s", + "The command line tool %s could not be found" : "כלי שורת הפקודה %s לא אותר", + "The library %s is not available." : "הספריה %s אינה זמינה.", + "Library %s with a version higher than %s is required - available version %s." : "ספריה %s בגרסה גבוהה מ- %s נדרשת - גרסה זמינה %s.", + "Library %s with a version lower than %s is required - available version %s." : "ספריה %s בגרסה נמוכה מ- %s נדרשת - גרסה זמינה %s.", + "Following platforms are supported: %s" : "הפלטפורמות הבאות נתמכות: %s", + "Unknown filetype" : "סוג קובץ לא מוכר", + "Invalid image" : "תמונה לא חוקית", + "today" : "היום", + "yesterday" : "אתמול", + "_%n day ago_::_%n days ago_" : ["לפני %n יום","לפני %n ימים"], + "last month" : "חודש שעבר", + "last year" : "שנה שעברה", + "_%n year ago_::_%n years ago_" : ["לפני %n שנה","לפני %n שנים"], + "seconds ago" : "שניות", + "File name is a reserved word" : "שם קובץ הנו מילה שמורה", + "File name contains at least one invalid character" : "שם קובץ כולל לפחות תו אחד לא חוקי", + "File name is too long" : "שם קובץ ארוך מדי", + "Dot files are not allowed" : "קבצי Dot אינם מותרים", + "Empty filename is not allowed" : "שם קובץ ריק אינו מאושר", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "יישום \"%s\" לא ניתן להתקנה כיוון שקובץ appinfo לא ניתן לקריאה.", + "Help" : "עזרה", + "Apps" : "יישומים", + "Settings" : "הגדרות", + "Log out" : "התנתק", + "Users" : "משתמשים", + "Unknown user" : "משתמש לא ידוע", + "Sharing" : "שיתוף", + "Tips & tricks" : "טיפים וטריקים", + "__language_name__" : "עברית", + "%s enter the database username and name." : "%s יש להכניס את שם המשתמש ושם מסד הנתונים.", + "%s enter the database username." : "%s נכנס למסד נתוני שמות המשתמשים.", + "%s enter the database name." : "%s נכנס למסד נתוני השמות.", + "%s you may not use dots in the database name" : "%s לא ניתן להשתמש בנקודות בשם מסד הנתונים", + "Oracle connection could not be established" : "לא ניתן היה ליצור חיבור Oracle", + "Oracle username and/or password not valid" : "שם משתמש ו/או סיסמת Oracle אינם תקפים", + "PostgreSQL username and/or password not valid" : "שם משתמש ו/או סיסמת PostgreSQL אינם תקפים", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X אינו נתמך ו- %s לא יעבוד כשורה בפלטפורמה זו. ניתן לקחת סיכון ולהשתמש באחריותך! ", + "For the best results, please consider using a GNU/Linux server instead." : "לתוצאות הכי טובות, יש לשקול שימוש בשרת GNU/Linux במקום.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "נראה ש- %s עובד על בסיס סביבת 32-bit PHP ושה- open_basedir הוגדר בקובץ php.ini. מצב זה יוביל לבעיות עם קבצים הגדולים מ- 4 GB ואינו מומלץ לחלוטין.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "יש להסיר את הגדרת open_basedir מתוך קובץ php.ini או להחליף לסביבת 64-bit PHP.", + "Set an admin username." : "קביעת שם משתמש מנהל", + "Set an admin password." : "קביעת סיסמת מנהל", + "Can't create or write into the data directory %s" : "לא ניתן ליצור או לכתוב לתוך תיקיית הנתונים %s", + "Invalid Federated Cloud ID" : "זיהוי ענן מאוגד לא חוקי", + "Sharing %s failed, because the backend does not allow shares from type %i" : "השיתוף %s נכשל, כיוון שהצד האחורי אינו מאפשר שיתופים מסוג %i", + "Sharing %s failed, because the file does not exist" : "השיתוף %s נכשל, כיוון שהקובץ אינו קיים", + "You are not allowed to share %s" : "אינך רשאי/ת לשתף %s", + "Sharing %s failed, because you can not share with yourself" : "השיתוף %s נכשל, כיוון שלא ניתן לשתף עם עצמך", + "Sharing %s failed, because the user %s does not exist" : "השיתוף %s נכשל, כיוון שהמשתמש %s אינו קיים", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "השיתוף %s נכשל, כיוון שהמשתמש %s אינו חבר בקבוצות ש- %s חבר ב-", + "Sharing %s failed, because this item is already shared with %s" : "שיתוף %s נכשל, כיוון שפריט זה כבר משותף עם %s", + "Sharing %s failed, because this item is already shared with user %s" : "השיתוף %s נכשל, כיוון שהפריט כבר משותף עם משתמש %s", + "Sharing %s failed, because the group %s does not exist" : "השיתוף %s נכשל, כיוון שהקבוצה %s אינה קיימת", + "Sharing %s failed, because %s is not a member of the group %s" : "השיתוף %s נכשל, כיוון ש- %s אינו חבר בקבוצה %s", + "You need to provide a password to create a public link, only protected links are allowed" : "יש לספק סיסמא ליצירת קישור ציבורי, רק קישורים מוגנים מותרים", + "Sharing %s failed, because sharing with links is not allowed" : "השיתוף %s נכשל, כיוון ששיתוף עם קישור אינו מותר", + "Not allowed to create a federated share with the same user" : "אסור ליצור שיתוף מאוגד עם אותו משתמש", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "שיתוף %s נכשל, לא ניתן לאתר %s, ייתכן שהשרת לא ניתן להשגה כרגע.", + "Share type %s is not valid for %s" : "שיתוף מסוג %s אינו תקף ל- %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "לא ניתן לקבוע תאריך תפוגה. שיתופים אינם יכולים לפוג תוקף מאוחר יותר מ- %s לאחר ששותפו", + "Cannot set expiration date. Expiration date is in the past" : "לא ניתן לקבוע תאריך תפוגה. תאריך התפוגה הנו בעבר", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "צד אחורי לשיתוף %s חייב ליישם את ממשק OCP\\Share_Backend", + "Sharing backend %s not found" : "צד אחורי לשיתוף %s לא נמצא", + "Sharing backend for %s not found" : "צד אחורי לשיתוף של %s לא נמצא", + "Sharing failed, because the user %s is the original sharer" : "שיתוף נכשל, כיוון שמשתמש %s הנו המשתף המקורי", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "השיתוף %s נכשל, כיוון שההרשאות עלו על ההרשאות שניתנו ל- %s", + "Sharing %s failed, because resharing is not allowed" : "השיתוף %s נכשל, כיוון ששיתוף מחודש אסור", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "השיתוף %s נכשל, כיוון שבצד אחורי לשיתוף עבור %s לא ניתן היה לאתר את מקורו", + "Sharing %s failed, because the file could not be found in the file cache" : "השיתוף %s נכשל, כייון שלא ניתן היה למצוא את הקובץ בזכרון המטמון", + "Expiration date is in the past" : "תאריך תפוגה הנו בעבר", + "%s shared »%s« with you" : "%s שיתף/שיתפה איתך את »%s«", + "%s via %s" : "%s על בסיס %s", + "Could not find category \"%s\"" : "לא ניתן למצוא את הקטגוריה „%s“", + "Sunday" : "יום ראשון", + "Monday" : "יום שני", + "Tuesday" : "יום שלישי", + "Wednesday" : "יום רביעי", + "Thursday" : "יום חמישי", + "Friday" : "יום שישי", + "Saturday" : "שבת", + "Sun." : "ראשון", + "Mon." : "שני", + "Tue." : "שלישי", + "Wed." : "רביעי", + "Thu." : "חמישי", + "Fri." : "שישי", + "Sat." : "שבת", + "Su" : "א", + "Mo" : "ב", + "Tu" : "ג", + "We" : "ד", + "Th" : "ה", + "Fr" : "ו", + "Sa" : "ש", + "January" : "ינואר", + "February" : "פברואר", + "March" : "מרץ", + "April" : "אפריל", + "May" : "מאי", + "June" : "יוני", + "July" : "יולי", + "August" : "אוגוסט", + "September" : "ספטמבר", + "October" : "אוקטובר", + "November" : "נובמבר", + "December" : "דצמבר", + "Jan." : "ינו׳", + "Feb." : "פבר׳", + "Mar." : "מרץ", + "Apr." : "אפר׳", + "May." : "מאי", + "Jun." : "יונ׳", + "Jul." : "יול׳", + "Aug." : "אוג׳", + "Sep." : "ספט׳", + "Oct." : "אוק׳", + "Nov." : "נוב׳", + "Dec." : "דצמ׳", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "רק התווים הבאים מאושרים לשם משתמש: \"a-z\", \"A-Z\", \"0-9\", וגם \"_.@-'\"", + "A valid username must be provided" : "יש לספק שם משתמש תקני", + "Username contains whitespace at the beginning or at the end" : "שם המשתמש מכיל רווח בתחילתו או בסופו", + "A valid password must be provided" : "יש לספק ססמה תקנית", + "The username is already being used" : "השם משתמש כבר בשימוש", + "User disabled" : "משתמש מנוטרל", + "Login canceled by app" : "התחברות בוטלה על ידי יישום", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "היישום \"%s\" לא ניתן להתקנה כיוון שיחסי התלות הבאים אינם מתקיימים: %s", + "a safe home for all your data" : "בית בטוח עבור כל המידע שלך", + "File is currently busy, please try again later" : "הקובץ בשימוש כרגע, יש לנסות שוב מאוחר יותר", + "Can't read file" : "לא ניתן לקרוא קובץ", + "Application is not enabled" : "יישומים אינם מופעלים", + "Authentication error" : "שגיאת הזדהות", + "Token expired. Please reload page." : "פג תוקף. נא לטעון שוב את הדף.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "לא מותקנים דרייברים למסד הנתונים (sqlite, mysql, או postgresql).", + "Cannot write into \"config\" directory" : "לא ניתן לכתוב לתיקיית \"config\"!", + "Cannot write into \"apps\" directory" : "לא ניתן לכתוב לתיקיית \"apps\"", + "Setting locale to %s failed" : "הגדרת שפה ל- %s נכשלה", + "Please install one of these locales on your system and restart your webserver." : "יש להתקין אחת מהשפות על המערכת שלך ולהפעיל מחדש את שרת האינטרנט.", + "Please ask your server administrator to install the module." : "יש לבקש ממנהל השרת שלך להתקין את המודול.", + "PHP module %s not installed." : "מודול PHP %s אינו מותקן.", + "PHP setting \"%s\" is not set to \"%s\"." : "הגדרות PHP \"%s\" אינם מוגדרות ל- \"%s\"", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload מוגדר ל- \"%s\" במקום הערך המצופה \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "לתיקון בעיה זו יש להגדיר mbstring.func_overload כ- 0 iבקובץ ה- php.ini שלך", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "libxml2 2.7.0 נדרש לכל הפחות. כרגע %s מותקן.", + "To fix this issue update your libxml2 version and restart your web server." : "לתיקון הבעיה יש לעדכן את גרסת ה- libxml2 שלך ולהפעיל מחדש את שרת האינטרנט שלך.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP ככל הנראה מוגדר ל- strip inline doc blocks. זה יגרום למספר יישומי ליבה לא להיות נגישים.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "זה ככל הנראה נגרם על ידי מאיץ/מטמון כמו Zend OPcache או eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "מודולי PHP הותקנו, אך עדיין רשומים כחסרים?", + "Please ask your server administrator to restart the web server." : "יש לבקש ממנהל השרת שלך להפעיל מחדש את שרת האינטרנט.", + "PostgreSQL >= 9 required" : "נדרש PostgreSQL >= 9", + "Please upgrade your database version" : "יש לשדרג את גרסת מסד הנתונים שלך", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "יש לשנות את ההרשאות ל- 0770 כך שהתיקייה לא תרשם על ידי משתמשים אחרים.", + "Check the value of \"datadirectory\" in your configuration" : "יש לבדוק את הערך \"datadirectory\" בהגדרות התצורה שלך", + "Could not obtain lock type %d on \"%s\"." : "לא ניתן היה להשיג סוג נעילה %d ב- \"%s\".", + "Storage unauthorized. %s" : "אחסון לא מורשה. %s", + "Storage incomplete configuration. %s" : "תצורה לא מושלמת של האחסון. %s", + "Storage connection error. %s" : "שגיאת חיבור אחסון. %s", + "Storage connection timeout. %s" : "פסק זמן חיבור אחסון. %s" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/he.json b/lib/l10n/he.json new file mode 100644 index 0000000000000..38218b4ecc718 --- /dev/null +++ b/lib/l10n/he.json @@ -0,0 +1,169 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "לא ניתן לכתוב לתיקיית \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "בדרך כלל ניתן לפתור את הבעיה על ידי כך שנותנים ל- webserver הרשאות כניסה לתיקיית confg", + "See %s" : "ניתן לראות %s", + "Sample configuration detected" : "התגלתה דוגמת תצורה", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "התגלה שדוגמת התצורה הועתקה. דבר זה עלול לשבור את ההתקנה ולא נתמך.יש לקרוא את מסמכי התיעוד לפני שמבצעים שינויים ב- config.php", + "PHP %s or higher is required." : "נדרש PHP בגרסת %s ומעלה.", + "PHP with a version lower than %s is required." : "נדרש PHP בגרסה נמוכה מ- %s.", + "%sbit or higher PHP required." : "נדרש PHP בגרסת %s ומעלה.", + "Following databases are supported: %s" : "מסדי הנתונים הבאים נתמכים: %s", + "The command line tool %s could not be found" : "כלי שורת הפקודה %s לא אותר", + "The library %s is not available." : "הספריה %s אינה זמינה.", + "Library %s with a version higher than %s is required - available version %s." : "ספריה %s בגרסה גבוהה מ- %s נדרשת - גרסה זמינה %s.", + "Library %s with a version lower than %s is required - available version %s." : "ספריה %s בגרסה נמוכה מ- %s נדרשת - גרסה זמינה %s.", + "Following platforms are supported: %s" : "הפלטפורמות הבאות נתמכות: %s", + "Unknown filetype" : "סוג קובץ לא מוכר", + "Invalid image" : "תמונה לא חוקית", + "today" : "היום", + "yesterday" : "אתמול", + "_%n day ago_::_%n days ago_" : ["לפני %n יום","לפני %n ימים"], + "last month" : "חודש שעבר", + "last year" : "שנה שעברה", + "_%n year ago_::_%n years ago_" : ["לפני %n שנה","לפני %n שנים"], + "seconds ago" : "שניות", + "File name is a reserved word" : "שם קובץ הנו מילה שמורה", + "File name contains at least one invalid character" : "שם קובץ כולל לפחות תו אחד לא חוקי", + "File name is too long" : "שם קובץ ארוך מדי", + "Dot files are not allowed" : "קבצי Dot אינם מותרים", + "Empty filename is not allowed" : "שם קובץ ריק אינו מאושר", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "יישום \"%s\" לא ניתן להתקנה כיוון שקובץ appinfo לא ניתן לקריאה.", + "Help" : "עזרה", + "Apps" : "יישומים", + "Settings" : "הגדרות", + "Log out" : "התנתק", + "Users" : "משתמשים", + "Unknown user" : "משתמש לא ידוע", + "Sharing" : "שיתוף", + "Tips & tricks" : "טיפים וטריקים", + "__language_name__" : "עברית", + "%s enter the database username and name." : "%s יש להכניס את שם המשתמש ושם מסד הנתונים.", + "%s enter the database username." : "%s נכנס למסד נתוני שמות המשתמשים.", + "%s enter the database name." : "%s נכנס למסד נתוני השמות.", + "%s you may not use dots in the database name" : "%s לא ניתן להשתמש בנקודות בשם מסד הנתונים", + "Oracle connection could not be established" : "לא ניתן היה ליצור חיבור Oracle", + "Oracle username and/or password not valid" : "שם משתמש ו/או סיסמת Oracle אינם תקפים", + "PostgreSQL username and/or password not valid" : "שם משתמש ו/או סיסמת PostgreSQL אינם תקפים", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X אינו נתמך ו- %s לא יעבוד כשורה בפלטפורמה זו. ניתן לקחת סיכון ולהשתמש באחריותך! ", + "For the best results, please consider using a GNU/Linux server instead." : "לתוצאות הכי טובות, יש לשקול שימוש בשרת GNU/Linux במקום.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "נראה ש- %s עובד על בסיס סביבת 32-bit PHP ושה- open_basedir הוגדר בקובץ php.ini. מצב זה יוביל לבעיות עם קבצים הגדולים מ- 4 GB ואינו מומלץ לחלוטין.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "יש להסיר את הגדרת open_basedir מתוך קובץ php.ini או להחליף לסביבת 64-bit PHP.", + "Set an admin username." : "קביעת שם משתמש מנהל", + "Set an admin password." : "קביעת סיסמת מנהל", + "Can't create or write into the data directory %s" : "לא ניתן ליצור או לכתוב לתוך תיקיית הנתונים %s", + "Invalid Federated Cloud ID" : "זיהוי ענן מאוגד לא חוקי", + "Sharing %s failed, because the backend does not allow shares from type %i" : "השיתוף %s נכשל, כיוון שהצד האחורי אינו מאפשר שיתופים מסוג %i", + "Sharing %s failed, because the file does not exist" : "השיתוף %s נכשל, כיוון שהקובץ אינו קיים", + "You are not allowed to share %s" : "אינך רשאי/ת לשתף %s", + "Sharing %s failed, because you can not share with yourself" : "השיתוף %s נכשל, כיוון שלא ניתן לשתף עם עצמך", + "Sharing %s failed, because the user %s does not exist" : "השיתוף %s נכשל, כיוון שהמשתמש %s אינו קיים", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "השיתוף %s נכשל, כיוון שהמשתמש %s אינו חבר בקבוצות ש- %s חבר ב-", + "Sharing %s failed, because this item is already shared with %s" : "שיתוף %s נכשל, כיוון שפריט זה כבר משותף עם %s", + "Sharing %s failed, because this item is already shared with user %s" : "השיתוף %s נכשל, כיוון שהפריט כבר משותף עם משתמש %s", + "Sharing %s failed, because the group %s does not exist" : "השיתוף %s נכשל, כיוון שהקבוצה %s אינה קיימת", + "Sharing %s failed, because %s is not a member of the group %s" : "השיתוף %s נכשל, כיוון ש- %s אינו חבר בקבוצה %s", + "You need to provide a password to create a public link, only protected links are allowed" : "יש לספק סיסמא ליצירת קישור ציבורי, רק קישורים מוגנים מותרים", + "Sharing %s failed, because sharing with links is not allowed" : "השיתוף %s נכשל, כיוון ששיתוף עם קישור אינו מותר", + "Not allowed to create a federated share with the same user" : "אסור ליצור שיתוף מאוגד עם אותו משתמש", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "שיתוף %s נכשל, לא ניתן לאתר %s, ייתכן שהשרת לא ניתן להשגה כרגע.", + "Share type %s is not valid for %s" : "שיתוף מסוג %s אינו תקף ל- %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "לא ניתן לקבוע תאריך תפוגה. שיתופים אינם יכולים לפוג תוקף מאוחר יותר מ- %s לאחר ששותפו", + "Cannot set expiration date. Expiration date is in the past" : "לא ניתן לקבוע תאריך תפוגה. תאריך התפוגה הנו בעבר", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "צד אחורי לשיתוף %s חייב ליישם את ממשק OCP\\Share_Backend", + "Sharing backend %s not found" : "צד אחורי לשיתוף %s לא נמצא", + "Sharing backend for %s not found" : "צד אחורי לשיתוף של %s לא נמצא", + "Sharing failed, because the user %s is the original sharer" : "שיתוף נכשל, כיוון שמשתמש %s הנו המשתף המקורי", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "השיתוף %s נכשל, כיוון שההרשאות עלו על ההרשאות שניתנו ל- %s", + "Sharing %s failed, because resharing is not allowed" : "השיתוף %s נכשל, כיוון ששיתוף מחודש אסור", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "השיתוף %s נכשל, כיוון שבצד אחורי לשיתוף עבור %s לא ניתן היה לאתר את מקורו", + "Sharing %s failed, because the file could not be found in the file cache" : "השיתוף %s נכשל, כייון שלא ניתן היה למצוא את הקובץ בזכרון המטמון", + "Expiration date is in the past" : "תאריך תפוגה הנו בעבר", + "%s shared »%s« with you" : "%s שיתף/שיתפה איתך את »%s«", + "%s via %s" : "%s על בסיס %s", + "Could not find category \"%s\"" : "לא ניתן למצוא את הקטגוריה „%s“", + "Sunday" : "יום ראשון", + "Monday" : "יום שני", + "Tuesday" : "יום שלישי", + "Wednesday" : "יום רביעי", + "Thursday" : "יום חמישי", + "Friday" : "יום שישי", + "Saturday" : "שבת", + "Sun." : "ראשון", + "Mon." : "שני", + "Tue." : "שלישי", + "Wed." : "רביעי", + "Thu." : "חמישי", + "Fri." : "שישי", + "Sat." : "שבת", + "Su" : "א", + "Mo" : "ב", + "Tu" : "ג", + "We" : "ד", + "Th" : "ה", + "Fr" : "ו", + "Sa" : "ש", + "January" : "ינואר", + "February" : "פברואר", + "March" : "מרץ", + "April" : "אפריל", + "May" : "מאי", + "June" : "יוני", + "July" : "יולי", + "August" : "אוגוסט", + "September" : "ספטמבר", + "October" : "אוקטובר", + "November" : "נובמבר", + "December" : "דצמבר", + "Jan." : "ינו׳", + "Feb." : "פבר׳", + "Mar." : "מרץ", + "Apr." : "אפר׳", + "May." : "מאי", + "Jun." : "יונ׳", + "Jul." : "יול׳", + "Aug." : "אוג׳", + "Sep." : "ספט׳", + "Oct." : "אוק׳", + "Nov." : "נוב׳", + "Dec." : "דצמ׳", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "רק התווים הבאים מאושרים לשם משתמש: \"a-z\", \"A-Z\", \"0-9\", וגם \"_.@-'\"", + "A valid username must be provided" : "יש לספק שם משתמש תקני", + "Username contains whitespace at the beginning or at the end" : "שם המשתמש מכיל רווח בתחילתו או בסופו", + "A valid password must be provided" : "יש לספק ססמה תקנית", + "The username is already being used" : "השם משתמש כבר בשימוש", + "User disabled" : "משתמש מנוטרל", + "Login canceled by app" : "התחברות בוטלה על ידי יישום", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "היישום \"%s\" לא ניתן להתקנה כיוון שיחסי התלות הבאים אינם מתקיימים: %s", + "a safe home for all your data" : "בית בטוח עבור כל המידע שלך", + "File is currently busy, please try again later" : "הקובץ בשימוש כרגע, יש לנסות שוב מאוחר יותר", + "Can't read file" : "לא ניתן לקרוא קובץ", + "Application is not enabled" : "יישומים אינם מופעלים", + "Authentication error" : "שגיאת הזדהות", + "Token expired. Please reload page." : "פג תוקף. נא לטעון שוב את הדף.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "לא מותקנים דרייברים למסד הנתונים (sqlite, mysql, או postgresql).", + "Cannot write into \"config\" directory" : "לא ניתן לכתוב לתיקיית \"config\"!", + "Cannot write into \"apps\" directory" : "לא ניתן לכתוב לתיקיית \"apps\"", + "Setting locale to %s failed" : "הגדרת שפה ל- %s נכשלה", + "Please install one of these locales on your system and restart your webserver." : "יש להתקין אחת מהשפות על המערכת שלך ולהפעיל מחדש את שרת האינטרנט.", + "Please ask your server administrator to install the module." : "יש לבקש ממנהל השרת שלך להתקין את המודול.", + "PHP module %s not installed." : "מודול PHP %s אינו מותקן.", + "PHP setting \"%s\" is not set to \"%s\"." : "הגדרות PHP \"%s\" אינם מוגדרות ל- \"%s\"", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload מוגדר ל- \"%s\" במקום הערך המצופה \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "לתיקון בעיה זו יש להגדיר mbstring.func_overload כ- 0 iבקובץ ה- php.ini שלך", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "libxml2 2.7.0 נדרש לכל הפחות. כרגע %s מותקן.", + "To fix this issue update your libxml2 version and restart your web server." : "לתיקון הבעיה יש לעדכן את גרסת ה- libxml2 שלך ולהפעיל מחדש את שרת האינטרנט שלך.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP ככל הנראה מוגדר ל- strip inline doc blocks. זה יגרום למספר יישומי ליבה לא להיות נגישים.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "זה ככל הנראה נגרם על ידי מאיץ/מטמון כמו Zend OPcache או eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "מודולי PHP הותקנו, אך עדיין רשומים כחסרים?", + "Please ask your server administrator to restart the web server." : "יש לבקש ממנהל השרת שלך להפעיל מחדש את שרת האינטרנט.", + "PostgreSQL >= 9 required" : "נדרש PostgreSQL >= 9", + "Please upgrade your database version" : "יש לשדרג את גרסת מסד הנתונים שלך", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "יש לשנות את ההרשאות ל- 0770 כך שהתיקייה לא תרשם על ידי משתמשים אחרים.", + "Check the value of \"datadirectory\" in your configuration" : "יש לבדוק את הערך \"datadirectory\" בהגדרות התצורה שלך", + "Could not obtain lock type %d on \"%s\"." : "לא ניתן היה להשיג סוג נעילה %d ב- \"%s\".", + "Storage unauthorized. %s" : "אחסון לא מורשה. %s", + "Storage incomplete configuration. %s" : "תצורה לא מושלמת של האחסון. %s", + "Storage connection error. %s" : "שגיאת חיבור אחסון. %s", + "Storage connection timeout. %s" : "פסק זמן חיבור אחסון. %s" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/hr.js b/lib/l10n/hr.js new file mode 100644 index 0000000000000..d47fb84c5c06e --- /dev/null +++ b/lib/l10n/hr.js @@ -0,0 +1,82 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Pisanje u \"config\" direktoriju nije moguće!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Ovo se obično može popraviti tako da se Web poslužitelju dopusti pristup za pisanje u config direktoriju", + "See %s" : "Vidite %s", + "Sample configuration detected" : "Nađena ogledna konfiguracija", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Otkriveno je da je ogledna konfiguracija kopirana. To može vašu instalaciju prekinuti i nije podržano.Molimo pročitajte dokumentaciju prije nego li izvršite promjene na config.php", + "PHP %s or higher is required." : "PHP verzija treba biti %s ili viša.", + "PHP with a version lower than %s is required." : "PHP sa verzijom manjom od %s je potrebna.", + "Following databases are supported: %s" : "Sljedece baza podataka je podrzana: %s", + "The library %s is not available." : "Knjiznica %s nije dostupna.", + "Following platforms are supported: %s" : "Sljedece platforme su podrzane: %s", + "Unknown filetype" : "Vrsta datoteke nepoznata", + "Invalid image" : "Neispravna slika", + "today" : "Danas", + "yesterday" : "Jučer", + "last month" : "Prošli mjesec", + "_%n month ago_::_%n months ago_" : ["prije %n mjeseca","prije %n mjeseci","prije %n mjeseci"], + "last year" : "Prošle godine", + "_%n hour ago_::_%n hours ago_" : ["prije %n sata","prije %n sati","prije %n sati"], + "_%n minute ago_::_%n minutes ago_" : ["prije %n minute","prije %n minuta","prije %n minuta"], + "seconds ago" : "prije par sekundi", + "Apps" : "Aplikacije", + "Users" : "Korisnici", + "Unknown user" : "Korisnik nepoznat", + "__language_name__" : "Hrvatski", + "%s enter the database username." : "%s unesite naziva korisnika baze podataka.", + "%s enter the database name." : "%s unesite naziv baze podataka", + "%s you may not use dots in the database name" : "%s ne smijete koristiti točke u nazivu baze podataka", + "Oracle connection could not be established" : "Vezu Oracle nije moguće uspostaviti", + "Oracle username and/or password not valid" : "Korisničko ime i/ili lozinka Oracle neispravni", + "PostgreSQL username and/or password not valid" : "Korisničko ime i/ili lozinka PostgreSQL neispravni", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nije podržan i %s na ovoj platformi neće raditi kako treba.", + "For the best results, please consider using a GNU/Linux server instead." : "Za najbolje rezultate, molimo razmotrite mogućnost korištenje poslužitelja GNU/Linux.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Molimo uklonite postavke za open_basedir setting iz datoteke php.ini ili se prebacite na 64-bitni PHP.", + "Set an admin username." : "Navedite admin korisničko ime.", + "Set an admin password." : "Navedite admin lozinku.", + "Can't create or write into the data directory %s" : "Ne moze se kreirati ili napisati u imenik podataka %s", + "Sharing %s failed, because the file does not exist" : "Dijeljenje %s nije uspjelo jer ta datoteka ne postoji", + "You are not allowed to share %s" : "Nije vam dopušteno dijeliti %s", + "Sharing %s failed, because the user %s does not exist" : "Dijeljenje %s nije uspjelo jer korisnik %s ne postoji", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Dijeljenje %s nije uspjelo jer korisnik %s nije član niti jedne grupe u kojoj je %s član", + "Sharing %s failed, because this item is already shared with %s" : "Dijeljenje %s nije uspjelo jer je ova stavka već podijeljena s %s", + "Sharing %s failed, because the group %s does not exist" : "Dijeljenje %s nije uspjelo jer grupa %s ne postoji", + "Sharing %s failed, because %s is not a member of the group %s" : "Dijeljenje %s nije uspjelo jer %s nije član grupe %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Da biste kreirali javnu vezu, morate navesti lozinku, samo zaštićene veze su dopuštene.", + "Sharing %s failed, because sharing with links is not allowed" : "Dijeljenje %s nije uspjelo jer dijeljenje s vezama nije dopušteno.", + "Share type %s is not valid for %s" : "Tip dijeljenja %s nije dopušteni tip za %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Nije moguće postaviti datum isteka. Nakon što su podijeljeni, resursi ne mogu isteći kasnije nego %s ", + "Cannot set expiration date. Expiration date is in the past" : "Nije moguće postaviti datum isteka. Datum isteka je u prošlosti", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Dijeljenje pozadine %s mora implementirati sučelje OCP\\Share_Backend", + "Sharing backend %s not found" : "Dijeljenje pozadine %s nije nađeno", + "Sharing backend for %s not found" : "Dijeljenje pozadine za %s nije nađeno", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Dijeljenje %s nije uspjelo jer dozvole premašuju dozvole za koje %s ima odobrenje.", + "Sharing %s failed, because resharing is not allowed" : "Dijeljenje %s nije uspjelo jer ponovno dijeljenje nije dopušteno.", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Dijeljenje %s nije uspjelo jer pozadina za %s nije mogla pronaći svoj izvor", + "Sharing %s failed, because the file could not be found in the file cache" : "Dijeljenje %s nije uspjelo jer u predmemoriji datoteke datoteka nije nađena.", + "%s shared »%s« with you" : "%s je s vama podijelio »%s«", + "Could not find category \"%s\"" : "Kategorija \"%s\" nije nađena", + "A valid username must be provided" : "Nužno je navesti ispravno korisničko ime", + "A valid password must be provided" : "Nužno je navesti ispravnu lozinku", + "The username is already being used" : "Korisničko ime se već koristi", + "Application is not enabled" : "Aplikacija nije aktivirana", + "Authentication error" : "Pogrešna autentikacija", + "Token expired. Please reload page." : "Token je istekao. Molimo, ponovno učitajte stranicu.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Pogonski programi baze podataka (sqlite, mysql, ili postgresql) nisu instalirani.", + "Cannot write into \"config\" directory" : "Nije moguće zapisivati u \"config\" direktorij", + "Cannot write into \"apps\" directory" : "Nije moguće zapisivati u \"apps\" direktorij", + "Setting locale to %s failed" : "Postavljanje regionalne sheme u %s nije uspjelo", + "Please install one of these locales on your system and restart your webserver." : "Molimo instalirajte jednu od ovih regionalnih shema u svoj sustav i ponovno pokrenite svoj web poslužitelj.", + "Please ask your server administrator to install the module." : "Molimo zamolite svog administratora poslužitelja da instalira modul.", + "PHP module %s not installed." : "PHP modul %s nije instaliran.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemoriranja kao što je Zend OPcache ilieAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP moduli su instalirani, ali još uvijek su na popisu onih koji nedostaju?", + "Please ask your server administrator to restart the web server." : "Molimo zamolite svog administratora poslužitelja da ponovno pokrene web poslužitelj.", + "PostgreSQL >= 9 required" : "Potreban je PostgreSQL >= 9", + "Please upgrade your database version" : "Molimo, ažurirajte svoju verziju baze podataka", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Molimo promijenite dozvole na 0770 tako da se tim direktorijem ne mogu služiti drugi korisnici", + "Could not obtain lock type %d on \"%s\"." : "Nije moguće dobiti lock tip %d na \"%s\"." +}, +"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); diff --git a/lib/l10n/hr.json b/lib/l10n/hr.json new file mode 100644 index 0000000000000..75d552fbc83c2 --- /dev/null +++ b/lib/l10n/hr.json @@ -0,0 +1,80 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Pisanje u \"config\" direktoriju nije moguće!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Ovo se obično može popraviti tako da se Web poslužitelju dopusti pristup za pisanje u config direktoriju", + "See %s" : "Vidite %s", + "Sample configuration detected" : "Nađena ogledna konfiguracija", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Otkriveno je da je ogledna konfiguracija kopirana. To može vašu instalaciju prekinuti i nije podržano.Molimo pročitajte dokumentaciju prije nego li izvršite promjene na config.php", + "PHP %s or higher is required." : "PHP verzija treba biti %s ili viša.", + "PHP with a version lower than %s is required." : "PHP sa verzijom manjom od %s je potrebna.", + "Following databases are supported: %s" : "Sljedece baza podataka je podrzana: %s", + "The library %s is not available." : "Knjiznica %s nije dostupna.", + "Following platforms are supported: %s" : "Sljedece platforme su podrzane: %s", + "Unknown filetype" : "Vrsta datoteke nepoznata", + "Invalid image" : "Neispravna slika", + "today" : "Danas", + "yesterday" : "Jučer", + "last month" : "Prošli mjesec", + "_%n month ago_::_%n months ago_" : ["prije %n mjeseca","prije %n mjeseci","prije %n mjeseci"], + "last year" : "Prošle godine", + "_%n hour ago_::_%n hours ago_" : ["prije %n sata","prije %n sati","prije %n sati"], + "_%n minute ago_::_%n minutes ago_" : ["prije %n minute","prije %n minuta","prije %n minuta"], + "seconds ago" : "prije par sekundi", + "Apps" : "Aplikacije", + "Users" : "Korisnici", + "Unknown user" : "Korisnik nepoznat", + "__language_name__" : "Hrvatski", + "%s enter the database username." : "%s unesite naziva korisnika baze podataka.", + "%s enter the database name." : "%s unesite naziv baze podataka", + "%s you may not use dots in the database name" : "%s ne smijete koristiti točke u nazivu baze podataka", + "Oracle connection could not be established" : "Vezu Oracle nije moguće uspostaviti", + "Oracle username and/or password not valid" : "Korisničko ime i/ili lozinka Oracle neispravni", + "PostgreSQL username and/or password not valid" : "Korisničko ime i/ili lozinka PostgreSQL neispravni", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nije podržan i %s na ovoj platformi neće raditi kako treba.", + "For the best results, please consider using a GNU/Linux server instead." : "Za najbolje rezultate, molimo razmotrite mogućnost korištenje poslužitelja GNU/Linux.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Molimo uklonite postavke za open_basedir setting iz datoteke php.ini ili se prebacite na 64-bitni PHP.", + "Set an admin username." : "Navedite admin korisničko ime.", + "Set an admin password." : "Navedite admin lozinku.", + "Can't create or write into the data directory %s" : "Ne moze se kreirati ili napisati u imenik podataka %s", + "Sharing %s failed, because the file does not exist" : "Dijeljenje %s nije uspjelo jer ta datoteka ne postoji", + "You are not allowed to share %s" : "Nije vam dopušteno dijeliti %s", + "Sharing %s failed, because the user %s does not exist" : "Dijeljenje %s nije uspjelo jer korisnik %s ne postoji", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Dijeljenje %s nije uspjelo jer korisnik %s nije član niti jedne grupe u kojoj je %s član", + "Sharing %s failed, because this item is already shared with %s" : "Dijeljenje %s nije uspjelo jer je ova stavka već podijeljena s %s", + "Sharing %s failed, because the group %s does not exist" : "Dijeljenje %s nije uspjelo jer grupa %s ne postoji", + "Sharing %s failed, because %s is not a member of the group %s" : "Dijeljenje %s nije uspjelo jer %s nije član grupe %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Da biste kreirali javnu vezu, morate navesti lozinku, samo zaštićene veze su dopuštene.", + "Sharing %s failed, because sharing with links is not allowed" : "Dijeljenje %s nije uspjelo jer dijeljenje s vezama nije dopušteno.", + "Share type %s is not valid for %s" : "Tip dijeljenja %s nije dopušteni tip za %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Nije moguće postaviti datum isteka. Nakon što su podijeljeni, resursi ne mogu isteći kasnije nego %s ", + "Cannot set expiration date. Expiration date is in the past" : "Nije moguće postaviti datum isteka. Datum isteka je u prošlosti", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Dijeljenje pozadine %s mora implementirati sučelje OCP\\Share_Backend", + "Sharing backend %s not found" : "Dijeljenje pozadine %s nije nađeno", + "Sharing backend for %s not found" : "Dijeljenje pozadine za %s nije nađeno", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Dijeljenje %s nije uspjelo jer dozvole premašuju dozvole za koje %s ima odobrenje.", + "Sharing %s failed, because resharing is not allowed" : "Dijeljenje %s nije uspjelo jer ponovno dijeljenje nije dopušteno.", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Dijeljenje %s nije uspjelo jer pozadina za %s nije mogla pronaći svoj izvor", + "Sharing %s failed, because the file could not be found in the file cache" : "Dijeljenje %s nije uspjelo jer u predmemoriji datoteke datoteka nije nađena.", + "%s shared »%s« with you" : "%s je s vama podijelio »%s«", + "Could not find category \"%s\"" : "Kategorija \"%s\" nije nađena", + "A valid username must be provided" : "Nužno je navesti ispravno korisničko ime", + "A valid password must be provided" : "Nužno je navesti ispravnu lozinku", + "The username is already being used" : "Korisničko ime se već koristi", + "Application is not enabled" : "Aplikacija nije aktivirana", + "Authentication error" : "Pogrešna autentikacija", + "Token expired. Please reload page." : "Token je istekao. Molimo, ponovno učitajte stranicu.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Pogonski programi baze podataka (sqlite, mysql, ili postgresql) nisu instalirani.", + "Cannot write into \"config\" directory" : "Nije moguće zapisivati u \"config\" direktorij", + "Cannot write into \"apps\" directory" : "Nije moguće zapisivati u \"apps\" direktorij", + "Setting locale to %s failed" : "Postavljanje regionalne sheme u %s nije uspjelo", + "Please install one of these locales on your system and restart your webserver." : "Molimo instalirajte jednu od ovih regionalnih shema u svoj sustav i ponovno pokrenite svoj web poslužitelj.", + "Please ask your server administrator to install the module." : "Molimo zamolite svog administratora poslužitelja da instalira modul.", + "PHP module %s not installed." : "PHP modul %s nije instaliran.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemoriranja kao što je Zend OPcache ilieAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP moduli su instalirani, ali još uvijek su na popisu onih koji nedostaju?", + "Please ask your server administrator to restart the web server." : "Molimo zamolite svog administratora poslužitelja da ponovno pokrene web poslužitelj.", + "PostgreSQL >= 9 required" : "Potreban je PostgreSQL >= 9", + "Please upgrade your database version" : "Molimo, ažurirajte svoju verziju baze podataka", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Molimo promijenite dozvole na 0770 tako da se tim direktorijem ne mogu služiti drugi korisnici", + "Could not obtain lock type %d on \"%s\"." : "Nije moguće dobiti lock tip %d na \"%s\"." +},"pluralForm" :"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;" +} \ No newline at end of file diff --git a/lib/l10n/hy.js b/lib/l10n/hy.js new file mode 100644 index 0000000000000..e23c4d99ad658 --- /dev/null +++ b/lib/l10n/hy.js @@ -0,0 +1,9 @@ +OC.L10N.register( + "lib", + { + "today" : "այսօր", + "seconds ago" : "վրկ. առաջ", + "File name contains at least one invalid character" : "Ֆայլի անունը առնվազն մի անվավեր նիշ է պարունակում", + "__language_name__" : "Հայերեն" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/hy.json b/lib/l10n/hy.json new file mode 100644 index 0000000000000..5d34089f62f54 --- /dev/null +++ b/lib/l10n/hy.json @@ -0,0 +1,7 @@ +{ "translations": { + "today" : "այսօր", + "seconds ago" : "վրկ. առաջ", + "File name contains at least one invalid character" : "Ֆայլի անունը առնվազն մի անվավեր նիշ է պարունակում", + "__language_name__" : "Հայերեն" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/id.js b/lib/l10n/id.js new file mode 100644 index 0000000000000..1a911c157cde3 --- /dev/null +++ b/lib/l10n/id.js @@ -0,0 +1,130 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Tidak dapat menulis kedalam direktori \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Hal ini biasanya dapat diperbaiki dengan memberikan akses tulis bagi situs web ke direktori config", + "See %s" : "Lihat %s", + "Sample configuration detected" : "Konfigurasi sampel ditemukan", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Ditemukan bahwa konfigurasi sampel telah disalin. Hal ini dapat merusak instalasi Anda dan tidak didukung. Silahkan baca dokumentasi sebelum melakukan perubahan pada config.php", + "PHP %s or higher is required." : "Diperlukan PHP %s atau yang lebih tinggi.", + "PHP with a version lower than %s is required." : "Diperlukan PHP dengan versi yang lebh rendah dari %s.", + "%sbit or higher PHP required." : "PHP %sbit atau yang lebih tinggi diperlukan.", + "Following databases are supported: %s" : "Berikut adalah basis data yang didukung: %s", + "The command line tool %s could not be found" : "Alat baris perintah %s tidak ditemukan", + "The library %s is not available." : "Pustaka %s tidak tersedia.", + "Library %s with a version higher than %s is required - available version %s." : "Diperlukan pustaka %s dengan versi yang lebih tinggi dari %s - versi yang tersedia %s.", + "Library %s with a version lower than %s is required - available version %s." : "Diperlukan pustaka %s dengan versi yang lebih rendah dari %s - versi yang tersedia %s.", + "Following platforms are supported: %s" : "Berikut adalah platform yang didukung: %s", + "Server version %s or higher is required." : "Server versi %s atau yang lebih tinggi diperlukan.", + "Server version %s or lower is required." : "Server versi %s atau yang lebih rendah diperlukan.", + "Unknown filetype" : "Tipe berkas tak dikenal", + "Invalid image" : "Gambar tidak sah", + "today" : "hari ini", + "yesterday" : "kemarin", + "_%n day ago_::_%n days ago_" : ["%n hari yang lalu"], + "last month" : "bulan kemarin", + "_%n month ago_::_%n months ago_" : ["%n bulan yang lalu"], + "last year" : "tahun kemarin", + "_%n year ago_::_%n years ago_" : ["%n tahun yang lalu"], + "_%n hour ago_::_%n hours ago_" : ["%n jam yang lalu"], + "_%n minute ago_::_%n minutes ago_" : ["%n menit yang lalu"], + "seconds ago" : "beberapa detik yang lalu", + "File name is a reserved word" : "Nama berkas merupakan kata yang disediakan", + "File name contains at least one invalid character" : "Nama berkas berisi setidaknya satu karakter yang tidak sah.", + "File name is too long" : "Nama berkas terlalu panjang", + "Dot files are not allowed" : "Berkas titik tidak diperbolehkan", + "Empty filename is not allowed" : "Nama berkas kosong tidak diperbolehkan", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "Aplikasi \"%s\" tidak dapat dipasang karena berkas appinfo tidak dapat dibaca.", + "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "Aplikasi \"%s\" tidak dapat dipasang karena tidak kompatibel dengan versi server ini", + "Help" : "Bantuan", + "Apps" : "aplikasi", + "Log out" : "Keluar", + "Users" : "Pengguna", + "Unknown user" : "Pengguna tidak dikenal", + "__language_name__" : "Bahasa Indonesia", + "%s enter the database username and name." : "%s masukkan nama pengguna database dan nama database.", + "%s enter the database username." : "%s masukkan nama pengguna basis data.", + "%s enter the database name." : "%s masukkan nama basis data.", + "%s you may not use dots in the database name" : "%s anda tidak boleh menggunakan karakter titik pada nama basis data", + "Oracle connection could not be established" : "Koneksi Oracle tidak dapat dibuat", + "Oracle username and/or password not valid" : "Nama pengguna dan/atau kata sandi Oracle tidak sah", + "PostgreSQL username and/or password not valid" : "Nama pengguna dan/atau kata sandi PostgreSQL tidak valid", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X tidak didukung dan %s tidak akan bekerja dengan baik pada platform ini. Gunakan dengan resiko Anda sendiri!", + "For the best results, please consider using a GNU/Linux server instead." : "Untuk hasil terbaik, pertimbangkan untuk menggunakan server GNU/Linux sebagai gantinya. ", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Kelihatannya instansi %s ini berjalan di lingkungan PHP 32-bit dan open_basedir telah dikonfigurasi di php.ini. Hal ini akan menyebabkan masalah dengan berkas lebih dari 4 GB dan sangat tidak disarankan.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Mohon hapus pengaturan open_basedir didalam php.ini atau beralih ke PHP 64-bit.", + "Set an admin username." : "Tetapkan nama pengguna admin.", + "Set an admin password." : "Tetapkan kata sandi admin.", + "Can't create or write into the data directory %s" : "Tidak dapat membuat atau menulis kedalam direktori data %s", + "Invalid Federated Cloud ID" : "Federated Cloud ID tidak sah", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Gagal berbagi %s, karena backend tidak mengizinkan berbagi dengan tipe %i", + "Sharing %s failed, because the file does not exist" : "Gagal membagikan %s, karena berkas tidak ada", + "You are not allowed to share %s" : "Anda tidak diizinkan untuk membagikan %s", + "Sharing %s failed, because you can not share with yourself" : "Berbagi %s gagal, karena Anda tidak dapat berbagi dengan diri sendiri", + "Sharing %s failed, because the user %s does not exist" : "Gagal membagikan %s, karena pengguna %s tidak ada", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Gagal membagikan %s, karena pengguna %s bukan merupakan anggota dari grup yang %s ikuti", + "Sharing %s failed, because this item is already shared with %s" : "Gagal membagkan %s, karena item ini sudah dibagikan dengan %s", + "Sharing %s failed, because this item is already shared with user %s" : "Berbagi %s gagal karena item ini sudah dibagikan dengan pengguna %s", + "Sharing %s failed, because the group %s does not exist" : "Gagal membagikan %s, karena grup %s tidak ada", + "Sharing %s failed, because %s is not a member of the group %s" : "Gagal membagikan %s, karena %s bukan anggota dari grup %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Anda perlu memberikan kata sandi untuk membuat tautan publik, hanya tautan yang terlindungi yang diizinkan", + "Sharing %s failed, because sharing with links is not allowed" : "Gagal membagikan %s, karena berbag dengan tautan tidak diizinkan", + "Not allowed to create a federated share with the same user" : "Tidak diizinkan membuat pembagian terfederasi dengan pengguna yang sama", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Berbagi %s gagal, tidak menemukan %s, kemungkinan saat ini server tidak dapat dijangkau.", + "Share type %s is not valid for %s" : "Barbagi tipe %s tidak sah untuk %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Tidak dapat menyetel tanggal kadaluarsa. Pembagian tidak dapat kadaluarsa lebih lambat dari %s setelah mereka dibagikan.", + "Cannot set expiration date. Expiration date is in the past" : "Tidak dapat menyetel tanggal kadaluarsa. Tanggal kadaluarsa dimasa lalu", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Backend berbagi %s harus mengimplementasi antarmuka OCP\\Share_Backend", + "Sharing backend %s not found" : "Backend berbagi %s tidak ditemukan", + "Sharing backend for %s not found" : "Backend berbagi untuk %s tidak ditemukan", + "Sharing failed, because the user %s is the original sharer" : "Berbagi gagal, karena pengguna %s adalah pembagi awal", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Gagal membagikan %s, karena izin melebihi izin yang diberikan untuk %s", + "Sharing %s failed, because resharing is not allowed" : "Gagal berbagi %s, karena membagikan ulang tidak diizinkan", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Berbagi %s gagal, karena backend berbagi untuk %s tidak menemukan sumbernya", + "Sharing %s failed, because the file could not be found in the file cache" : "Gagal berbagi %s, karena berkas tidak ditemukan di berkas cache", + "Expiration date is in the past" : "Tanggal kedaluwarsa sudah lewat", + "%s shared »%s« with you" : "%s membagikan »%s« dengan anda", + "%s via %s" : "%s melalui %s", + "Could not find category \"%s\"" : "Tidak menemukan kategori \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Hanya karakter ini yang diizinkan dalam nama pengguna: \"a-z\", \"A-Z\", \"0-9\", dan \"_.@-'\"", + "A valid username must be provided" : "Tuliskan nama pengguna yang valid", + "Username contains whitespace at the beginning or at the end" : "Nama pengguna mengandung spasi di depan atau di belakang.", + "A valid password must be provided" : "Tuliskan kata sandi yang valid", + "The username is already being used" : "Nama pengguna ini telah digunakan", + "User disabled" : "Pengguna dinonaktifkan", + "Login canceled by app" : "Log masuk dibatalkan oleh aplikasi", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "aplikasi \"%s\" tidak dapat dipasang karena dependensi berikut belum terpenuhi: %s", + "a safe home for all your data" : "rumah yang aman untuk semua datamu", + "File is currently busy, please try again later" : "Berkas sedang sibuk, mohon coba lagi nanti", + "Can't read file" : "Tidak dapat membaca berkas", + "Application is not enabled" : "aplikasi tidak diaktifkan", + "Authentication error" : "Galat saat otentikasi", + "Token expired. Please reload page." : "Token sudah kedaluwarsa. Silakan muat ulang halaman.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Tidak ada driver (sqlite, mysql, or postgresql) yang terinstal.", + "Cannot write into \"config\" directory" : "Tidak dapat menulis kedalam direktori \"config\"", + "Cannot write into \"apps\" directory" : "Tidak dapat menulis kedalam direktori \"apps\"", + "Setting locale to %s failed" : "Pengaturan lokal ke %s gagal", + "Please install one of these locales on your system and restart your webserver." : "Mohon instal paling tidak satu lokal pada sistem Anda dan jalankan ulang server web.", + "Please ask your server administrator to install the module." : "Mohon tanyakan administrator Anda untuk menginstal module.", + "PHP module %s not installed." : "Module PHP %s tidak terinstal.", + "PHP setting \"%s\" is not set to \"%s\"." : "Pengaturan PHP \"%s\" tidak diatur ke \"%s\".", + "Adjusting this setting in php.ini will make Nextcloud run again" : "Menyesuaikan pengaturan ini di php.ini akan membuat Nextcloud berjalan kembali", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload diatur menjadi \"%s\" bukan nilai yang diharapkan \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Untuk memperbaiki masalah ini, atur mbstring.func_overload menjadi 0 pada berkas php.ini Anda", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "Setidaknya libxml2 2.7.0 dibutuhkan. Saat ini %s dipasang.", + "To fix this issue update your libxml2 version and restart your web server." : "Untuk mengatasi masalah ini, perbarui versi libxml2 Anda dan mulai-ulang server web Anda.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "Tampaknya PHP diatur untuk memotong inline doc blocks. Hal ini akan menyebabkan beberapa aplikasi inti menjadi tidak dapat diakses.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hal ini kemungkinan disebabkan oleh cache/akselerator seperti Zend OPcache atau eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Modul PHP telah terinstal, tetapi mereka terlihat tidak ada?", + "Please ask your server administrator to restart the web server." : "Mohon minta administrator Anda untuk menjalankan ulang server web.", + "PostgreSQL >= 9 required" : "Diperlukan PostgreSQL >= 9", + "Please upgrade your database version" : "Mohon perbarui versi basis data Anda", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Mohon ubah perizinan menjadi 0770 sehingga direktori tersebut tidak dapat dilihat oleh pengguna lain.", + "Check the value of \"datadirectory\" in your configuration" : "Periksa nilai \"datadirectory\" di konfigurasi Anda", + "Could not obtain lock type %d on \"%s\"." : "Tidak bisa memperoleh jenis kunci %d pada \"%s\".", + "Storage unauthorized. %s" : "Penyimpanan tidak terotorisasi. %s", + "Storage incomplete configuration. %s" : "Konfigurasi penyimpanan tidak terselesaikan. %s", + "Storage connection error. %s" : "Koneksi penyimpanan bermasalah. %s", + "Storage connection timeout. %s" : "Koneksi penyimpanan waktu-habis. %s" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/id.json b/lib/l10n/id.json new file mode 100644 index 0000000000000..3b3c4af9c373f --- /dev/null +++ b/lib/l10n/id.json @@ -0,0 +1,128 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Tidak dapat menulis kedalam direktori \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Hal ini biasanya dapat diperbaiki dengan memberikan akses tulis bagi situs web ke direktori config", + "See %s" : "Lihat %s", + "Sample configuration detected" : "Konfigurasi sampel ditemukan", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Ditemukan bahwa konfigurasi sampel telah disalin. Hal ini dapat merusak instalasi Anda dan tidak didukung. Silahkan baca dokumentasi sebelum melakukan perubahan pada config.php", + "PHP %s or higher is required." : "Diperlukan PHP %s atau yang lebih tinggi.", + "PHP with a version lower than %s is required." : "Diperlukan PHP dengan versi yang lebh rendah dari %s.", + "%sbit or higher PHP required." : "PHP %sbit atau yang lebih tinggi diperlukan.", + "Following databases are supported: %s" : "Berikut adalah basis data yang didukung: %s", + "The command line tool %s could not be found" : "Alat baris perintah %s tidak ditemukan", + "The library %s is not available." : "Pustaka %s tidak tersedia.", + "Library %s with a version higher than %s is required - available version %s." : "Diperlukan pustaka %s dengan versi yang lebih tinggi dari %s - versi yang tersedia %s.", + "Library %s with a version lower than %s is required - available version %s." : "Diperlukan pustaka %s dengan versi yang lebih rendah dari %s - versi yang tersedia %s.", + "Following platforms are supported: %s" : "Berikut adalah platform yang didukung: %s", + "Server version %s or higher is required." : "Server versi %s atau yang lebih tinggi diperlukan.", + "Server version %s or lower is required." : "Server versi %s atau yang lebih rendah diperlukan.", + "Unknown filetype" : "Tipe berkas tak dikenal", + "Invalid image" : "Gambar tidak sah", + "today" : "hari ini", + "yesterday" : "kemarin", + "_%n day ago_::_%n days ago_" : ["%n hari yang lalu"], + "last month" : "bulan kemarin", + "_%n month ago_::_%n months ago_" : ["%n bulan yang lalu"], + "last year" : "tahun kemarin", + "_%n year ago_::_%n years ago_" : ["%n tahun yang lalu"], + "_%n hour ago_::_%n hours ago_" : ["%n jam yang lalu"], + "_%n minute ago_::_%n minutes ago_" : ["%n menit yang lalu"], + "seconds ago" : "beberapa detik yang lalu", + "File name is a reserved word" : "Nama berkas merupakan kata yang disediakan", + "File name contains at least one invalid character" : "Nama berkas berisi setidaknya satu karakter yang tidak sah.", + "File name is too long" : "Nama berkas terlalu panjang", + "Dot files are not allowed" : "Berkas titik tidak diperbolehkan", + "Empty filename is not allowed" : "Nama berkas kosong tidak diperbolehkan", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "Aplikasi \"%s\" tidak dapat dipasang karena berkas appinfo tidak dapat dibaca.", + "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "Aplikasi \"%s\" tidak dapat dipasang karena tidak kompatibel dengan versi server ini", + "Help" : "Bantuan", + "Apps" : "aplikasi", + "Log out" : "Keluar", + "Users" : "Pengguna", + "Unknown user" : "Pengguna tidak dikenal", + "__language_name__" : "Bahasa Indonesia", + "%s enter the database username and name." : "%s masukkan nama pengguna database dan nama database.", + "%s enter the database username." : "%s masukkan nama pengguna basis data.", + "%s enter the database name." : "%s masukkan nama basis data.", + "%s you may not use dots in the database name" : "%s anda tidak boleh menggunakan karakter titik pada nama basis data", + "Oracle connection could not be established" : "Koneksi Oracle tidak dapat dibuat", + "Oracle username and/or password not valid" : "Nama pengguna dan/atau kata sandi Oracle tidak sah", + "PostgreSQL username and/or password not valid" : "Nama pengguna dan/atau kata sandi PostgreSQL tidak valid", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X tidak didukung dan %s tidak akan bekerja dengan baik pada platform ini. Gunakan dengan resiko Anda sendiri!", + "For the best results, please consider using a GNU/Linux server instead." : "Untuk hasil terbaik, pertimbangkan untuk menggunakan server GNU/Linux sebagai gantinya. ", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Kelihatannya instansi %s ini berjalan di lingkungan PHP 32-bit dan open_basedir telah dikonfigurasi di php.ini. Hal ini akan menyebabkan masalah dengan berkas lebih dari 4 GB dan sangat tidak disarankan.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Mohon hapus pengaturan open_basedir didalam php.ini atau beralih ke PHP 64-bit.", + "Set an admin username." : "Tetapkan nama pengguna admin.", + "Set an admin password." : "Tetapkan kata sandi admin.", + "Can't create or write into the data directory %s" : "Tidak dapat membuat atau menulis kedalam direktori data %s", + "Invalid Federated Cloud ID" : "Federated Cloud ID tidak sah", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Gagal berbagi %s, karena backend tidak mengizinkan berbagi dengan tipe %i", + "Sharing %s failed, because the file does not exist" : "Gagal membagikan %s, karena berkas tidak ada", + "You are not allowed to share %s" : "Anda tidak diizinkan untuk membagikan %s", + "Sharing %s failed, because you can not share with yourself" : "Berbagi %s gagal, karena Anda tidak dapat berbagi dengan diri sendiri", + "Sharing %s failed, because the user %s does not exist" : "Gagal membagikan %s, karena pengguna %s tidak ada", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Gagal membagikan %s, karena pengguna %s bukan merupakan anggota dari grup yang %s ikuti", + "Sharing %s failed, because this item is already shared with %s" : "Gagal membagkan %s, karena item ini sudah dibagikan dengan %s", + "Sharing %s failed, because this item is already shared with user %s" : "Berbagi %s gagal karena item ini sudah dibagikan dengan pengguna %s", + "Sharing %s failed, because the group %s does not exist" : "Gagal membagikan %s, karena grup %s tidak ada", + "Sharing %s failed, because %s is not a member of the group %s" : "Gagal membagikan %s, karena %s bukan anggota dari grup %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Anda perlu memberikan kata sandi untuk membuat tautan publik, hanya tautan yang terlindungi yang diizinkan", + "Sharing %s failed, because sharing with links is not allowed" : "Gagal membagikan %s, karena berbag dengan tautan tidak diizinkan", + "Not allowed to create a federated share with the same user" : "Tidak diizinkan membuat pembagian terfederasi dengan pengguna yang sama", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Berbagi %s gagal, tidak menemukan %s, kemungkinan saat ini server tidak dapat dijangkau.", + "Share type %s is not valid for %s" : "Barbagi tipe %s tidak sah untuk %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Tidak dapat menyetel tanggal kadaluarsa. Pembagian tidak dapat kadaluarsa lebih lambat dari %s setelah mereka dibagikan.", + "Cannot set expiration date. Expiration date is in the past" : "Tidak dapat menyetel tanggal kadaluarsa. Tanggal kadaluarsa dimasa lalu", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Backend berbagi %s harus mengimplementasi antarmuka OCP\\Share_Backend", + "Sharing backend %s not found" : "Backend berbagi %s tidak ditemukan", + "Sharing backend for %s not found" : "Backend berbagi untuk %s tidak ditemukan", + "Sharing failed, because the user %s is the original sharer" : "Berbagi gagal, karena pengguna %s adalah pembagi awal", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Gagal membagikan %s, karena izin melebihi izin yang diberikan untuk %s", + "Sharing %s failed, because resharing is not allowed" : "Gagal berbagi %s, karena membagikan ulang tidak diizinkan", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Berbagi %s gagal, karena backend berbagi untuk %s tidak menemukan sumbernya", + "Sharing %s failed, because the file could not be found in the file cache" : "Gagal berbagi %s, karena berkas tidak ditemukan di berkas cache", + "Expiration date is in the past" : "Tanggal kedaluwarsa sudah lewat", + "%s shared »%s« with you" : "%s membagikan »%s« dengan anda", + "%s via %s" : "%s melalui %s", + "Could not find category \"%s\"" : "Tidak menemukan kategori \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Hanya karakter ini yang diizinkan dalam nama pengguna: \"a-z\", \"A-Z\", \"0-9\", dan \"_.@-'\"", + "A valid username must be provided" : "Tuliskan nama pengguna yang valid", + "Username contains whitespace at the beginning or at the end" : "Nama pengguna mengandung spasi di depan atau di belakang.", + "A valid password must be provided" : "Tuliskan kata sandi yang valid", + "The username is already being used" : "Nama pengguna ini telah digunakan", + "User disabled" : "Pengguna dinonaktifkan", + "Login canceled by app" : "Log masuk dibatalkan oleh aplikasi", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "aplikasi \"%s\" tidak dapat dipasang karena dependensi berikut belum terpenuhi: %s", + "a safe home for all your data" : "rumah yang aman untuk semua datamu", + "File is currently busy, please try again later" : "Berkas sedang sibuk, mohon coba lagi nanti", + "Can't read file" : "Tidak dapat membaca berkas", + "Application is not enabled" : "aplikasi tidak diaktifkan", + "Authentication error" : "Galat saat otentikasi", + "Token expired. Please reload page." : "Token sudah kedaluwarsa. Silakan muat ulang halaman.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Tidak ada driver (sqlite, mysql, or postgresql) yang terinstal.", + "Cannot write into \"config\" directory" : "Tidak dapat menulis kedalam direktori \"config\"", + "Cannot write into \"apps\" directory" : "Tidak dapat menulis kedalam direktori \"apps\"", + "Setting locale to %s failed" : "Pengaturan lokal ke %s gagal", + "Please install one of these locales on your system and restart your webserver." : "Mohon instal paling tidak satu lokal pada sistem Anda dan jalankan ulang server web.", + "Please ask your server administrator to install the module." : "Mohon tanyakan administrator Anda untuk menginstal module.", + "PHP module %s not installed." : "Module PHP %s tidak terinstal.", + "PHP setting \"%s\" is not set to \"%s\"." : "Pengaturan PHP \"%s\" tidak diatur ke \"%s\".", + "Adjusting this setting in php.ini will make Nextcloud run again" : "Menyesuaikan pengaturan ini di php.ini akan membuat Nextcloud berjalan kembali", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload diatur menjadi \"%s\" bukan nilai yang diharapkan \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Untuk memperbaiki masalah ini, atur mbstring.func_overload menjadi 0 pada berkas php.ini Anda", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "Setidaknya libxml2 2.7.0 dibutuhkan. Saat ini %s dipasang.", + "To fix this issue update your libxml2 version and restart your web server." : "Untuk mengatasi masalah ini, perbarui versi libxml2 Anda dan mulai-ulang server web Anda.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "Tampaknya PHP diatur untuk memotong inline doc blocks. Hal ini akan menyebabkan beberapa aplikasi inti menjadi tidak dapat diakses.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hal ini kemungkinan disebabkan oleh cache/akselerator seperti Zend OPcache atau eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Modul PHP telah terinstal, tetapi mereka terlihat tidak ada?", + "Please ask your server administrator to restart the web server." : "Mohon minta administrator Anda untuk menjalankan ulang server web.", + "PostgreSQL >= 9 required" : "Diperlukan PostgreSQL >= 9", + "Please upgrade your database version" : "Mohon perbarui versi basis data Anda", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Mohon ubah perizinan menjadi 0770 sehingga direktori tersebut tidak dapat dilihat oleh pengguna lain.", + "Check the value of \"datadirectory\" in your configuration" : "Periksa nilai \"datadirectory\" di konfigurasi Anda", + "Could not obtain lock type %d on \"%s\"." : "Tidak bisa memperoleh jenis kunci %d pada \"%s\".", + "Storage unauthorized. %s" : "Penyimpanan tidak terotorisasi. %s", + "Storage incomplete configuration. %s" : "Konfigurasi penyimpanan tidak terselesaikan. %s", + "Storage connection error. %s" : "Koneksi penyimpanan bermasalah. %s", + "Storage connection timeout. %s" : "Koneksi penyimpanan waktu-habis. %s" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/km.js b/lib/l10n/km.js new file mode 100644 index 0000000000000..ed59bcd6288f3 --- /dev/null +++ b/lib/l10n/km.js @@ -0,0 +1,31 @@ +OC.L10N.register( + "lib", + { + "Unknown filetype" : "មិន​ស្គាល់​ប្រភេទ​ឯកសារ", + "Invalid image" : "រូបភាព​មិន​ត្រឹម​ត្រូវ", + "today" : "ថ្ងៃនេះ", + "yesterday" : "ម្សិលមិញ", + "last month" : "ខែមុន", + "_%n month ago_::_%n months ago_" : ["%n ខែ​មុន"], + "last year" : "ឆ្នាំ​មុន", + "_%n hour ago_::_%n hours ago_" : ["%n ម៉ោង​មុន"], + "_%n minute ago_::_%n minutes ago_" : ["%n នាទី​មុន"], + "seconds ago" : "វិនាទី​មុន", + "Apps" : "កម្មវិធី", + "Users" : "អ្នកប្រើ", + "Unknown user" : "មិនស្គាល់អ្នកប្រើប្រាស់", + "__language_name__" : "ភាសាខ្មែរ", + "%s enter the database username." : "%s វាយ​បញ្ចូល​ឈ្មោះ​អ្នក​ប្រើ​មូលដ្ឋាន​ទិន្នន័យ។", + "%s enter the database name." : "%s វាយ​បញ្ចូល​ឈ្មោះ​មូលដ្ឋាន​ទិន្នន័យ។", + "%s you may not use dots in the database name" : "%s អ្នក​អាច​មិន​ប្រើ​សញ្ញា​ចុច​នៅ​ក្នុង​ឈ្មោះ​មូលដ្ឋាន​ទិន្នន័យ", + "Oracle connection could not be established" : "មិន​អាច​បង្កើត​ការ​តភ្ជាប់ Oracle", + "PostgreSQL username and/or password not valid" : "ឈ្មោះ​អ្នក​ប្រើ និង/ឬ ពាក្យ​សម្ងាត់ PostgreSQL គឺ​មិន​ត្រូវ​ទេ", + "Set an admin username." : "កំណត់​ឈ្មោះ​អ្នក​គ្រប់គ្រង។", + "Set an admin password." : "កំណត់​ពាក្យ​សម្ងាត់​អ្នក​គ្រប់គ្រង។", + "Could not find category \"%s\"" : "រក​មិន​ឃើញ​ចំណាត់​ក្រុម \"%s\"", + "A valid username must be provided" : "ត្រូវ​ផ្ដល់​ឈ្មោះ​អ្នក​ប្រើ​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "A valid password must be provided" : "ត្រូវ​ផ្ដល់​ពាក្យ​សម្ងាត់​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "Application is not enabled" : "មិន​បាន​បើក​កម្មវិធី", + "Authentication error" : "កំហុស​ការ​ផ្ទៀង​ផ្ទាត់​ភាព​ត្រឹម​ត្រូវ" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/km.json b/lib/l10n/km.json new file mode 100644 index 0000000000000..e480a7386105d --- /dev/null +++ b/lib/l10n/km.json @@ -0,0 +1,29 @@ +{ "translations": { + "Unknown filetype" : "មិន​ស្គាល់​ប្រភេទ​ឯកសារ", + "Invalid image" : "រូបភាព​មិន​ត្រឹម​ត្រូវ", + "today" : "ថ្ងៃនេះ", + "yesterday" : "ម្សិលមិញ", + "last month" : "ខែមុន", + "_%n month ago_::_%n months ago_" : ["%n ខែ​មុន"], + "last year" : "ឆ្នាំ​មុន", + "_%n hour ago_::_%n hours ago_" : ["%n ម៉ោង​មុន"], + "_%n minute ago_::_%n minutes ago_" : ["%n នាទី​មុន"], + "seconds ago" : "វិនាទី​មុន", + "Apps" : "កម្មវិធី", + "Users" : "អ្នកប្រើ", + "Unknown user" : "មិនស្គាល់អ្នកប្រើប្រាស់", + "__language_name__" : "ភាសាខ្មែរ", + "%s enter the database username." : "%s វាយ​បញ្ចូល​ឈ្មោះ​អ្នក​ប្រើ​មូលដ្ឋាន​ទិន្នន័យ។", + "%s enter the database name." : "%s វាយ​បញ្ចូល​ឈ្មោះ​មូលដ្ឋាន​ទិន្នន័យ។", + "%s you may not use dots in the database name" : "%s អ្នក​អាច​មិន​ប្រើ​សញ្ញា​ចុច​នៅ​ក្នុង​ឈ្មោះ​មូលដ្ឋាន​ទិន្នន័យ", + "Oracle connection could not be established" : "មិន​អាច​បង្កើត​ការ​តភ្ជាប់ Oracle", + "PostgreSQL username and/or password not valid" : "ឈ្មោះ​អ្នក​ប្រើ និង/ឬ ពាក្យ​សម្ងាត់ PostgreSQL គឺ​មិន​ត្រូវ​ទេ", + "Set an admin username." : "កំណត់​ឈ្មោះ​អ្នក​គ្រប់គ្រង។", + "Set an admin password." : "កំណត់​ពាក្យ​សម្ងាត់​អ្នក​គ្រប់គ្រង។", + "Could not find category \"%s\"" : "រក​មិន​ឃើញ​ចំណាត់​ក្រុម \"%s\"", + "A valid username must be provided" : "ត្រូវ​ផ្ដល់​ឈ្មោះ​អ្នក​ប្រើ​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "A valid password must be provided" : "ត្រូវ​ផ្ដល់​ពាក្យ​សម្ងាត់​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "Application is not enabled" : "មិន​បាន​បើក​កម្មវិធី", + "Authentication error" : "កំហុស​ការ​ផ្ទៀង​ផ្ទាត់​ភាព​ត្រឹម​ត្រូវ" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/kn.js b/lib/l10n/kn.js new file mode 100644 index 0000000000000..e8332f6cfde44 --- /dev/null +++ b/lib/l10n/kn.js @@ -0,0 +1,13 @@ +OC.L10N.register( + "lib", + { + "Unknown filetype" : "ಅಪರಿಚಿತ ಕಡತ ಮಾದರಿ", + "Invalid image" : "ಅಸಾಮರ್ಥ್ಯ ಚಿತ್ರ", + "Apps" : "ಕಾರ್ಯಕ್ರಮಗಳು", + "Users" : "ಬಳಕೆದಾರರು", + "__language_name__" : "ಕನ್ನಡ", + "A valid username must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "A valid password must be provided" : "ಸರಿಯಾದ ಬಳಕೆದಾರ ಗುಪ್ತಪದ ಒದಗಿಸಬೇಕಾಗಿದೆ", + "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/kn.json b/lib/l10n/kn.json new file mode 100644 index 0000000000000..bf547fdd36324 --- /dev/null +++ b/lib/l10n/kn.json @@ -0,0 +1,11 @@ +{ "translations": { + "Unknown filetype" : "ಅಪರಿಚಿತ ಕಡತ ಮಾದರಿ", + "Invalid image" : "ಅಸಾಮರ್ಥ್ಯ ಚಿತ್ರ", + "Apps" : "ಕಾರ್ಯಕ್ರಮಗಳು", + "Users" : "ಬಳಕೆದಾರರು", + "__language_name__" : "ಕನ್ನಡ", + "A valid username must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "A valid password must be provided" : "ಸರಿಯಾದ ಬಳಕೆದಾರ ಗುಪ್ತಪದ ಒದಗಿಸಬೇಕಾಗಿದೆ", + "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/lb.js b/lib/l10n/lb.js new file mode 100644 index 0000000000000..4bd7545d170f3 --- /dev/null +++ b/lib/l10n/lb.js @@ -0,0 +1,29 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Keng Schreiwreschter op d' 'config' Verzeechnis!", + "See %s" : "%s kucken", + "Sample configuration detected" : "Beispill-Konfiguratioun erkannt", + "PHP %s or higher is required." : "PHP %s oder méi nei ass néideg.", + "PHP with a version lower than %s is required." : "PHP mat enger Versioun %s oder méi kleng ass néideg.", + "Following databases are supported: %s" : "Dës Datebanke ginn ënnerstëtzt: %s", + "Unknown filetype" : "Onbekannten Fichier Typ", + "Invalid image" : "Ongülteg d'Bild", + "today" : "haut", + "yesterday" : "gëschter", + "_%n day ago_::_%n days ago_" : ["%n Dag hier","%n Deeg hier"], + "last month" : "Läschte Mount", + "_%n month ago_::_%n months ago_" : ["%n Mount hier","%n Méint hier"], + "last year" : "Läscht Joer", + "_%n year ago_::_%n years ago_" : ["%n Joer hier","%n Joer hier"], + "_%n hour ago_::_%n hours ago_" : ["%n Stonn hier","%n Stonnen hier"], + "seconds ago" : "Sekonnen hir", + "Apps" : "Applikatiounen", + "Users" : "Benotzer", + "Tips & tricks" : "Tipps an Tricks", + "__language_name__" : "Lëtzebuergesch", + "Set an admin password." : "Admin Passwuert setzen", + "%s shared »%s« with you" : "Den/D' %s huet »%s« mat dir gedeelt", + "Authentication error" : "Authentifikatioun's Fehler" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/lb.json b/lib/l10n/lb.json new file mode 100644 index 0000000000000..579fda0162e5c --- /dev/null +++ b/lib/l10n/lb.json @@ -0,0 +1,27 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Keng Schreiwreschter op d' 'config' Verzeechnis!", + "See %s" : "%s kucken", + "Sample configuration detected" : "Beispill-Konfiguratioun erkannt", + "PHP %s or higher is required." : "PHP %s oder méi nei ass néideg.", + "PHP with a version lower than %s is required." : "PHP mat enger Versioun %s oder méi kleng ass néideg.", + "Following databases are supported: %s" : "Dës Datebanke ginn ënnerstëtzt: %s", + "Unknown filetype" : "Onbekannten Fichier Typ", + "Invalid image" : "Ongülteg d'Bild", + "today" : "haut", + "yesterday" : "gëschter", + "_%n day ago_::_%n days ago_" : ["%n Dag hier","%n Deeg hier"], + "last month" : "Läschte Mount", + "_%n month ago_::_%n months ago_" : ["%n Mount hier","%n Méint hier"], + "last year" : "Läscht Joer", + "_%n year ago_::_%n years ago_" : ["%n Joer hier","%n Joer hier"], + "_%n hour ago_::_%n hours ago_" : ["%n Stonn hier","%n Stonnen hier"], + "seconds ago" : "Sekonnen hir", + "Apps" : "Applikatiounen", + "Users" : "Benotzer", + "Tips & tricks" : "Tipps an Tricks", + "__language_name__" : "Lëtzebuergesch", + "Set an admin password." : "Admin Passwuert setzen", + "%s shared »%s« with you" : "Den/D' %s huet »%s« mat dir gedeelt", + "Authentication error" : "Authentifikatioun's Fehler" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/lv.js b/lib/l10n/lv.js new file mode 100644 index 0000000000000..b3d655e376921 --- /dev/null +++ b/lib/l10n/lv.js @@ -0,0 +1,129 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Nevar rakstīt \"config\" mapē!", + "This can usually be fixed by giving the webserver write access to the config directory" : "To parasti var labot, dodot tīmekļa servera rakstīšanas piekļuvi config direktorijai", + "See %s" : "Skatīt %s", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Faili no programmas %$1s netika aizvietoti pareizi. Pārliecinieties, vai tā ir versija, kas ir saderīga ar serveri.", + "Sample configuration detected" : "Atrasta konfigurācijas paraugs", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Konstatēts, ka paraug konfigurācija ir nokopēta. Tas var izjaukt jūsu instalāciju un nav atbalstīts. Lūdzu, izlasiet dokumentāciju, pirms veicat izmaiņas config.php", + "%1$s and %2$s" : "%1$s un %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s un %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s un %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s un %5$s", + "PHP %s or higher is required." : "Ir nepieciešams PHP %s vai jaunāks.", + "PHP with a version lower than %s is required." : "Ir nepieciešams PHP vecāks kā %s.", + "%sbit or higher PHP required." : "Nepieciešams %sbit vai jaunāks PHP.", + "Following databases are supported: %s" : "Tiek atbalstītas šādas datu bāzes: %s", + "The command line tool %s could not be found" : "Komandrindas rīku %s nevarēja atrast", + "The library %s is not available." : "Bibliotēka %s nav pieejama.", + "Following platforms are supported: %s" : "Tiek atbalstītas šādas platformas: %s", + "Server version %s or higher is required." : "Ir vajadzīga servera versija %s vai jaunāka.", + "Server version %s or lower is required." : "Ir vajadzīga servera versija %s vai vecāka.", + "Unknown filetype" : "Nezināms datnes tips", + "Invalid image" : "Nederīgs attēls", + "Avatar image is not square" : "Avatar attēls nav kvadrāts", + "today" : "šodien", + "yesterday" : "vakar", + "_%n day ago_::_%n days ago_" : ["%n dienas atpakaļ","%n dienas atpakaļ","%n dienām"], + "last month" : "pagājušajā mēnesī", + "_%n month ago_::_%n months ago_" : ["%n mēneši atpakaļ","%n mēneši atpakaļ","%n mēnešiem"], + "last year" : "gājušajā gadā", + "_%n year ago_::_%n years ago_" : ["%n gadiem","%n gadiem","%n gadiem"], + "_%n hour ago_::_%n hours ago_" : ["%n stundas atpakaļ","%n stundas atpakaļ","%n stundām"], + "_%n minute ago_::_%n minutes ago_" : ["%n minūtes atpakaļ","%n minūtes atpakaļ","%n minūtēm"], + "seconds ago" : "sekundēm", + "File name is too long" : "Faila nosaukums ir pārāk garš", + "Empty filename is not allowed" : "Tukšs faila nosaukums nav atļauts", + "Help" : "Palīdzība", + "Apps" : "Programmas", + "Users" : "Lietotāji", + "Unknown user" : "Nezināms lietotājs", + "APCu" : "APCu", + "Sharing" : "Koplietošana", + "Encryption" : "Šifrēšana", + "Additional settings" : "Papildu iestatījumi", + "Tips & tricks" : "Padomi un ieteikumi", + "__language_name__" : "Latviešu", + "%s enter the database username." : "%s ievadiet datubāzes lietotājvārdu.", + "%s enter the database name." : "%s ievadiet datubāzes nosaukumu.", + "%s you may not use dots in the database name" : "%s datubāžu nosaukumos nedrīkst izmantot punktus", + "Oracle connection could not be established" : "Nevar izveidot savienojumu ar Oracle", + "Oracle username and/or password not valid" : "Nav derīga Oracle parole un/vai lietotājvārds", + "PostgreSQL username and/or password not valid" : "Nav derīga PostgreSQL parole un/vai lietotājvārds", + "Set an admin username." : "Iestatiet administratora lietotājvārdu.", + "Set an admin password." : "Iestatiet administratora paroli.", + "Invalid Federated Cloud ID" : "Nederīgs Federated Cloud ID", + "%s shared »%s« with you" : "%s kopīgots »%s« ar jums", + "%s via %s" : "%s ar %s", + "Could not find category \"%s\"" : "Nevarēja atrast kategoriju “%s”", + "Sunday" : "Svētdiena", + "Monday" : "Pirmdiena", + "Tuesday" : "Otrdiena", + "Wednesday" : "Trešdiena", + "Thursday" : "Ceturtdiena", + "Friday" : "Piektdiena", + "Saturday" : "Sestdiena", + "Sun." : "Sv.", + "Mon." : "Pr.", + "Tue." : "Ot.", + "Wed." : "Tr.", + "Thu." : "Ce.", + "Fri." : "Pk.", + "Sat." : "Se.", + "Su" : "Sv", + "Mo" : "Pr", + "Tu" : "Ot", + "We" : "Tr", + "Th" : "Ce", + "Fr" : "Pi", + "Sa" : "Se", + "January" : "Janvāris", + "February" : "Februāris", + "March" : "Marts", + "April" : "Aprīlis", + "May" : "Maijs", + "June" : "Jūnijs", + "July" : "Jūlijs", + "August" : "Augusts", + "September" : "Septembris", + "October" : "Oktobris", + "November" : "Novembris", + "December" : "Decembris", + "Jan." : "Jan.", + "Feb." : "Feb.", + "Mar." : "Mar.", + "Apr." : "Apr.", + "May." : "Mai.", + "Jun." : "Jūn.", + "Jul." : "Jūl.", + "Aug." : "Aug.", + "Sep." : "Sep.", + "Oct." : "Okt.", + "Nov." : "Nov.", + "Dec." : "Dec.", + "A valid username must be provided" : "Jānorāda derīgs lietotājvārds", + "A valid password must be provided" : "Jānorāda derīga parole", + "The username is already being used" : "Šāds lietotājvārds jau tiek izmantots", + "User disabled" : "Lietotājs deaktivizēts", + "Login canceled by app" : "Pieteikšanās atcelta ar programmu", + "a safe home for all your data" : "droša vieta visiem jūsu datiem", + "File is currently busy, please try again later" : "Fails pašlaik ir aizņemts. lūdzu, vēlāk mēģiniet vēlreiz", + "Can't read file" : "Nevar nolasīt failu", + "Application is not enabled" : "Programma nav aktivēta", + "Authentication error" : "Autentifikācijas kļūda", + "Token expired. Please reload page." : "Pilnvarai ir beidzies termiņš. Lūdzu, pārlādējiet lapu.", + "Please ask your server administrator to install the module." : "Lūdzu, palūdziet savam servera administratoram, lai instalē moduli.", + "PHP module %s not installed." : "PHP modulis %s nav instalēts.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Tas ir iespējams, kešatmiņa / paātrinātājs, piemēram, Zend OPcache vai eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP modulis ir uzstādīts, taču tas joprojām ir uzskatāms kā trūkstošs, pazudis?", + "Please ask your server administrator to restart the web server." : "Lūdzu, palūdziet savam servera administratoram, restartēt Web serveri.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 nepieciešams", + "Please upgrade your database version" : "Lūdzu, atjauniniet datu bāzes versiju", + "Storage unauthorized. %s" : "Krātuve neautorizēta. %s", + "Storage incomplete configuration. %s" : "Storage incomplete configuration. %s", + "Storage connection error. %s" : "Datu savienojuma kļūda. %s", + "Storage is temporarily not available" : "Glabātuve īslaicīgi nav pieejama", + "Storage connection timeout. %s" : "Datu savienojuma taimauts. %s" +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/lib/l10n/lv.json b/lib/l10n/lv.json new file mode 100644 index 0000000000000..33956326c8446 --- /dev/null +++ b/lib/l10n/lv.json @@ -0,0 +1,127 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Nevar rakstīt \"config\" mapē!", + "This can usually be fixed by giving the webserver write access to the config directory" : "To parasti var labot, dodot tīmekļa servera rakstīšanas piekļuvi config direktorijai", + "See %s" : "Skatīt %s", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Faili no programmas %$1s netika aizvietoti pareizi. Pārliecinieties, vai tā ir versija, kas ir saderīga ar serveri.", + "Sample configuration detected" : "Atrasta konfigurācijas paraugs", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Konstatēts, ka paraug konfigurācija ir nokopēta. Tas var izjaukt jūsu instalāciju un nav atbalstīts. Lūdzu, izlasiet dokumentāciju, pirms veicat izmaiņas config.php", + "%1$s and %2$s" : "%1$s un %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s un %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s un %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s un %5$s", + "PHP %s or higher is required." : "Ir nepieciešams PHP %s vai jaunāks.", + "PHP with a version lower than %s is required." : "Ir nepieciešams PHP vecāks kā %s.", + "%sbit or higher PHP required." : "Nepieciešams %sbit vai jaunāks PHP.", + "Following databases are supported: %s" : "Tiek atbalstītas šādas datu bāzes: %s", + "The command line tool %s could not be found" : "Komandrindas rīku %s nevarēja atrast", + "The library %s is not available." : "Bibliotēka %s nav pieejama.", + "Following platforms are supported: %s" : "Tiek atbalstītas šādas platformas: %s", + "Server version %s or higher is required." : "Ir vajadzīga servera versija %s vai jaunāka.", + "Server version %s or lower is required." : "Ir vajadzīga servera versija %s vai vecāka.", + "Unknown filetype" : "Nezināms datnes tips", + "Invalid image" : "Nederīgs attēls", + "Avatar image is not square" : "Avatar attēls nav kvadrāts", + "today" : "šodien", + "yesterday" : "vakar", + "_%n day ago_::_%n days ago_" : ["%n dienas atpakaļ","%n dienas atpakaļ","%n dienām"], + "last month" : "pagājušajā mēnesī", + "_%n month ago_::_%n months ago_" : ["%n mēneši atpakaļ","%n mēneši atpakaļ","%n mēnešiem"], + "last year" : "gājušajā gadā", + "_%n year ago_::_%n years ago_" : ["%n gadiem","%n gadiem","%n gadiem"], + "_%n hour ago_::_%n hours ago_" : ["%n stundas atpakaļ","%n stundas atpakaļ","%n stundām"], + "_%n minute ago_::_%n minutes ago_" : ["%n minūtes atpakaļ","%n minūtes atpakaļ","%n minūtēm"], + "seconds ago" : "sekundēm", + "File name is too long" : "Faila nosaukums ir pārāk garš", + "Empty filename is not allowed" : "Tukšs faila nosaukums nav atļauts", + "Help" : "Palīdzība", + "Apps" : "Programmas", + "Users" : "Lietotāji", + "Unknown user" : "Nezināms lietotājs", + "APCu" : "APCu", + "Sharing" : "Koplietošana", + "Encryption" : "Šifrēšana", + "Additional settings" : "Papildu iestatījumi", + "Tips & tricks" : "Padomi un ieteikumi", + "__language_name__" : "Latviešu", + "%s enter the database username." : "%s ievadiet datubāzes lietotājvārdu.", + "%s enter the database name." : "%s ievadiet datubāzes nosaukumu.", + "%s you may not use dots in the database name" : "%s datubāžu nosaukumos nedrīkst izmantot punktus", + "Oracle connection could not be established" : "Nevar izveidot savienojumu ar Oracle", + "Oracle username and/or password not valid" : "Nav derīga Oracle parole un/vai lietotājvārds", + "PostgreSQL username and/or password not valid" : "Nav derīga PostgreSQL parole un/vai lietotājvārds", + "Set an admin username." : "Iestatiet administratora lietotājvārdu.", + "Set an admin password." : "Iestatiet administratora paroli.", + "Invalid Federated Cloud ID" : "Nederīgs Federated Cloud ID", + "%s shared »%s« with you" : "%s kopīgots »%s« ar jums", + "%s via %s" : "%s ar %s", + "Could not find category \"%s\"" : "Nevarēja atrast kategoriju “%s”", + "Sunday" : "Svētdiena", + "Monday" : "Pirmdiena", + "Tuesday" : "Otrdiena", + "Wednesday" : "Trešdiena", + "Thursday" : "Ceturtdiena", + "Friday" : "Piektdiena", + "Saturday" : "Sestdiena", + "Sun." : "Sv.", + "Mon." : "Pr.", + "Tue." : "Ot.", + "Wed." : "Tr.", + "Thu." : "Ce.", + "Fri." : "Pk.", + "Sat." : "Se.", + "Su" : "Sv", + "Mo" : "Pr", + "Tu" : "Ot", + "We" : "Tr", + "Th" : "Ce", + "Fr" : "Pi", + "Sa" : "Se", + "January" : "Janvāris", + "February" : "Februāris", + "March" : "Marts", + "April" : "Aprīlis", + "May" : "Maijs", + "June" : "Jūnijs", + "July" : "Jūlijs", + "August" : "Augusts", + "September" : "Septembris", + "October" : "Oktobris", + "November" : "Novembris", + "December" : "Decembris", + "Jan." : "Jan.", + "Feb." : "Feb.", + "Mar." : "Mar.", + "Apr." : "Apr.", + "May." : "Mai.", + "Jun." : "Jūn.", + "Jul." : "Jūl.", + "Aug." : "Aug.", + "Sep." : "Sep.", + "Oct." : "Okt.", + "Nov." : "Nov.", + "Dec." : "Dec.", + "A valid username must be provided" : "Jānorāda derīgs lietotājvārds", + "A valid password must be provided" : "Jānorāda derīga parole", + "The username is already being used" : "Šāds lietotājvārds jau tiek izmantots", + "User disabled" : "Lietotājs deaktivizēts", + "Login canceled by app" : "Pieteikšanās atcelta ar programmu", + "a safe home for all your data" : "droša vieta visiem jūsu datiem", + "File is currently busy, please try again later" : "Fails pašlaik ir aizņemts. lūdzu, vēlāk mēģiniet vēlreiz", + "Can't read file" : "Nevar nolasīt failu", + "Application is not enabled" : "Programma nav aktivēta", + "Authentication error" : "Autentifikācijas kļūda", + "Token expired. Please reload page." : "Pilnvarai ir beidzies termiņš. Lūdzu, pārlādējiet lapu.", + "Please ask your server administrator to install the module." : "Lūdzu, palūdziet savam servera administratoram, lai instalē moduli.", + "PHP module %s not installed." : "PHP modulis %s nav instalēts.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Tas ir iespējams, kešatmiņa / paātrinātājs, piemēram, Zend OPcache vai eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "PHP modulis ir uzstādīts, taču tas joprojām ir uzskatāms kā trūkstošs, pazudis?", + "Please ask your server administrator to restart the web server." : "Lūdzu, palūdziet savam servera administratoram, restartēt Web serveri.", + "PostgreSQL >= 9 required" : "PostgreSQL >= 9 nepieciešams", + "Please upgrade your database version" : "Lūdzu, atjauniniet datu bāzes versiju", + "Storage unauthorized. %s" : "Krātuve neautorizēta. %s", + "Storage incomplete configuration. %s" : "Storage incomplete configuration. %s", + "Storage connection error. %s" : "Datu savienojuma kļūda. %s", + "Storage is temporarily not available" : "Glabātuve īslaicīgi nav pieejama", + "Storage connection timeout. %s" : "Datu savienojuma taimauts. %s" +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" +} \ No newline at end of file diff --git a/lib/l10n/mk.js b/lib/l10n/mk.js new file mode 100644 index 0000000000000..347be03512649 --- /dev/null +++ b/lib/l10n/mk.js @@ -0,0 +1,32 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Не можам да впишувам во \"config\" директориумот!", + "Unknown filetype" : "Непознат тип на датотека", + "Invalid image" : "Невалидна фотографија", + "today" : "денеска", + "yesterday" : "вчера", + "last month" : "минатиот месец", + "last year" : "минатата година", + "seconds ago" : "пред секунди", + "Apps" : "Аппликации", + "Users" : "Корисници", + "Unknown user" : "Непознат корисник", + "__language_name__" : "македонски", + "%s enter the database username." : "%s внеси го корисничкото име за базата.", + "%s enter the database name." : "%s внеси го името на базата.", + "%s you may not use dots in the database name" : "%s не можеш да користиш точки во името на базата", + "Oracle username and/or password not valid" : "Oracle корисничкото име и/или лозинката не се валидни", + "PostgreSQL username and/or password not valid" : "PostgreSQL корисничкото име и/или лозинка не се валидни", + "Set an admin username." : "Постави администраторско корисничко име", + "Set an admin password." : "Постави администраторска лозинка.", + "%s shared »%s« with you" : "%s споделено »%s« со вас", + "Could not find category \"%s\"" : "Не можам да најдам категорија „%s“", + "A valid username must be provided" : "Мора да се обезбеди валидно корисничко име ", + "A valid password must be provided" : "Мора да се обезбеди валидна лозинка", + "The username is already being used" : "Корисничкото име е веќе во употреба", + "Application is not enabled" : "Апликацијата не е овозможена", + "Authentication error" : "Грешка во автентикација", + "Token expired. Please reload page." : "Жетонот е истечен. Ве молам превчитајте ја страницата." +}, +"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/lib/l10n/mk.json b/lib/l10n/mk.json new file mode 100644 index 0000000000000..d9563745de733 --- /dev/null +++ b/lib/l10n/mk.json @@ -0,0 +1,30 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Не можам да впишувам во \"config\" директориумот!", + "Unknown filetype" : "Непознат тип на датотека", + "Invalid image" : "Невалидна фотографија", + "today" : "денеска", + "yesterday" : "вчера", + "last month" : "минатиот месец", + "last year" : "минатата година", + "seconds ago" : "пред секунди", + "Apps" : "Аппликации", + "Users" : "Корисници", + "Unknown user" : "Непознат корисник", + "__language_name__" : "македонски", + "%s enter the database username." : "%s внеси го корисничкото име за базата.", + "%s enter the database name." : "%s внеси го името на базата.", + "%s you may not use dots in the database name" : "%s не можеш да користиш точки во името на базата", + "Oracle username and/or password not valid" : "Oracle корисничкото име и/или лозинката не се валидни", + "PostgreSQL username and/or password not valid" : "PostgreSQL корисничкото име и/или лозинка не се валидни", + "Set an admin username." : "Постави администраторско корисничко име", + "Set an admin password." : "Постави администраторска лозинка.", + "%s shared »%s« with you" : "%s споделено »%s« со вас", + "Could not find category \"%s\"" : "Не можам да најдам категорија „%s“", + "A valid username must be provided" : "Мора да се обезбеди валидно корисничко име ", + "A valid password must be provided" : "Мора да се обезбеди валидна лозинка", + "The username is already being used" : "Корисничкото име е веќе во употреба", + "Application is not enabled" : "Апликацијата не е овозможена", + "Authentication error" : "Грешка во автентикација", + "Token expired. Please reload page." : "Жетонот е истечен. Ве молам превчитајте ја страницата." +},"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" +} \ No newline at end of file diff --git a/lib/l10n/mn.js b/lib/l10n/mn.js new file mode 100644 index 0000000000000..d2539ab07912a --- /dev/null +++ b/lib/l10n/mn.js @@ -0,0 +1,20 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "\"config\" хавтас руу бичих боломжгүй байна!", + "Invalid image" : "буруу зураг", + "Avatar image is not square" : "Хөрөг зураг дөрвөлжин биш", + "today" : "өнөөдөр", + "yesterday" : "өчигдөр", + "last month" : "сүүлийн сар", + "last year" : "сүүлийн жил", + "seconds ago" : "секундийн өмнө", + "File name is a reserved word" : "Файлын нэр нь нийцгүй үг", + "File name contains at least one invalid character" : "файлын нэр нь хамгийн багадаа нэг нь хүчингүй тэмдэгт агуулж байна", + "File name is too long" : "Файлын нэр хэтэрхий урт байна", + "Dot files are not allowed" : "Dot файлууд зөвшөөрөл байхгүй байна", + "__language_name__" : "хэлний нэр", + "June" : "Зургадугаар сар", + "November" : "Арван нэгдүгээр сар" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/mn.json b/lib/l10n/mn.json new file mode 100644 index 0000000000000..10ed4980ac84d --- /dev/null +++ b/lib/l10n/mn.json @@ -0,0 +1,18 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "\"config\" хавтас руу бичих боломжгүй байна!", + "Invalid image" : "буруу зураг", + "Avatar image is not square" : "Хөрөг зураг дөрвөлжин биш", + "today" : "өнөөдөр", + "yesterday" : "өчигдөр", + "last month" : "сүүлийн сар", + "last year" : "сүүлийн жил", + "seconds ago" : "секундийн өмнө", + "File name is a reserved word" : "Файлын нэр нь нийцгүй үг", + "File name contains at least one invalid character" : "файлын нэр нь хамгийн багадаа нэг нь хүчингүй тэмдэгт агуулж байна", + "File name is too long" : "Файлын нэр хэтэрхий урт байна", + "Dot files are not allowed" : "Dot файлууд зөвшөөрөл байхгүй байна", + "__language_name__" : "хэлний нэр", + "June" : "Зургадугаар сар", + "November" : "Арван нэгдүгээр сар" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/ms_MY.js b/lib/l10n/ms_MY.js new file mode 100644 index 0000000000000..bfed8b1a977d7 --- /dev/null +++ b/lib/l10n/ms_MY.js @@ -0,0 +1,9 @@ +OC.L10N.register( + "lib", + { + "Apps" : "Aplikasi", + "Users" : "Pengguna", + "__language_name__" : "Bahasa Melayu", + "Authentication error" : "Ralat pengesahan" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/ms_MY.json b/lib/l10n/ms_MY.json new file mode 100644 index 0000000000000..52837ec1dc976 --- /dev/null +++ b/lib/l10n/ms_MY.json @@ -0,0 +1,7 @@ +{ "translations": { + "Apps" : "Aplikasi", + "Users" : "Pengguna", + "__language_name__" : "Bahasa Melayu", + "Authentication error" : "Ralat pengesahan" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/nn_NO.js b/lib/l10n/nn_NO.js new file mode 100644 index 0000000000000..71b1f26e9d454 --- /dev/null +++ b/lib/l10n/nn_NO.js @@ -0,0 +1,19 @@ +OC.L10N.register( + "lib", + { + "Unknown filetype" : "Ukjend filtype", + "Invalid image" : "Ugyldig bilete", + "today" : "i dag", + "yesterday" : "i går", + "last month" : "førre månad", + "last year" : "i fjor", + "seconds ago" : "sekund sidan", + "Apps" : "Program", + "Users" : "Brukarar", + "__language_name__" : "Nynorsk", + "%s shared »%s« with you" : "%s delte «%s» med deg", + "A valid username must be provided" : "Du må oppgje eit gyldig brukarnamn", + "A valid password must be provided" : "Du må oppgje eit gyldig passord", + "Authentication error" : "Feil i autentisering" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/nn_NO.json b/lib/l10n/nn_NO.json new file mode 100644 index 0000000000000..d8587abc868f4 --- /dev/null +++ b/lib/l10n/nn_NO.json @@ -0,0 +1,17 @@ +{ "translations": { + "Unknown filetype" : "Ukjend filtype", + "Invalid image" : "Ugyldig bilete", + "today" : "i dag", + "yesterday" : "i går", + "last month" : "førre månad", + "last year" : "i fjor", + "seconds ago" : "sekund sidan", + "Apps" : "Program", + "Users" : "Brukarar", + "__language_name__" : "Nynorsk", + "%s shared »%s« with you" : "%s delte «%s» med deg", + "A valid username must be provided" : "Du må oppgje eit gyldig brukarnamn", + "A valid password must be provided" : "Du må oppgje eit gyldig passord", + "Authentication error" : "Feil i autentisering" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/pt_PT.js b/lib/l10n/pt_PT.js new file mode 100644 index 0000000000000..223f7286a0051 --- /dev/null +++ b/lib/l10n/pt_PT.js @@ -0,0 +1,129 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Não é possível gravar na diretoria \"configurar\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Isto normalmente pode ser resolvido, dando ao servidor da Web direitos de gravação para a diretoria de configuração", + "See %s" : "Ver %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de configuração ao servidor web. Ver %s.", + "Sample configuration detected" : "Detetado exemplo de configuração", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Foi detectado que a configuração de amostra foi copiada. Isso pode danificar a sua instalação e não é suportado. Por favor, leia a documentação antes de realizar mudanças no config.php", + "PHP %s or higher is required." : "Necessário PHP %s ou superior.", + "PHP with a version lower than %s is required." : "É necessário um PHP com uma versão inferir a %s.", + "%sbit or higher PHP required." : "Necessário PHP %sbit ou superior.", + "Following databases are supported: %s" : "São suportadas as seguintes bases de dados: %s", + "The command line tool %s could not be found" : "Não foi encontrada a ferramenta de linha de comando %s", + "The library %s is not available." : "A biblioteca %s não está disponível.", + "Library %s with a version higher than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão superior a %s - versão disponível: %s.", + "Library %s with a version lower than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão inferior a %s - versão disponível: %s.", + "Following platforms are supported: %s" : "São suportadas as seguintes plataformas: %s", + "Unknown filetype" : "Tipo de ficheiro desconhecido", + "Invalid image" : "Imagem inválida", + "today" : "hoje", + "tomorrow" : "Amanhã", + "yesterday" : "ontem", + "_%n day ago_::_%n days ago_" : ["%n dia atrás","%n dias atrás"], + "last month" : "ultimo mês", + "last year" : "ano passado", + "_%n year ago_::_%n years ago_" : ["%n ano atrás","%n anos atrás"], + "seconds ago" : "Minutos atrás", + "File name is a reserved word" : "Nome de ficheiro é uma palavra reservada", + "File name contains at least one invalid character" : "Nome de ficheiro contém pelo menos um caráter inválido", + "File name is too long" : "Nome do ficheiro demasiado longo", + "Dot files are not allowed" : "Ficheiros dot não são permitidos", + "Empty filename is not allowed" : "Não é permitido um ficheiro sem nome", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "A app \"%s\" não pode ser instalada porque o ficheiro appinfo não pode ser lido.", + "This is an automatically sent email, please do not reply." : "Este e-mail foi enviado automaticamente, por favor não responda a este e-mail.", + "Help" : "Ajuda", + "Apps" : "Apps", + "Settings" : "Definições", + "Log out" : "Sair", + "Users" : "Utilizadores", + "Unknown user" : "Utilizador desconhecido", + "Sharing" : "Partilhar", + "Security" : "Segurança", + "__language_name__" : "Português", + "%s enter the database username and name." : "%s introduza o nome de utilizador da base de dados e o nome da base de dados.", + "%s enter the database username." : "%s introduza o nome de utilizador da base de dados", + "%s enter the database name." : "%s introduza o nome da base de dados", + "%s you may not use dots in the database name" : "%s não é permitido utilizar pontos (.) no nome da base de dados", + "Oracle connection could not be established" : "Não foi possível estabelecer a ligação Oracle", + "Oracle username and/or password not valid" : "Nome de utilizador/password do Oracle inválida", + "PostgreSQL username and/or password not valid" : "Nome de utilizador/password do PostgreSQL inválido", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Esta plataforma não suporta o sistema operativo Mac OS X e o %s poderá não funcionar correctamente. Utilize por sua conta e risco.", + "For the best results, please consider using a GNU/Linux server instead." : "Para um melhor resultado, utilize antes o servidor GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Parece que a instância %s está a ser executada num ambiente PHP de 32-bits e o open_basedir foi configurado no php.ini. Isto levará a problemas com ficheiros de tamanho superior a 4 GB e é altamente desencorajado.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, remova a definição open_basedir do seu php.ini ou altere o seu PHP para 64-bits.", + "Set an admin username." : "Definir um nome de utilizador de administrador", + "Set an admin password." : "Definiar uma password de administrador", + "Can't create or write into the data directory %s" : "Não é possível criar ou escrever a directoria data %s", + "Invalid Federated Cloud ID" : "Id. de Nuvem Federada Inválida", + "Sharing %s failed, because the backend does not allow shares from type %i" : "A partilha de %s falhou porque a interface não permite as partilhas do tipo %i", + "Sharing %s failed, because the file does not exist" : "A partilha de %s falhou, porque o ficheiro não existe", + "You are not allowed to share %s" : "Não está autorizado a partilhar %s", + "Sharing %s failed, because you can not share with yourself" : "A partilha de %s falhou, porque não é possível partilhar consigo mesmo", + "Sharing %s failed, because the user %s does not exist" : "A partilha %s falhou, porque o utilizador %s nao existe", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "A partilha %s falhou, porque o utilizador %s não pertence a nenhum dos grupos que %s é membro de", + "Sharing %s failed, because this item is already shared with %s" : "A partilha %s falhou, porque o item já está a ser partilhado com %s", + "Sharing %s failed, because this item is already shared with user %s" : "A partilha de %s falhou, porque este item já está a ser partilhado com o utilizador %s", + "Sharing %s failed, because the group %s does not exist" : "A partilha %s falhou, porque o grupo %s não existe", + "Sharing %s failed, because %s is not a member of the group %s" : "A partilha %s falhou, porque o utilizador %s não é membro do grupo %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Necessita de fornecer a senha para criar um link publico, só são permitidos links protegidos", + "Sharing %s failed, because sharing with links is not allowed" : "A partilha de %s falhou, porque partilhar com links não é permitido", + "Not allowed to create a federated share with the same user" : "Não é possível criar uma partilha federada com o mesmo utilizador", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "A partilha de %s falhou, não foi possível encontrar %s. É possível que o servidor esteja inacessível.", + "Share type %s is not valid for %s" : "O tipo de partilha %s não é válido para %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Não é possível definir data de expiração. As partilhas não podem expirar mais de %s depois de terem sido partilhadas", + "Cannot set expiration date. Expiration date is in the past" : "Não é possivel definir data de expiração. A data de expiração está no passado", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Ao partilhar a interface %s deve implementar a interface OCP\\Share_Backend", + "Sharing backend %s not found" : "Não foi encontrada a partilha da interface %s", + "Sharing backend for %s not found" : "Não foi encontrada a partilha da interface para %s", + "Sharing failed, because the user %s is the original sharer" : "A partilha falhou, porque o utilizador %s é o distribuidor original", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Definir permissões para %s falhou, porque as permissões excedem as permissões concedidas a %s", + "Sharing %s failed, because resharing is not allowed" : "A partilha %s falhou, porque repartilhar não é permitido", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "A partilha %s falhou porque a partilha da interface para %s não conseguiu encontrar a sua fonte", + "Sharing %s failed, because the file could not be found in the file cache" : "A partilha %s falhou, devido ao ficheiro não poder ser encontrado na cache de ficheiros", + "Expiration date is in the past" : "A data de expiração está no passado", + "%s shared »%s« with you" : "%s partilhado »%s« consigo", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Não foi encontrado a categoria \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Apenas os seguintes caracteres são permitidos num nome de utilizador: \"a-z\", \"A-Z\", \"0-9\", e \"_.@-'\"", + "A valid username must be provided" : "Um nome de utilizador válido deve ser fornecido", + "Username contains whitespace at the beginning or at the end" : "Nome de utilizador contém espaço em branco no início ou no fim", + "A valid password must be provided" : "Uma password válida deve ser fornecida", + "The username is already being used" : "O nome de utilizador já está a ser usado", + "Could not create user" : "Não foi possível criar o utilizador", + "User disabled" : "Utilizador desativado", + "Login canceled by app" : "Sessão cancelada pela app", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "A aplicação \"%s\" não pode ser instalada porque as seguintes dependências não podem ser realizadas: %s", + "File is currently busy, please try again later" : "O ficheiro está ocupado, por favor, tente mais tarde", + "Can't read file" : "Não é possível ler o ficheiro", + "Application is not enabled" : "A aplicação não está activada", + "Authentication error" : "Erro na autenticação", + "Token expired. Please reload page." : "O token expirou. Por favor recarregue a página.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Nenhuma base de dados de drivers (sqlite, mysql, or postgresql) instaladas.", + "Cannot write into \"config\" directory" : "Não é possível escrever na directoria \"configurar\"", + "Cannot write into \"apps\" directory" : "Não é possivel escrever na directoria \"aplicações\"", + "Setting locale to %s failed" : "Definindo local para %s falhado", + "Please install one of these locales on your system and restart your webserver." : "Por favor instale um destes locais no seu sistema e reinicie o seu servidor web.", + "Please ask your server administrator to install the module." : "Por favor pergunte ao seu administrador do servidor para instalar o modulo.", + "PHP module %s not installed." : "O modulo %s PHP não está instalado.", + "PHP setting \"%s\" is not set to \"%s\"." : "Configuração PHP \"%s\" não está definida para \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload está configurado para \"%s\" invés do valor habitual de \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Para corrigir este problema altere o mbstring.func_overload para 0 no seu php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "Necessária pelo menos libxml2 2.7.0. Atualmente %s está instalada.", + "To fix this issue update your libxml2 version and restart your web server." : "Para corrigir este problema actualize a versão da libxml2 e reinicie o seu servidor web.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP está aparentemente configurado a remover blocos doc em linha. Isto vai tornar algumas aplicações básicas inacessíveis.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Isto é provavelmente causado por uma cache/acelerador como o Zend OPcache or eAcelerador.", + "PHP modules have been installed, but they are still listed as missing?" : "Os módulos PHP foram instalados, mas eles ainda estão listados como desaparecidos?", + "Please ask your server administrator to restart the web server." : "Pro favor pergunte ao seu administrador do servidor para reiniciar o servidor da internet.", + "PostgreSQL >= 9 required" : "Necessita PostgreSQL >= 9", + "Please upgrade your database version" : "Por favor actualize a sua versão da base de dados", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Por favor altere as permissões para 0770 para que esse directório não possa ser listado por outros utilizadores.", + "Check the value of \"datadirectory\" in your configuration" : "Verifique o valor de \"datadirectory\" na sua configuração", + "Could not obtain lock type %d on \"%s\"." : "Não foi possível obter o tipo de bloqueio %d em \"%s\".", + "Storage unauthorized. %s" : "Armazenamento desautorizado. %s", + "Storage incomplete configuration. %s" : "Configuração incompleta do armazenamento. %s", + "Storage connection error. %s" : "Erro de ligação ao armazenamento. %s", + "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/pt_PT.json b/lib/l10n/pt_PT.json new file mode 100644 index 0000000000000..d0403a5fcce29 --- /dev/null +++ b/lib/l10n/pt_PT.json @@ -0,0 +1,127 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Não é possível gravar na diretoria \"configurar\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Isto normalmente pode ser resolvido, dando ao servidor da Web direitos de gravação para a diretoria de configuração", + "See %s" : "Ver %s", + "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de configuração ao servidor web. Ver %s.", + "Sample configuration detected" : "Detetado exemplo de configuração", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Foi detectado que a configuração de amostra foi copiada. Isso pode danificar a sua instalação e não é suportado. Por favor, leia a documentação antes de realizar mudanças no config.php", + "PHP %s or higher is required." : "Necessário PHP %s ou superior.", + "PHP with a version lower than %s is required." : "É necessário um PHP com uma versão inferir a %s.", + "%sbit or higher PHP required." : "Necessário PHP %sbit ou superior.", + "Following databases are supported: %s" : "São suportadas as seguintes bases de dados: %s", + "The command line tool %s could not be found" : "Não foi encontrada a ferramenta de linha de comando %s", + "The library %s is not available." : "A biblioteca %s não está disponível.", + "Library %s with a version higher than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão superior a %s - versão disponível: %s.", + "Library %s with a version lower than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão inferior a %s - versão disponível: %s.", + "Following platforms are supported: %s" : "São suportadas as seguintes plataformas: %s", + "Unknown filetype" : "Tipo de ficheiro desconhecido", + "Invalid image" : "Imagem inválida", + "today" : "hoje", + "tomorrow" : "Amanhã", + "yesterday" : "ontem", + "_%n day ago_::_%n days ago_" : ["%n dia atrás","%n dias atrás"], + "last month" : "ultimo mês", + "last year" : "ano passado", + "_%n year ago_::_%n years ago_" : ["%n ano atrás","%n anos atrás"], + "seconds ago" : "Minutos atrás", + "File name is a reserved word" : "Nome de ficheiro é uma palavra reservada", + "File name contains at least one invalid character" : "Nome de ficheiro contém pelo menos um caráter inválido", + "File name is too long" : "Nome do ficheiro demasiado longo", + "Dot files are not allowed" : "Ficheiros dot não são permitidos", + "Empty filename is not allowed" : "Não é permitido um ficheiro sem nome", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "A app \"%s\" não pode ser instalada porque o ficheiro appinfo não pode ser lido.", + "This is an automatically sent email, please do not reply." : "Este e-mail foi enviado automaticamente, por favor não responda a este e-mail.", + "Help" : "Ajuda", + "Apps" : "Apps", + "Settings" : "Definições", + "Log out" : "Sair", + "Users" : "Utilizadores", + "Unknown user" : "Utilizador desconhecido", + "Sharing" : "Partilhar", + "Security" : "Segurança", + "__language_name__" : "Português", + "%s enter the database username and name." : "%s introduza o nome de utilizador da base de dados e o nome da base de dados.", + "%s enter the database username." : "%s introduza o nome de utilizador da base de dados", + "%s enter the database name." : "%s introduza o nome da base de dados", + "%s you may not use dots in the database name" : "%s não é permitido utilizar pontos (.) no nome da base de dados", + "Oracle connection could not be established" : "Não foi possível estabelecer a ligação Oracle", + "Oracle username and/or password not valid" : "Nome de utilizador/password do Oracle inválida", + "PostgreSQL username and/or password not valid" : "Nome de utilizador/password do PostgreSQL inválido", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Esta plataforma não suporta o sistema operativo Mac OS X e o %s poderá não funcionar correctamente. Utilize por sua conta e risco.", + "For the best results, please consider using a GNU/Linux server instead." : "Para um melhor resultado, utilize antes o servidor GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Parece que a instância %s está a ser executada num ambiente PHP de 32-bits e o open_basedir foi configurado no php.ini. Isto levará a problemas com ficheiros de tamanho superior a 4 GB e é altamente desencorajado.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Por favor, remova a definição open_basedir do seu php.ini ou altere o seu PHP para 64-bits.", + "Set an admin username." : "Definir um nome de utilizador de administrador", + "Set an admin password." : "Definiar uma password de administrador", + "Can't create or write into the data directory %s" : "Não é possível criar ou escrever a directoria data %s", + "Invalid Federated Cloud ID" : "Id. de Nuvem Federada Inválida", + "Sharing %s failed, because the backend does not allow shares from type %i" : "A partilha de %s falhou porque a interface não permite as partilhas do tipo %i", + "Sharing %s failed, because the file does not exist" : "A partilha de %s falhou, porque o ficheiro não existe", + "You are not allowed to share %s" : "Não está autorizado a partilhar %s", + "Sharing %s failed, because you can not share with yourself" : "A partilha de %s falhou, porque não é possível partilhar consigo mesmo", + "Sharing %s failed, because the user %s does not exist" : "A partilha %s falhou, porque o utilizador %s nao existe", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "A partilha %s falhou, porque o utilizador %s não pertence a nenhum dos grupos que %s é membro de", + "Sharing %s failed, because this item is already shared with %s" : "A partilha %s falhou, porque o item já está a ser partilhado com %s", + "Sharing %s failed, because this item is already shared with user %s" : "A partilha de %s falhou, porque este item já está a ser partilhado com o utilizador %s", + "Sharing %s failed, because the group %s does not exist" : "A partilha %s falhou, porque o grupo %s não existe", + "Sharing %s failed, because %s is not a member of the group %s" : "A partilha %s falhou, porque o utilizador %s não é membro do grupo %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Necessita de fornecer a senha para criar um link publico, só são permitidos links protegidos", + "Sharing %s failed, because sharing with links is not allowed" : "A partilha de %s falhou, porque partilhar com links não é permitido", + "Not allowed to create a federated share with the same user" : "Não é possível criar uma partilha federada com o mesmo utilizador", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "A partilha de %s falhou, não foi possível encontrar %s. É possível que o servidor esteja inacessível.", + "Share type %s is not valid for %s" : "O tipo de partilha %s não é válido para %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Não é possível definir data de expiração. As partilhas não podem expirar mais de %s depois de terem sido partilhadas", + "Cannot set expiration date. Expiration date is in the past" : "Não é possivel definir data de expiração. A data de expiração está no passado", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Ao partilhar a interface %s deve implementar a interface OCP\\Share_Backend", + "Sharing backend %s not found" : "Não foi encontrada a partilha da interface %s", + "Sharing backend for %s not found" : "Não foi encontrada a partilha da interface para %s", + "Sharing failed, because the user %s is the original sharer" : "A partilha falhou, porque o utilizador %s é o distribuidor original", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Definir permissões para %s falhou, porque as permissões excedem as permissões concedidas a %s", + "Sharing %s failed, because resharing is not allowed" : "A partilha %s falhou, porque repartilhar não é permitido", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "A partilha %s falhou porque a partilha da interface para %s não conseguiu encontrar a sua fonte", + "Sharing %s failed, because the file could not be found in the file cache" : "A partilha %s falhou, devido ao ficheiro não poder ser encontrado na cache de ficheiros", + "Expiration date is in the past" : "A data de expiração está no passado", + "%s shared »%s« with you" : "%s partilhado »%s« consigo", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Não foi encontrado a categoria \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Apenas os seguintes caracteres são permitidos num nome de utilizador: \"a-z\", \"A-Z\", \"0-9\", e \"_.@-'\"", + "A valid username must be provided" : "Um nome de utilizador válido deve ser fornecido", + "Username contains whitespace at the beginning or at the end" : "Nome de utilizador contém espaço em branco no início ou no fim", + "A valid password must be provided" : "Uma password válida deve ser fornecida", + "The username is already being used" : "O nome de utilizador já está a ser usado", + "Could not create user" : "Não foi possível criar o utilizador", + "User disabled" : "Utilizador desativado", + "Login canceled by app" : "Sessão cancelada pela app", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "A aplicação \"%s\" não pode ser instalada porque as seguintes dependências não podem ser realizadas: %s", + "File is currently busy, please try again later" : "O ficheiro está ocupado, por favor, tente mais tarde", + "Can't read file" : "Não é possível ler o ficheiro", + "Application is not enabled" : "A aplicação não está activada", + "Authentication error" : "Erro na autenticação", + "Token expired. Please reload page." : "O token expirou. Por favor recarregue a página.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Nenhuma base de dados de drivers (sqlite, mysql, or postgresql) instaladas.", + "Cannot write into \"config\" directory" : "Não é possível escrever na directoria \"configurar\"", + "Cannot write into \"apps\" directory" : "Não é possivel escrever na directoria \"aplicações\"", + "Setting locale to %s failed" : "Definindo local para %s falhado", + "Please install one of these locales on your system and restart your webserver." : "Por favor instale um destes locais no seu sistema e reinicie o seu servidor web.", + "Please ask your server administrator to install the module." : "Por favor pergunte ao seu administrador do servidor para instalar o modulo.", + "PHP module %s not installed." : "O modulo %s PHP não está instalado.", + "PHP setting \"%s\" is not set to \"%s\"." : "Configuração PHP \"%s\" não está definida para \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload está configurado para \"%s\" invés do valor habitual de \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Para corrigir este problema altere o mbstring.func_overload para 0 no seu php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "Necessária pelo menos libxml2 2.7.0. Atualmente %s está instalada.", + "To fix this issue update your libxml2 version and restart your web server." : "Para corrigir este problema actualize a versão da libxml2 e reinicie o seu servidor web.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP está aparentemente configurado a remover blocos doc em linha. Isto vai tornar algumas aplicações básicas inacessíveis.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Isto é provavelmente causado por uma cache/acelerador como o Zend OPcache or eAcelerador.", + "PHP modules have been installed, but they are still listed as missing?" : "Os módulos PHP foram instalados, mas eles ainda estão listados como desaparecidos?", + "Please ask your server administrator to restart the web server." : "Pro favor pergunte ao seu administrador do servidor para reiniciar o servidor da internet.", + "PostgreSQL >= 9 required" : "Necessita PostgreSQL >= 9", + "Please upgrade your database version" : "Por favor actualize a sua versão da base de dados", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Por favor altere as permissões para 0770 para que esse directório não possa ser listado por outros utilizadores.", + "Check the value of \"datadirectory\" in your configuration" : "Verifique o valor de \"datadirectory\" na sua configuração", + "Could not obtain lock type %d on \"%s\"." : "Não foi possível obter o tipo de bloqueio %d em \"%s\".", + "Storage unauthorized. %s" : "Armazenamento desautorizado. %s", + "Storage incomplete configuration. %s" : "Configuração incompleta do armazenamento. %s", + "Storage connection error. %s" : "Erro de ligação ao armazenamento. %s", + "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/ro.js b/lib/l10n/ro.js new file mode 100644 index 0000000000000..c81b9b1ec80b2 --- /dev/null +++ b/lib/l10n/ro.js @@ -0,0 +1,144 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Nu se poate scrie în folderul \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Aceasta se poate repara de obicei prin permiterea accesului de scriere la dosarul de configurare al serverului Web", + "See %s" : "Vezi %s", + "Sample configuration detected" : "A fost detectată o configurație exemplu", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "S-a detectat copierea configurației exemplu. Acest lucru poate duce la oprirea instanței tale și nu este suportat. Te rugăm să citești documentația înainte de a face modificări în fișierul config.php", + "%1$s and %2$s" : "%1$s și %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s și %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s și %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s și %5$s", + "PHP %s or higher is required." : "Versiunea PHP %s sau mai mare este necesară.", + "PHP with a version lower than %s is required." : "Este necesară o versiune PHP mai mică decât %s", + "%sbit or higher PHP required." : "Este necesar PHP %sbit sau mai mare.", + "Following databases are supported: %s" : "Următoarele baze de date sunt suportate: %s", + "The command line tool %s could not be found" : "Unealta în linie de comandă %s nu a fost găsită", + "The library %s is not available." : "Biblioteca %s nu este disponibilă.", + "Following platforms are supported: %s" : "Sunt suportate următoarele platforme: %s", + "Unknown filetype" : "Tip fișier necunoscut", + "Invalid image" : "Imagine invalidă", + "today" : "astăzi", + "tomorrow" : "mâine", + "yesterday" : "ieri", + "_%n day ago_::_%n days ago_" : ["Acum o zi","Acum %n zile","Acum %n zile"], + "last month" : "ultima lună", + "_%n month ago_::_%n months ago_" : ["%n lună în urmă","%n luni în urmă","%n luni în urmă"], + "last year" : "ultimul an", + "_%n year ago_::_%n years ago_" : ["%n an în urmă","%n ani în urmâ","%n ani în urmâ"], + "in a few seconds" : "în câteva secunde", + "seconds ago" : "secunde în urmă", + "File name is a reserved word" : "Numele fișierului este un cuvânt rezervat", + "File name contains at least one invalid character" : "Numele fișierului conține măcar un caracter invalid", + "File name is too long" : "Numele fișierului este prea lung", + "Dot files are not allowed" : "Fișierele care încep cu caracterul punct nu sunt permise", + "Empty filename is not allowed" : "Nu este permis fișier fără nume", + "Help" : "Ajutor", + "Apps" : "Aplicații", + "Settings" : "Setări", + "Log out" : "Ieșire", + "Users" : "Utilizatori", + "Unknown user" : "Utilizator necunoscut", + "Basic settings" : "Setări de bază", + "Sharing" : "Partajare", + "Security" : "Securitate", + "Encryption" : "Încriptare", + "Additional settings" : "Setări adiționale", + "Tips & tricks" : "Sfaturi & trucuri", + "Personal info" : "Informații personale", + "__language_name__" : "Română", + "Verifying …" : "Se verifică ...", + "Verify" : "Verifică", + "%s enter the database username and name." : "%s introdu numele de utilizator și parola pentru baza de date.", + "%s enter the database username." : "%s introdu utilizatorul bazei de date.", + "%s enter the database name." : "%s introduceți numele bazei de date", + "Oracle connection could not be established" : "Conexiunea Oracle nu a putut fi stabilită", + "Oracle username and/or password not valid" : "Numele de utilizator sau / și parola Oracle nu sunt valide", + "PostgreSQL username and/or password not valid" : "Nume utilizator și/sau parolă PostgreSQL greșită", + "For the best results, please consider using a GNU/Linux server instead." : "Pentru cele mai bune rezultate, ia în calcul folosirea unui server care rulează un sistem de operare GNU/Linux.", + "Set an admin username." : "Setează un nume de administrator.", + "Set an admin password." : "Setează o parolă de administrator.", + "Invalid Federated Cloud ID" : "ID invalid cloud federalizat", + "Sharing %s failed, because the file does not exist" : "Partajarea %s a eșuat deoarece fișierul nu există", + "You are not allowed to share %s" : "Nu există permisiunea de partajare %s", + "Sharing %s failed, because you can not share with yourself" : "Partajarea %s a eșuat deoarece nu-l poți partaja cu tine însuți", + "Sharing %s failed, because the user %s does not exist" : "Partajarea %s a eșuat deoarece utilizatorul %s nu există", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Partajarea %s a eșuat deoarece utilizatorul %s nu face parte din niciunul din grupurile din care %s face parte", + "Sharing %s failed, because this item is already shared with %s" : "Partajarea %s a eșuat deoarece acest element este deja partajat cu %s", + "Sharing %s failed, because this item is already shared with user %s" : "Partajarea %s a eșuat deoarece acest element este deja partajat cu utilizatorul %s", + "Sharing %s failed, because the group %s does not exist" : "Partajarea %s a eșuat deoarece grupul %s nu există", + "Sharing %s failed, because %s is not a member of the group %s" : "Partajarea %s a eșuat deoarce %s nu face parte din grupul %s", + "Not allowed to create a federated share with the same user" : "Nu este permisă crearea unei partajări federalizate cu acelaşi utilizator", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Partajarea %s a eşuat, nu pot găsi %s, poate serverul nu poate fi contactat.", + "Share type %s is not valid for %s" : "Tipul partajării %s nu este valid pentru %s", + "Files can’t be shared with delete permissions" : "Fișierele nu pot fi partajate cu permisiuni de ștergere", + "Expiration date is in the past" : "Data expirării este în trecut", + "%s shared »%s« with you" : "%s Partajat »%s« cu tine de", + "%s shared »%s« with you." : "%s a partajat »%s« cu tine.", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Cloud nu a gasit categoria \"%s\"", + "Sunday" : "Duminică", + "Monday" : "Luni", + "Tuesday" : "Marți", + "Wednesday" : "Miercuri", + "Thursday" : "Joi", + "Friday" : "Vineri", + "Saturday" : "Sâmbătă", + "Sun." : "Dum.", + "Mon." : "Lun.", + "Tue." : "Mar.", + "Wed." : "Mie.", + "Thu." : "Joi", + "Fri." : "Vin.", + "Sat." : "Sâm.", + "Su" : "Du", + "Mo" : "Lu", + "Tu" : "Ma", + "We" : "Mi", + "Th" : "Jo", + "Fr" : "Vi", + "Sa" : "Sâ", + "January" : "Ianuarie", + "February" : "Februarie", + "March" : "Martie", + "April" : "Aprilie", + "May" : "Mai", + "June" : "Iunie", + "July" : "Iulie", + "August" : "August", + "September" : "Septembrie", + "October" : "Octombrie", + "November" : "Noiembrie", + "December" : "Decembrie", + "Jan." : "Ian.", + "Feb." : "Feb.", + "Mar." : "Mar.", + "Apr." : "Apr.", + "May." : "Mai", + "Jun." : "Iun.", + "Jul." : "Iul.", + "Aug." : "Aug.", + "Sep." : "Sep.", + "Oct." : "Oct.", + "Nov." : "Noi.", + "Dec." : "Dec.", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Numai următoarele caractere sunt permise în numele utilizatorului: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"", + "A valid username must be provided" : "Trebuie să furnizaţi un nume de utilizator valid", + "Username contains whitespace at the beginning or at the end" : "Utilizatorul contine spațiu liber la început sau la sfârșit", + "Username must not consist of dots only" : "Numele utilizatorului nu poate conține numai puncte", + "A valid password must be provided" : "Trebuie să furnizaţi o parolă validă", + "The username is already being used" : "Numele de utilizator este deja folosit", + "Could not create user" : "Nu s-a putut crea utilizatorul", + "User disabled" : "Utilizator dezactivat", + "Application is not enabled" : "Aplicația nu este activată", + "Authentication error" : "Eroare la autentificare", + "Token expired. Please reload page." : "Token expirat. Te rugăm să reîncarci pagina.", + "Cannot write into \"config\" directory" : "Nu se poate scrie în folderul \"config\"", + "Cannot write into \"apps\" directory" : "Nu se poate scrie în folderul \"apps\"", + "PHP module %s not installed." : "Modulul PHP %s nu este instalat.", + "PHP modules have been installed, but they are still listed as missing?" : "Modulele PHP au fost instalate, dar apar ca lipsind?", + "PostgreSQL >= 9 required" : "Este necesară versiunea 9 sau mai mare a PostgreSQL", + "Please upgrade your database version" : "Actualizați baza de date la o versiune mai nouă" +}, +"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); diff --git a/lib/l10n/ro.json b/lib/l10n/ro.json new file mode 100644 index 0000000000000..f21f80d0cb8be --- /dev/null +++ b/lib/l10n/ro.json @@ -0,0 +1,142 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Nu se poate scrie în folderul \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Aceasta se poate repara de obicei prin permiterea accesului de scriere la dosarul de configurare al serverului Web", + "See %s" : "Vezi %s", + "Sample configuration detected" : "A fost detectată o configurație exemplu", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "S-a detectat copierea configurației exemplu. Acest lucru poate duce la oprirea instanței tale și nu este suportat. Te rugăm să citești documentația înainte de a face modificări în fișierul config.php", + "%1$s and %2$s" : "%1$s și %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s și %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s și %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s și %5$s", + "PHP %s or higher is required." : "Versiunea PHP %s sau mai mare este necesară.", + "PHP with a version lower than %s is required." : "Este necesară o versiune PHP mai mică decât %s", + "%sbit or higher PHP required." : "Este necesar PHP %sbit sau mai mare.", + "Following databases are supported: %s" : "Următoarele baze de date sunt suportate: %s", + "The command line tool %s could not be found" : "Unealta în linie de comandă %s nu a fost găsită", + "The library %s is not available." : "Biblioteca %s nu este disponibilă.", + "Following platforms are supported: %s" : "Sunt suportate următoarele platforme: %s", + "Unknown filetype" : "Tip fișier necunoscut", + "Invalid image" : "Imagine invalidă", + "today" : "astăzi", + "tomorrow" : "mâine", + "yesterday" : "ieri", + "_%n day ago_::_%n days ago_" : ["Acum o zi","Acum %n zile","Acum %n zile"], + "last month" : "ultima lună", + "_%n month ago_::_%n months ago_" : ["%n lună în urmă","%n luni în urmă","%n luni în urmă"], + "last year" : "ultimul an", + "_%n year ago_::_%n years ago_" : ["%n an în urmă","%n ani în urmâ","%n ani în urmâ"], + "in a few seconds" : "în câteva secunde", + "seconds ago" : "secunde în urmă", + "File name is a reserved word" : "Numele fișierului este un cuvânt rezervat", + "File name contains at least one invalid character" : "Numele fișierului conține măcar un caracter invalid", + "File name is too long" : "Numele fișierului este prea lung", + "Dot files are not allowed" : "Fișierele care încep cu caracterul punct nu sunt permise", + "Empty filename is not allowed" : "Nu este permis fișier fără nume", + "Help" : "Ajutor", + "Apps" : "Aplicații", + "Settings" : "Setări", + "Log out" : "Ieșire", + "Users" : "Utilizatori", + "Unknown user" : "Utilizator necunoscut", + "Basic settings" : "Setări de bază", + "Sharing" : "Partajare", + "Security" : "Securitate", + "Encryption" : "Încriptare", + "Additional settings" : "Setări adiționale", + "Tips & tricks" : "Sfaturi & trucuri", + "Personal info" : "Informații personale", + "__language_name__" : "Română", + "Verifying …" : "Se verifică ...", + "Verify" : "Verifică", + "%s enter the database username and name." : "%s introdu numele de utilizator și parola pentru baza de date.", + "%s enter the database username." : "%s introdu utilizatorul bazei de date.", + "%s enter the database name." : "%s introduceți numele bazei de date", + "Oracle connection could not be established" : "Conexiunea Oracle nu a putut fi stabilită", + "Oracle username and/or password not valid" : "Numele de utilizator sau / și parola Oracle nu sunt valide", + "PostgreSQL username and/or password not valid" : "Nume utilizator și/sau parolă PostgreSQL greșită", + "For the best results, please consider using a GNU/Linux server instead." : "Pentru cele mai bune rezultate, ia în calcul folosirea unui server care rulează un sistem de operare GNU/Linux.", + "Set an admin username." : "Setează un nume de administrator.", + "Set an admin password." : "Setează o parolă de administrator.", + "Invalid Federated Cloud ID" : "ID invalid cloud federalizat", + "Sharing %s failed, because the file does not exist" : "Partajarea %s a eșuat deoarece fișierul nu există", + "You are not allowed to share %s" : "Nu există permisiunea de partajare %s", + "Sharing %s failed, because you can not share with yourself" : "Partajarea %s a eșuat deoarece nu-l poți partaja cu tine însuți", + "Sharing %s failed, because the user %s does not exist" : "Partajarea %s a eșuat deoarece utilizatorul %s nu există", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Partajarea %s a eșuat deoarece utilizatorul %s nu face parte din niciunul din grupurile din care %s face parte", + "Sharing %s failed, because this item is already shared with %s" : "Partajarea %s a eșuat deoarece acest element este deja partajat cu %s", + "Sharing %s failed, because this item is already shared with user %s" : "Partajarea %s a eșuat deoarece acest element este deja partajat cu utilizatorul %s", + "Sharing %s failed, because the group %s does not exist" : "Partajarea %s a eșuat deoarece grupul %s nu există", + "Sharing %s failed, because %s is not a member of the group %s" : "Partajarea %s a eșuat deoarce %s nu face parte din grupul %s", + "Not allowed to create a federated share with the same user" : "Nu este permisă crearea unei partajări federalizate cu acelaşi utilizator", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Partajarea %s a eşuat, nu pot găsi %s, poate serverul nu poate fi contactat.", + "Share type %s is not valid for %s" : "Tipul partajării %s nu este valid pentru %s", + "Files can’t be shared with delete permissions" : "Fișierele nu pot fi partajate cu permisiuni de ștergere", + "Expiration date is in the past" : "Data expirării este în trecut", + "%s shared »%s« with you" : "%s Partajat »%s« cu tine de", + "%s shared »%s« with you." : "%s a partajat »%s« cu tine.", + "%s via %s" : "%s via %s", + "Could not find category \"%s\"" : "Cloud nu a gasit categoria \"%s\"", + "Sunday" : "Duminică", + "Monday" : "Luni", + "Tuesday" : "Marți", + "Wednesday" : "Miercuri", + "Thursday" : "Joi", + "Friday" : "Vineri", + "Saturday" : "Sâmbătă", + "Sun." : "Dum.", + "Mon." : "Lun.", + "Tue." : "Mar.", + "Wed." : "Mie.", + "Thu." : "Joi", + "Fri." : "Vin.", + "Sat." : "Sâm.", + "Su" : "Du", + "Mo" : "Lu", + "Tu" : "Ma", + "We" : "Mi", + "Th" : "Jo", + "Fr" : "Vi", + "Sa" : "Sâ", + "January" : "Ianuarie", + "February" : "Februarie", + "March" : "Martie", + "April" : "Aprilie", + "May" : "Mai", + "June" : "Iunie", + "July" : "Iulie", + "August" : "August", + "September" : "Septembrie", + "October" : "Octombrie", + "November" : "Noiembrie", + "December" : "Decembrie", + "Jan." : "Ian.", + "Feb." : "Feb.", + "Mar." : "Mar.", + "Apr." : "Apr.", + "May." : "Mai", + "Jun." : "Iun.", + "Jul." : "Iul.", + "Aug." : "Aug.", + "Sep." : "Sep.", + "Oct." : "Oct.", + "Nov." : "Noi.", + "Dec." : "Dec.", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Numai următoarele caractere sunt permise în numele utilizatorului: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"", + "A valid username must be provided" : "Trebuie să furnizaţi un nume de utilizator valid", + "Username contains whitespace at the beginning or at the end" : "Utilizatorul contine spațiu liber la început sau la sfârșit", + "Username must not consist of dots only" : "Numele utilizatorului nu poate conține numai puncte", + "A valid password must be provided" : "Trebuie să furnizaţi o parolă validă", + "The username is already being used" : "Numele de utilizator este deja folosit", + "Could not create user" : "Nu s-a putut crea utilizatorul", + "User disabled" : "Utilizator dezactivat", + "Application is not enabled" : "Aplicația nu este activată", + "Authentication error" : "Eroare la autentificare", + "Token expired. Please reload page." : "Token expirat. Te rugăm să reîncarci pagina.", + "Cannot write into \"config\" directory" : "Nu se poate scrie în folderul \"config\"", + "Cannot write into \"apps\" directory" : "Nu se poate scrie în folderul \"apps\"", + "PHP module %s not installed." : "Modulul PHP %s nu este instalat.", + "PHP modules have been installed, but they are still listed as missing?" : "Modulele PHP au fost instalate, dar apar ca lipsind?", + "PostgreSQL >= 9 required" : "Este necesară versiunea 9 sau mai mare a PostgreSQL", + "Please upgrade your database version" : "Actualizați baza de date la o versiune mai nouă" +},"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" +} \ No newline at end of file diff --git a/lib/l10n/si_LK.js b/lib/l10n/si_LK.js new file mode 100644 index 0000000000000..86c6a004faf87 --- /dev/null +++ b/lib/l10n/si_LK.js @@ -0,0 +1,16 @@ +OC.L10N.register( + "lib", + { + "today" : "අද", + "yesterday" : "ඊයේ", + "last month" : "පෙර මාසයේ", + "last year" : "පෙර අවුරුද්දේ", + "seconds ago" : "තත්පරයන්ට පෙර", + "Apps" : "යෙදුම්", + "Users" : "පරිශීලකයන්", + "__language_name__" : "සිංහල", + "Application is not enabled" : "යෙදුම සක්‍රිය කර නොමැත", + "Authentication error" : "සත්‍යාපන දෝෂයක්", + "Token expired. Please reload page." : "ටෝකනය කල් ඉකුත් වී ඇත. පිටුව නැවුම් කරන්න" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/si_LK.json b/lib/l10n/si_LK.json new file mode 100644 index 0000000000000..ec21b566290d2 --- /dev/null +++ b/lib/l10n/si_LK.json @@ -0,0 +1,14 @@ +{ "translations": { + "today" : "අද", + "yesterday" : "ඊයේ", + "last month" : "පෙර මාසයේ", + "last year" : "පෙර අවුරුද්දේ", + "seconds ago" : "තත්පරයන්ට පෙර", + "Apps" : "යෙදුම්", + "Users" : "පරිශීලකයන්", + "__language_name__" : "සිංහල", + "Application is not enabled" : "යෙදුම සක්‍රිය කර නොමැත", + "Authentication error" : "සත්‍යාපන දෝෂයක්", + "Token expired. Please reload page." : "ටෝකනය කල් ඉකුත් වී ඇත. පිටුව නැවුම් කරන්න" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/sl.js b/lib/l10n/sl.js new file mode 100644 index 0000000000000..6926bc6f88d96 --- /dev/null +++ b/lib/l10n/sl.js @@ -0,0 +1,135 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Mapa 'config' nima določenih ustreznih dovoljenj za pisanje!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Napako je mogoče odpraviti z dodelitvijo dovoljenja spletnemu strežniku za pisanje v nastavitveno mapo.", + "See %s" : "Oglejte si %s", + "Sample configuration detected" : "Zaznana je neustrezna preizkusna nastavitev", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Zaznano je, da je bila v sistem kopirana datoteka z enostavno nastavitvijo. To lahko vpliva na namestitev in zato možnost ni podprta. Pred spremembami datoteke config.php si natančno preberite dokumentacijo.", + "%1$s and %2$s" : "%1$s in %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s in %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s in %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s in %5$s", + "PHP %s or higher is required." : "Zahtevana je različica PHP %s ali višja.", + "PHP with a version lower than %s is required." : "Zahtevana je različica PHP manj kot %s.", + "%sbit or higher PHP required." : "Zahtevana je različica PHP %s ali višja.", + "Following databases are supported: %s" : "Podprte so navedene podatkovne zbirke: %s", + "The command line tool %s could not be found" : "Orodja ukazne vrstice %s ni mogoče najti", + "The library %s is not available." : "Knjižnica %s ni na voljo.", + "Library %s with a version higher than %s is required - available version %s." : "Zahtevana je knjižnica %s z različico, višjo od %s – na voljo je različica %s.", + "Library %s with a version lower than %s is required - available version %s." : "Zahtevana je knjižnica %s z različico, manjšo od %s – na voljo je različica %s.", + "Following platforms are supported: %s" : "Podprta so okolja: %s", + "Server version %s or higher is required." : "Zaželena verzija strežnika je %s ali višja.", + "Server version %s or lower is required." : "Zaželena verzija strežnika je %s ali nižja.", + "Unknown filetype" : "Neznana vrsta datoteke", + "Invalid image" : "Neveljavna slika", + "today" : "danes", + "yesterday" : "včeraj", + "_%n day ago_::_%n days ago_" : ["pred %n dnevom","pred %n dnevoma","pred %n dnevi","pred %n dnevi"], + "last month" : "zadnji mesec", + "_%n month ago_::_%n months ago_" : ["pred %n mesecem","pred %n mesecema","pred %n meseci","pred %n meseci"], + "last year" : "lansko leto", + "_%n year ago_::_%n years ago_" : ["pred %n letom","pred %n letoma","pred %n leti","pred %n leti"], + "_%n hour ago_::_%n hours ago_" : ["pred %n uro","pred %n urama","pred %n urami","pred %n urami"], + "_%n minute ago_::_%n minutes ago_" : ["pred %n minuto","pred %n minutama","pred %n minutami","pred %n minutami"], + "seconds ago" : "pred nekaj sekundami", + "File name is a reserved word" : "Ime datoteke je zadržana beseda", + "File name contains at least one invalid character" : "Ime datoteke vsebuje vsaj en neveljaven znak.", + "File name is too long" : "Ime datoteke je predolgo", + "Dot files are not allowed" : "Skrite datoteke niso dovoljene", + "Empty filename is not allowed" : "Prazno polje imena datoteke ni dovoljeno.", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "Programa \\\"%s\\\" ni mogoče namestiti, ker ni mogoče brati datoteke appinfo.", + "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "Aplikacije \"%s\" ni mogoče namestiti, ker ni združljiva s trenutno verzijo strežnika", + "Apps" : "Programi", + "Users" : "Uporabniki", + "Unknown user" : "Neznan uporabnik", + "Basic settings" : "Osnovne nastavitve", + "Security" : "Varnost", + "Tips & tricks" : "Triki in nasveti", + "__language_name__" : "Slovenščina", + "%s enter the database username and name." : "%s - vnos uporabniškega imena in imena podatkovne zbirke.", + "%s enter the database username." : "%s - vnos uporabniškega imena podatkovne zbirke.", + "%s enter the database name." : "%s - vnos imena podatkovne zbirke.", + "%s you may not use dots in the database name" : "%s - v imenu podatkovne zbirke ni dovoljeno uporabljati pik.", + "Oracle connection could not be established" : "Povezave s sistemom Oracle ni mogoče vzpostaviti.", + "Oracle username and/or password not valid" : "Uporabniško ime ali geslo Oracle ni veljavno", + "PostgreSQL username and/or password not valid" : "Uporabniško ime ali geslo PostgreSQL ni veljavno", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Sistem Mac OS X ni podprt, zato %s v tem okolju ne bo deloval zanesljivo. Program uporabljate na lastno odgovornost! ", + "For the best results, please consider using a GNU/Linux server instead." : "Za najbolj še rezultate je priporočljivo uporabljati strežnik GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Videti je, da je dejavna seja %s zagnana v 32-bitnem okolju PHP in, da je v datoteki php.ini nastavljen open_basedir . Tako delovanje ni priporočljivo, saj se lahko pojavijo težave z datotekami, večjimi od 4GB.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Odstraniti je treba nastavitev open_basedir v datoteki php.ini ali pa preklopiti na 64-bitno okolje PHP.", + "Set an admin username." : "Nastavi uporabniško ime skrbnika.", + "Set an admin password." : "Nastavi geslo skrbnika.", + "Can't create or write into the data directory %s" : "Ni mogoče zapisati podatkov v podatkovno mapo %s", + "Invalid Federated Cloud ID" : "Neveljaven ID zveznega oblaka ownCloud", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Omogočanje souporabe %s je spodletelo, ker ozadnji program ne dopušča souporabe vrste %i.", + "Sharing %s failed, because the file does not exist" : "Souporaba %s je spodletela, ker ta datoteka ne obstaja", + "You are not allowed to share %s" : "Omogočanje souporabe %s brez ustreznih dovoljenj ni mogoče.", + "Sharing %s failed, because you can not share with yourself" : "Nastavitev %s souporabe je spodletela, ker souporaba s samim seboj ni mogoča.", + "Sharing %s failed, because the user %s does not exist" : "Nastavljanje souporabe %s je spodletelo, ker uporabnik %s ne obstaja.", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Nastavljanje souporabe %s je spodletelo, ker uporabnik %s ni član nobene skupine, v kateri je tudi uporabnik %s.", + "Sharing %s failed, because this item is already shared with %s" : "Nastavljanje souporabe %s je spodletela, ker je ima uporabnik %s predmet že v souporabi.", + "Sharing %s failed, because this item is already shared with user %s" : "Nastavljanje souporabe %s je spodletelo, ker je predmet že v souporabi z uporabnikom %s.", + "Sharing %s failed, because the group %s does not exist" : "Nastavljanje souporabe %s je spodletelo, ker je skupina %s ne obstaja.", + "Sharing %s failed, because %s is not a member of the group %s" : "Nastavljanje souporabe %s je spodletelo, ker uporabnik %s ni član skupine %s.", + "You need to provide a password to create a public link, only protected links are allowed" : "Navesti je treba geslo za ustvarjanje javne povezave, saj so dovoljene le zaščitene.", + "Sharing %s failed, because sharing with links is not allowed" : "Nastavljanje souporabe %s je spodletelo, ker souporaba preko povezave ni dovoljena.", + "Not allowed to create a federated share with the same user" : "Ni dovoljeno ustvariti souporabe zveznega oblaka z istim uporabnikom", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Omogočanje souporabe %s je spodletelo, ker ni mogoče najti %s. Najverjetneje je strežnik nedosegljiv.", + "Share type %s is not valid for %s" : "Vrsta souporabe %s za %s ni veljavna.", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Ni mogoče določiti datuma preteka. Ni dovoljeno, da so mape ali datoteke, dodeljene v souporabo, v souporabi po %s.", + "Cannot set expiration date. Expiration date is in the past" : "Ni mogoče nastaviti datuma preteka. Ta datum je že preteklost.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Souporaba ozadnjega programa %s mora vsebovati tudi vmesnik OCP\\Share_Backend", + "Sharing backend %s not found" : "Ozadnjega programa %s za souporabo ni mogoče najti", + "Sharing backend for %s not found" : "Ozadnjega programa za souporabo za %s ni mogoče najti", + "Sharing failed, because the user %s is the original sharer" : "Nastavitev souporabe je spodletela, ker je uporabnik %s souporabo izvorno nastavil.", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Nastavljanje souporabe %s je spodletelo, ker zahteve presegajo dodeljena dovoljenja za %s.", + "Sharing %s failed, because resharing is not allowed" : "Nastavljanje souporabe %s je spodletelo, ker nadaljnje omogočanje souporabe ni dovoljeno.", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Nastavljanje souporabe %s je spodletelo, ker ozadnji program %s ne upravlja z viri.", + "Sharing %s failed, because the file could not be found in the file cache" : "Nastavljanje souporabe %s je spodletelo, ker v predpomnilniku zahtevana datoteka ne obstaja.", + "Expiration date is in the past" : "Datum preteka je že mimo!", + "%s shared »%s« with you" : "%s je omogočil souporabo »%s«", + "%s via %s" : "%s prek %s", + "Could not find category \"%s\"" : "Kategorije \"%s\" ni mogoče najti.", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "V uporabniškem imenu je dovoljeno uporabiti le znake: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"", + "A valid username must be provided" : "Navedeno mora biti veljavno uporabniško ime", + "Username contains whitespace at the beginning or at the end" : "Uporabniško ime vsebuje presledni znak na začetku ali na koncu imena.", + "A valid password must be provided" : "Navedeno mora biti veljavno geslo", + "The username is already being used" : "Vpisano uporabniško ime je že v uporabi", + "User disabled" : "Uporabnik je onemogočen", + "Login canceled by app" : "Aplikacija je prijavo prekinila.", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Programa \"%s\" ni mogoče namestiti zaradi nerešenih odvisnosti: %s", + "a safe home for all your data" : "varen dom za vse vaše podatke", + "File is currently busy, please try again later" : "Datoteka je trenutno v uporabi. Poskusite znova kasneje.", + "Can't read file" : "Datoteke ni mogoče prebrati.", + "Application is not enabled" : "Program ni omogočen", + "Authentication error" : "Napaka overjanja", + "Token expired. Please reload page." : "Žeton je potekel. Stran je treba ponovno naložiti.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Ni nameščenih programnikov podatkovnih zbirk (sqlite, mysql, ali postgresql).", + "Cannot write into \"config\" directory" : "Mapa 'config' nima nastavljenih ustreznih dovoljenj za pisanje!", + "Cannot write into \"apps\" directory" : "Mapa \"apps\" nima nastavljenih ustreznih dovoljenj za pisanje!", + "Setting locale to %s failed" : "Nastavljanje jezikovnih določil na %s je spodletelo.", + "Please install one of these locales on your system and restart your webserver." : "Namestiti je treba podporo za vsaj eno od navedenih jezikovnih določil v sistemu in nato ponovno zagnati spletni strežnik.", + "Please ask your server administrator to install the module." : "Obvestite skrbnika strežnika, da je treba namestiti manjkajoč modul.", + "PHP module %s not installed." : "Modul PHP %s ni nameščen.", + "PHP setting \"%s\" is not set to \"%s\"." : "Nastavitev PHP \"%s\" ni nastavljena na \"%s\".", + "Adjusting this setting in php.ini will make Nextcloud run again" : "Nastavitev tega parametra v php.ini bo vzpostavilo ponovno delovanje NextCloud", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload je nastavljeno na \"%s\" namesto pričakovane vrednosti \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Za reštev te težave nastavi mbstring.func_overload na 0 v tvojem php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "libxml2 mora iti vsaj 2.7.0. Trenutno je nameščena %s.", + "To fix this issue update your libxml2 version and restart your web server." : "Za rešitev te težave je treba posodobiti knjižnico libxml2 in nato ponovno zagnati spletni strežnik.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : " Izgleda, da je PHP nastavljen, da odreže znake v 'inline doc' blokih. To bo povzročilo, da nekateri osnovni moduli ne bodo dosegljivi.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Napako je najverjetneje povzročil predpomnilnik ali pospeševalnik, kot sta Zend OPcache ali eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Ali so bili moduli PHP nameščeni, pa so še vedno označeni kot manjkajoči?", + "Please ask your server administrator to restart the web server." : "Obvestite skrbnika strežnika, da je treba ponovno zagnati spletni strežnik.", + "PostgreSQL >= 9 required" : "Zahtevana je različica PostgreSQL >= 9.", + "Please upgrade your database version" : "Posodobite različico podatkovne zbirke.", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Spremenite dovoljenja mape na 0770 in s tem onemogočite branje vsebine drugim uporabnikom.", + "Check the value of \"datadirectory\" in your configuration" : "V konfiguraciji preverite nastavitev \"datadirectory\"", + "Could not obtain lock type %d on \"%s\"." : "Ni mogoče pridobiti zaklepa %d na \"%s\".", + "Storage unauthorized. %s" : "Dostop do shrambe ni overjen. %s", + "Storage incomplete configuration. %s" : "Nepopolna nastavitev shrambe. %s", + "Storage connection error. %s" : "Napaka povezave do shrambe. %s", + "Storage connection timeout. %s" : "Povezava do shrambe je časovno potekla. %s" +}, +"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/lib/l10n/sl.json b/lib/l10n/sl.json new file mode 100644 index 0000000000000..be4c50878c986 --- /dev/null +++ b/lib/l10n/sl.json @@ -0,0 +1,133 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Mapa 'config' nima določenih ustreznih dovoljenj za pisanje!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Napako je mogoče odpraviti z dodelitvijo dovoljenja spletnemu strežniku za pisanje v nastavitveno mapo.", + "See %s" : "Oglejte si %s", + "Sample configuration detected" : "Zaznana je neustrezna preizkusna nastavitev", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Zaznano je, da je bila v sistem kopirana datoteka z enostavno nastavitvijo. To lahko vpliva na namestitev in zato možnost ni podprta. Pred spremembami datoteke config.php si natančno preberite dokumentacijo.", + "%1$s and %2$s" : "%1$s in %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s in %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s in %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s in %5$s", + "PHP %s or higher is required." : "Zahtevana je različica PHP %s ali višja.", + "PHP with a version lower than %s is required." : "Zahtevana je različica PHP manj kot %s.", + "%sbit or higher PHP required." : "Zahtevana je različica PHP %s ali višja.", + "Following databases are supported: %s" : "Podprte so navedene podatkovne zbirke: %s", + "The command line tool %s could not be found" : "Orodja ukazne vrstice %s ni mogoče najti", + "The library %s is not available." : "Knjižnica %s ni na voljo.", + "Library %s with a version higher than %s is required - available version %s." : "Zahtevana je knjižnica %s z različico, višjo od %s – na voljo je različica %s.", + "Library %s with a version lower than %s is required - available version %s." : "Zahtevana je knjižnica %s z različico, manjšo od %s – na voljo je različica %s.", + "Following platforms are supported: %s" : "Podprta so okolja: %s", + "Server version %s or higher is required." : "Zaželena verzija strežnika je %s ali višja.", + "Server version %s or lower is required." : "Zaželena verzija strežnika je %s ali nižja.", + "Unknown filetype" : "Neznana vrsta datoteke", + "Invalid image" : "Neveljavna slika", + "today" : "danes", + "yesterday" : "včeraj", + "_%n day ago_::_%n days ago_" : ["pred %n dnevom","pred %n dnevoma","pred %n dnevi","pred %n dnevi"], + "last month" : "zadnji mesec", + "_%n month ago_::_%n months ago_" : ["pred %n mesecem","pred %n mesecema","pred %n meseci","pred %n meseci"], + "last year" : "lansko leto", + "_%n year ago_::_%n years ago_" : ["pred %n letom","pred %n letoma","pred %n leti","pred %n leti"], + "_%n hour ago_::_%n hours ago_" : ["pred %n uro","pred %n urama","pred %n urami","pred %n urami"], + "_%n minute ago_::_%n minutes ago_" : ["pred %n minuto","pred %n minutama","pred %n minutami","pred %n minutami"], + "seconds ago" : "pred nekaj sekundami", + "File name is a reserved word" : "Ime datoteke je zadržana beseda", + "File name contains at least one invalid character" : "Ime datoteke vsebuje vsaj en neveljaven znak.", + "File name is too long" : "Ime datoteke je predolgo", + "Dot files are not allowed" : "Skrite datoteke niso dovoljene", + "Empty filename is not allowed" : "Prazno polje imena datoteke ni dovoljeno.", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "Programa \\\"%s\\\" ni mogoče namestiti, ker ni mogoče brati datoteke appinfo.", + "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "Aplikacije \"%s\" ni mogoče namestiti, ker ni združljiva s trenutno verzijo strežnika", + "Apps" : "Programi", + "Users" : "Uporabniki", + "Unknown user" : "Neznan uporabnik", + "Basic settings" : "Osnovne nastavitve", + "Security" : "Varnost", + "Tips & tricks" : "Triki in nasveti", + "__language_name__" : "Slovenščina", + "%s enter the database username and name." : "%s - vnos uporabniškega imena in imena podatkovne zbirke.", + "%s enter the database username." : "%s - vnos uporabniškega imena podatkovne zbirke.", + "%s enter the database name." : "%s - vnos imena podatkovne zbirke.", + "%s you may not use dots in the database name" : "%s - v imenu podatkovne zbirke ni dovoljeno uporabljati pik.", + "Oracle connection could not be established" : "Povezave s sistemom Oracle ni mogoče vzpostaviti.", + "Oracle username and/or password not valid" : "Uporabniško ime ali geslo Oracle ni veljavno", + "PostgreSQL username and/or password not valid" : "Uporabniško ime ali geslo PostgreSQL ni veljavno", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Sistem Mac OS X ni podprt, zato %s v tem okolju ne bo deloval zanesljivo. Program uporabljate na lastno odgovornost! ", + "For the best results, please consider using a GNU/Linux server instead." : "Za najbolj še rezultate je priporočljivo uporabljati strežnik GNU/Linux.", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Videti je, da je dejavna seja %s zagnana v 32-bitnem okolju PHP in, da je v datoteki php.ini nastavljen open_basedir . Tako delovanje ni priporočljivo, saj se lahko pojavijo težave z datotekami, večjimi od 4GB.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Odstraniti je treba nastavitev open_basedir v datoteki php.ini ali pa preklopiti na 64-bitno okolje PHP.", + "Set an admin username." : "Nastavi uporabniško ime skrbnika.", + "Set an admin password." : "Nastavi geslo skrbnika.", + "Can't create or write into the data directory %s" : "Ni mogoče zapisati podatkov v podatkovno mapo %s", + "Invalid Federated Cloud ID" : "Neveljaven ID zveznega oblaka ownCloud", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Omogočanje souporabe %s je spodletelo, ker ozadnji program ne dopušča souporabe vrste %i.", + "Sharing %s failed, because the file does not exist" : "Souporaba %s je spodletela, ker ta datoteka ne obstaja", + "You are not allowed to share %s" : "Omogočanje souporabe %s brez ustreznih dovoljenj ni mogoče.", + "Sharing %s failed, because you can not share with yourself" : "Nastavitev %s souporabe je spodletela, ker souporaba s samim seboj ni mogoča.", + "Sharing %s failed, because the user %s does not exist" : "Nastavljanje souporabe %s je spodletelo, ker uporabnik %s ne obstaja.", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Nastavljanje souporabe %s je spodletelo, ker uporabnik %s ni član nobene skupine, v kateri je tudi uporabnik %s.", + "Sharing %s failed, because this item is already shared with %s" : "Nastavljanje souporabe %s je spodletela, ker je ima uporabnik %s predmet že v souporabi.", + "Sharing %s failed, because this item is already shared with user %s" : "Nastavljanje souporabe %s je spodletelo, ker je predmet že v souporabi z uporabnikom %s.", + "Sharing %s failed, because the group %s does not exist" : "Nastavljanje souporabe %s je spodletelo, ker je skupina %s ne obstaja.", + "Sharing %s failed, because %s is not a member of the group %s" : "Nastavljanje souporabe %s je spodletelo, ker uporabnik %s ni član skupine %s.", + "You need to provide a password to create a public link, only protected links are allowed" : "Navesti je treba geslo za ustvarjanje javne povezave, saj so dovoljene le zaščitene.", + "Sharing %s failed, because sharing with links is not allowed" : "Nastavljanje souporabe %s je spodletelo, ker souporaba preko povezave ni dovoljena.", + "Not allowed to create a federated share with the same user" : "Ni dovoljeno ustvariti souporabe zveznega oblaka z istim uporabnikom", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Omogočanje souporabe %s je spodletelo, ker ni mogoče najti %s. Najverjetneje je strežnik nedosegljiv.", + "Share type %s is not valid for %s" : "Vrsta souporabe %s za %s ni veljavna.", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Ni mogoče določiti datuma preteka. Ni dovoljeno, da so mape ali datoteke, dodeljene v souporabo, v souporabi po %s.", + "Cannot set expiration date. Expiration date is in the past" : "Ni mogoče nastaviti datuma preteka. Ta datum je že preteklost.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Souporaba ozadnjega programa %s mora vsebovati tudi vmesnik OCP\\Share_Backend", + "Sharing backend %s not found" : "Ozadnjega programa %s za souporabo ni mogoče najti", + "Sharing backend for %s not found" : "Ozadnjega programa za souporabo za %s ni mogoče najti", + "Sharing failed, because the user %s is the original sharer" : "Nastavitev souporabe je spodletela, ker je uporabnik %s souporabo izvorno nastavil.", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Nastavljanje souporabe %s je spodletelo, ker zahteve presegajo dodeljena dovoljenja za %s.", + "Sharing %s failed, because resharing is not allowed" : "Nastavljanje souporabe %s je spodletelo, ker nadaljnje omogočanje souporabe ni dovoljeno.", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Nastavljanje souporabe %s je spodletelo, ker ozadnji program %s ne upravlja z viri.", + "Sharing %s failed, because the file could not be found in the file cache" : "Nastavljanje souporabe %s je spodletelo, ker v predpomnilniku zahtevana datoteka ne obstaja.", + "Expiration date is in the past" : "Datum preteka je že mimo!", + "%s shared »%s« with you" : "%s je omogočil souporabo »%s«", + "%s via %s" : "%s prek %s", + "Could not find category \"%s\"" : "Kategorije \"%s\" ni mogoče najti.", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "V uporabniškem imenu je dovoljeno uporabiti le znake: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"", + "A valid username must be provided" : "Navedeno mora biti veljavno uporabniško ime", + "Username contains whitespace at the beginning or at the end" : "Uporabniško ime vsebuje presledni znak na začetku ali na koncu imena.", + "A valid password must be provided" : "Navedeno mora biti veljavno geslo", + "The username is already being used" : "Vpisano uporabniško ime je že v uporabi", + "User disabled" : "Uporabnik je onemogočen", + "Login canceled by app" : "Aplikacija je prijavo prekinila.", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Programa \"%s\" ni mogoče namestiti zaradi nerešenih odvisnosti: %s", + "a safe home for all your data" : "varen dom za vse vaše podatke", + "File is currently busy, please try again later" : "Datoteka je trenutno v uporabi. Poskusite znova kasneje.", + "Can't read file" : "Datoteke ni mogoče prebrati.", + "Application is not enabled" : "Program ni omogočen", + "Authentication error" : "Napaka overjanja", + "Token expired. Please reload page." : "Žeton je potekel. Stran je treba ponovno naložiti.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Ni nameščenih programnikov podatkovnih zbirk (sqlite, mysql, ali postgresql).", + "Cannot write into \"config\" directory" : "Mapa 'config' nima nastavljenih ustreznih dovoljenj za pisanje!", + "Cannot write into \"apps\" directory" : "Mapa \"apps\" nima nastavljenih ustreznih dovoljenj za pisanje!", + "Setting locale to %s failed" : "Nastavljanje jezikovnih določil na %s je spodletelo.", + "Please install one of these locales on your system and restart your webserver." : "Namestiti je treba podporo za vsaj eno od navedenih jezikovnih določil v sistemu in nato ponovno zagnati spletni strežnik.", + "Please ask your server administrator to install the module." : "Obvestite skrbnika strežnika, da je treba namestiti manjkajoč modul.", + "PHP module %s not installed." : "Modul PHP %s ni nameščen.", + "PHP setting \"%s\" is not set to \"%s\"." : "Nastavitev PHP \"%s\" ni nastavljena na \"%s\".", + "Adjusting this setting in php.ini will make Nextcloud run again" : "Nastavitev tega parametra v php.ini bo vzpostavilo ponovno delovanje NextCloud", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload je nastavljeno na \"%s\" namesto pričakovane vrednosti \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Za reštev te težave nastavi mbstring.func_overload na 0 v tvojem php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "libxml2 mora iti vsaj 2.7.0. Trenutno je nameščena %s.", + "To fix this issue update your libxml2 version and restart your web server." : "Za rešitev te težave je treba posodobiti knjižnico libxml2 in nato ponovno zagnati spletni strežnik.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : " Izgleda, da je PHP nastavljen, da odreže znake v 'inline doc' blokih. To bo povzročilo, da nekateri osnovni moduli ne bodo dosegljivi.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Napako je najverjetneje povzročil predpomnilnik ali pospeševalnik, kot sta Zend OPcache ali eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Ali so bili moduli PHP nameščeni, pa so še vedno označeni kot manjkajoči?", + "Please ask your server administrator to restart the web server." : "Obvestite skrbnika strežnika, da je treba ponovno zagnati spletni strežnik.", + "PostgreSQL >= 9 required" : "Zahtevana je različica PostgreSQL >= 9.", + "Please upgrade your database version" : "Posodobite različico podatkovne zbirke.", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Spremenite dovoljenja mape na 0770 in s tem onemogočite branje vsebine drugim uporabnikom.", + "Check the value of \"datadirectory\" in your configuration" : "V konfiguraciji preverite nastavitev \"datadirectory\"", + "Could not obtain lock type %d on \"%s\"." : "Ni mogoče pridobiti zaklepa %d na \"%s\".", + "Storage unauthorized. %s" : "Dostop do shrambe ni overjen. %s", + "Storage incomplete configuration. %s" : "Nepopolna nastavitev shrambe. %s", + "Storage connection error. %s" : "Napaka povezave do shrambe. %s", + "Storage connection timeout. %s" : "Povezava do shrambe je časovno potekla. %s" +},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" +} \ No newline at end of file diff --git a/lib/l10n/ta_LK.js b/lib/l10n/ta_LK.js new file mode 100644 index 0000000000000..20ea8d0ef7ded --- /dev/null +++ b/lib/l10n/ta_LK.js @@ -0,0 +1,17 @@ +OC.L10N.register( + "lib", + { + "today" : "இன்று", + "yesterday" : "நேற்று", + "last month" : "கடந்த மாதம்", + "last year" : "கடந்த வருடம்", + "seconds ago" : "செக்கன்களுக்கு முன்", + "Apps" : "செயலிகள்", + "Users" : "பயனாளர்", + "__language_name__" : "தமிழ்", + "Could not find category \"%s\"" : "பிரிவு \"%s\" ஐ கண்டுப்பிடிக்க முடியவில்லை", + "Application is not enabled" : "செயலி இயலுமைப்படுத்தப்படவில்லை", + "Authentication error" : "அத்தாட்சிப்படுத்தலில் வழு", + "Token expired. Please reload page." : "அடையாளவில்லை காலாவதியாகிவிட்டது. தயவுசெய்து பக்கத்தை மீள் ஏற்றுக." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/ta_LK.json b/lib/l10n/ta_LK.json new file mode 100644 index 0000000000000..44decdeb073ce --- /dev/null +++ b/lib/l10n/ta_LK.json @@ -0,0 +1,15 @@ +{ "translations": { + "today" : "இன்று", + "yesterday" : "நேற்று", + "last month" : "கடந்த மாதம்", + "last year" : "கடந்த வருடம்", + "seconds ago" : "செக்கன்களுக்கு முன்", + "Apps" : "செயலிகள்", + "Users" : "பயனாளர்", + "__language_name__" : "தமிழ்", + "Could not find category \"%s\"" : "பிரிவு \"%s\" ஐ கண்டுப்பிடிக்க முடியவில்லை", + "Application is not enabled" : "செயலி இயலுமைப்படுத்தப்படவில்லை", + "Authentication error" : "அத்தாட்சிப்படுத்தலில் வழு", + "Token expired. Please reload page." : "அடையாளவில்லை காலாவதியாகிவிட்டது. தயவுசெய்து பக்கத்தை மீள் ஏற்றுக." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/th.js b/lib/l10n/th.js new file mode 100644 index 0000000000000..ff7f10667a057 --- /dev/null +++ b/lib/l10n/th.js @@ -0,0 +1,119 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "ไม่สามารถเขียนลงในไดเรกทอรี \"การตั้งค่า\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "นี้จะสามารถแก้ไขได้โดยให้สิทธิ์การเขียนของเว็บเซิร์ฟเวอร์ไปยังการตั้งค่าไดเรกทอรี", + "See %s" : "เห็น %s", + "Sample configuration detected" : "ตรวจพบการกำหนดค่าตัวอย่าง", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "ตรวจพบว่าการกำหนดค่าตัวอย่างที่ถูกคัดลอก นี้สามารถทำลายการติดตั้งของคุณและไม่ได้รับการสนับสนุน โปรดอ่านเอกสารก่อนที่จะดำเนินการเปลี่ยนแปลงใน config.php", + "PHP %s or higher is required." : "จำเป็นต้องมี PHP รุ่น %s หรือที่สูงกว่า ", + "PHP with a version lower than %s is required." : "รุ่น PHP ของคุณต่ำกว่า %s", + "%sbit or higher PHP required." : "%sบิต หรือ PHP จะต้องเป็นรุ่นสูงกว่าที่กำหนด", + "Following databases are supported: %s" : "ฐานข้อมูลต่อไปนี้ได้รับการสนับสนุน: %s", + "The command line tool %s could not be found" : "ไม่พบเครื่องมือบรรทัดคำสั่ง %s ", + "The library %s is not available." : "ไลบรารี %s ไม่สามารถใช้ได้", + "Library %s with a version higher than %s is required - available version %s." : "จำเป็นต้องมีไลบรารีรุ่น %s หรือรุ่นที่สูงกว่า %s - รุ่นที่ใช้ได้คือ %s", + "Library %s with a version lower than %s is required - available version %s." : "จำเป็นต้องมีไลบรารีรุ่น %s หรือรุ่นที่ต่ำกว่า %s - รุ่นที่ใช้ได้คือ %s", + "Following platforms are supported: %s" : "แพลตฟอร์มต่อไปนี้ได้รับการสนับสนุน: %s", + "Unknown filetype" : "ไม่รู้จักชนิดของไฟล์", + "Invalid image" : "รูปภาพไม่ถูกต้อง", + "today" : "วันนี้", + "yesterday" : "เมื่อวานนี้", + "_%n day ago_::_%n days ago_" : ["%n วันที่ผ่านมา"], + "last month" : "เดือนที่แล้ว", + "_%n month ago_::_%n months ago_" : ["%n เดือนที่ผ่านมา"], + "last year" : "ปีที่แล้ว", + "_%n year ago_::_%n years ago_" : ["%n ปีที่ผ่านมา"], + "_%n hour ago_::_%n hours ago_" : ["%n ชั่วโมงที่ผ่านมา"], + "_%n minute ago_::_%n minutes ago_" : ["%n นาทีที่ผ่านมา"], + "seconds ago" : "วินาที ก่อนหน้านี้", + "File name is a reserved word" : "ชื่อแฟ้มเป็นคำสงวน", + "File name contains at least one invalid character" : "ชื่อแฟ้มมีหนึ่งตัวอักษรที่ไม่ถูกต้อง", + "File name is too long" : "ชื่อแฟ้มยาวเกินไป", + "Dot files are not allowed" : "ชื่อไฟล์ห้ามมีจุด", + "Empty filename is not allowed" : "ชื่อไฟล์ห้ามว่างเปล่า", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "แอพฯ \"%s\" ไม่สามารถติดตั้งได้เพราะไฟล์ appInfo ไม่สามารถอ่านได้", + "Apps" : "แอปฯ", + "Users" : "ผู้ใช้งาน", + "Unknown user" : "ไม่รู้จักผู้ใช้", + "__language_name__" : "ภาษาไทย - Thai languages", + "%s enter the database username and name." : "%s ป้อนชื่อผู้ใช้ฐานข้อมูล และชื่อ", + "%s enter the database username." : "%s ใส่ชื่อผู้ใช้ฐานข้อมูล", + "%s enter the database name." : "%s ใส่ชื่อฐานข้อมูล", + "%s you may not use dots in the database name" : "%s บางที่คุณไม่ควรมีจุดในชื่อฐานข้อมูล", + "Oracle connection could not be established" : "ไม่สามารถสร้างการเชื่อมต่อกับ Oracle ", + "Oracle username and/or password not valid" : "Oracle ชื่อผู้ใช้ และ/หรือ รหัสผ่านไม่ถูกต้อง", + "PostgreSQL username and/or password not valid" : "PostgreSQL ชื่อผู้ใช้ และ/หรือ รหัสผ่านไม่ถูกต้อง", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "ระบบปฏิบัติการ Mac OS X ไม่ได้รับการสนับสนุนและ %s จะไม่ทำงานบนแพลตฟอร์มนี้ ใช้มันบนความเสี่ยงของคุณเอง!", + "For the best results, please consider using a GNU/Linux server instead." : "เพื่อให้ได้ผลลัพธ์ที่ดีที่สุดโปรดพิจารณาใช้เซิร์ฟเวอร์ GNU/Linux แทน", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "ดูเหมือนว่า %s ทำงานบน PHP 32 บิต และ open_basedir ได้ถูกกำหนดค่าใน php.ini ซึ่งจะมีปัญหาหากไฟล์มีขนาดกว่า 4 GB กิกะไบต์", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "กรุณาลบการตั้งค่า open_basedir ภายใน php.ini ของหรือเปลี่ยนไปใช้ PHP รุ่น 64 บิตแทน", + "Set an admin username." : "ตั้งค่าชื่อผู้ดูแลระบบ", + "Set an admin password." : "ตั้งค่ารหัสผ่านผู้ดูแลระบบ", + "Can't create or write into the data directory %s" : "ไม่สามารถสร้างหรือเขียนลงในข้อมูลไดเรกทอรี %s", + "Invalid Federated Cloud ID" : "ไอดีคลาวด์ในเครือไม่ถูกต้อง", + "Sharing %s failed, because the backend does not allow shares from type %i" : "การแชร์ %s ล้มเหลวเพราะแบ็กเอนด์ไม่อนุญาตให้แชร์จากไฟล์ประเภท %i", + "Sharing %s failed, because the file does not exist" : "การแชร์ %s ล้มเหลวเพราะไม่มีไฟล์นี้อยู่", + "You are not allowed to share %s" : "คุณยังไม่ได้รับอนุญาตให้แชร์ %s", + "Sharing %s failed, because you can not share with yourself" : "การแขร์ %s ล้มเหลวเพราะคุณไม่สามารถแชร์ให้กับตัวเอง", + "Sharing %s failed, because the user %s does not exist" : "การแชร์ %s ล้มเหลวเนื่องจากไม่ได้มีผู้ใช้ %s อยู่", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "การแชร์ %s ล้มเหลวเนื่องจากผู้ใช้ %s ไม่ได้เป็นสมาชิกของกลุ่มใดๆ %s เป็นสมาชิกของ", + "Sharing %s failed, because this item is already shared with %s" : "การแชร์ %s ล้มเหลวเพราะรายการนี้ถูกแชร์กับ %s", + "Sharing %s failed, because this item is already shared with user %s" : "%s ที่กำลังแชร์ล้มเหลว เพราะรายการนี้ได้ถูกแชร์กับผู้ใช้ %s", + "Sharing %s failed, because the group %s does not exist" : "การแชร์ %s ล้มเหลวเพราะไม่มีกลุ่ม %s อยู่", + "Sharing %s failed, because %s is not a member of the group %s" : "การแชร์ %s ล้มเหลวเพราะ %s ไม่ได้เป็นสมาชิกของกลุ่ม %s", + "You need to provide a password to create a public link, only protected links are allowed" : "คุณจำเป็นต้องระบุรหัสผ่านเพื่อสร้างลิงค์สาธารณะ, ลิงค์ที่มีการป้องกันเท่านั้นที่ได้รับอนุญาต", + "Sharing %s failed, because sharing with links is not allowed" : "การแชร์ %s ล้มเหลวเพราะมีการแชร์ลิงค์ไม่ได้รับอนุญาต", + "Not allowed to create a federated share with the same user" : "ไม่อนุญาตให้สร้างแชร์สหพันธ์กับผู้ใช้เดียวกัน", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "การแชร์ %s ล้มเหลวไม่สามารถหา %s, บางทีอาจจะยังไม่สามารถเข้าถึงเซิร์ฟเวอร์ปัจจุบัน", + "Share type %s is not valid for %s" : "ประเภท %s ที่แชร์ไม่ถูกต้องสำหรับ %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "ไม่สามารถตั้งค่าวันหมดอายุ การแชร์ไม่สามารถหมดอายุน้อยกว่า %s หลังจากที่พวกเขาได้รับการแชร์", + "Cannot set expiration date. Expiration date is in the past" : "ไม่สามารถตั้งค่าวันหมดอายุ เพราะวันหมดอายุผ่านไปแล้ว", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "การแชร์แบ็กเอนด์ %s ต้องใช้อินเตอร์เฟซ OCP\\Share_Backend", + "Sharing backend %s not found" : "ไม่พบการแชร์แบ็กเอนด์ %s", + "Sharing backend for %s not found" : "ไม่พบการแชร์แบ็กเอนด์สำหรับ %s", + "Sharing failed, because the user %s is the original sharer" : "การแชร์ล้มเหลวเพราะผู้ใช้ %s เป็นต้นฉบับการแชร์นี้", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "การแชร์ %s ล้มเหลวเพราะใช้สิทธิ์เกินที่อนุญาตให้ %s", + "Sharing %s failed, because resharing is not allowed" : "การแชร์ %s ล้มเหลวเพราะการแชร์ต่อไม่ได้รับอนุญาต", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "การแชร์ %s ล้มเหลวเพราะการแชร์แบ็กเอนด์สำหรับ %s ไม่สามารถหาแหล่งที่มา", + "Sharing %s failed, because the file could not be found in the file cache" : "การแชร์ %s ล้มเหลวเพราะไม่พบไฟล์ในแคชไฟล์", + "Expiration date is in the past" : "วันหมดอายุอยู่ในอดีตที่ผ่านมา", + "%s shared »%s« with you" : "%s ถูกแชร์ »%s« กับคุณ", + "%s via %s" : "%s ผ่านทาง %s", + "Could not find category \"%s\"" : "ไม่พบหมวดหมู่ \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "ชื่อผู้ใช้จะใช้ได้แค่อักษรดังต่อไปนี้: \"a-z\", \"A-Z\", \"0-9\" และ \"_.@-'\"", + "A valid username must be provided" : "จะต้องระบุชื่อผู้ใช้ที่ถูกต้อง", + "A valid password must be provided" : "รหัสผ่านที่ถูกต้องจะต้องให้", + "The username is already being used" : "มีคนใช้ชื่อผู้ใช้นี้ไปแล้ว", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "แอพฯ \"%s\" ไม่สามารถติดตั้งเพราะไม่ได้ปฏิบัติตามการอ้างอิงต่อไปนี้: %s", + "File is currently busy, please try again later" : "ขณะนี้ไฟล์กำลังใช้งานอยู่ โปรดลองอีกครั้งในภายหลัง", + "Can't read file" : "ไม่สามารถอ่านไฟล์", + "Application is not enabled" : "แอพพลิเคชั่นดังกล่าวยังไม่ได้เปิดใช้งาน", + "Authentication error" : "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", + "Token expired. Please reload page." : "รหัสยืนยันความถูกต้องหมดอายุแล้ว กรุณาโหลดหน้าเว็บใหม่อีกครั้ง", + "No database drivers (sqlite, mysql, or postgresql) installed." : "ไม่มีไดรเวอร์ฐานข้อมูล (sqlite, mysql, or postgresql) ที่ถูกติดตั้ง", + "Cannot write into \"config\" directory" : "ไม่สามารถเขียนลงในไดเรกทอรี \"การตั้งค่า\"", + "Cannot write into \"apps\" directory" : "ไม่สามารถเขียนลงในไดเรกทอรี \"แอพฯ\"", + "Setting locale to %s failed" : "ตั้งค่าต้นทาง %s ล้มเหลว", + "Please install one of these locales on your system and restart your webserver." : "กรุณาติดตั้งหนึ่งในต้นทางเหล่านี้บนระบบของคุณและเริ่มต้นเว็บเซิร์ฟเวอร์ของคุณ", + "Please ask your server administrator to install the module." : "โปรดสอบถามผู้ดูแลระบบเซิร์ฟเวอร์ของคุณเพื่อติดตั้งโมดูล", + "PHP module %s not installed." : "โมดูล PHP %s ไม่ได้ถูกติดตั้ง", + "PHP setting \"%s\" is not set to \"%s\"." : "การตั้งค่า PHP \"%s\" ไม่ได้ตั้งค่าเป็น \"%s\"", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload ถูกตั้งเป็น \"%s\" แทนที่จะเป็น \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "หากต้องการแก้ไขปัญหานี้กรุณาแก้ mbstring.func_overload เป็น 0 ในไฟล์ php.ini ของคุณ", + "To fix this issue update your libxml2 version and restart your web server." : "เพื่อแก้ไขปัญหานี้ กรุณาอัพเดทรุ่นของ libxml2 และรีสตาร์ทเว็บเซิร์ฟเวอร์ของคุณ", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "เห็นได้ชัดว่า PHP มีการตั้งค่าเพื่อดึงบล็อกเอกสารแบบอินไลน์ ซึ่งจะทำให้แอพพลิเคชันไม่สามารถเข้าถึงได้", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "นี้อาจเกิดจาก cache/accelerator อย่างเช่น Zend OPcache หรือ eAccelerator", + "PHP modules have been installed, but they are still listed as missing?" : "โมดูล PHP ได้รับการติดตั้ง แต่พวกเขาไม่ได้ระบุไว้หรือมันอาจหายไป?", + "Please ask your server administrator to restart the web server." : "โปรดสอบถามผู้ดูแลระบบเซิร์ฟเวอร์ของคุณเพื่อเริ่มการทำงานของเว็บเซิร์ฟเวอร์", + "PostgreSQL >= 9 required" : "จำเป็นต้องใช้ PostgreSQL รุ่น >= 9", + "Please upgrade your database version" : "กรุณาอัพเดทฐานข้อมูลของคุณ", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "กรุณาเปลี่ยนสิทธิ์การเข้าถึงเป็น 0770 เพื่อให้ไดเรกทอรีไม่สามารถแก้ไขโดยผู้ใช้อื่น", + "Check the value of \"datadirectory\" in your configuration" : "ตรวจสอบค่าของ \"datadirectory\" ในการกำหนดค่าของคุณ", + "Could not obtain lock type %d on \"%s\"." : "ไม่สามารถรับล็อคชนิด %d บน \"%s\"", + "Storage unauthorized. %s" : "การจัดเก็บข้อมูลไม่ได้รับอนุญาต %s", + "Storage incomplete configuration. %s" : "การตั้งค่าการจัดเก็บข้อมูลไม่สำเร็จ %s", + "Storage connection error. %s" : "ข้อผิดพลาดการเชื่อมต่อพื้นที่จัดเก็บข้อมูล %s", + "Storage connection timeout. %s" : "หมดเวลาการเชื่อมต่อพื้นที่จัดเก็บข้อมูล %s" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/th.json b/lib/l10n/th.json new file mode 100644 index 0000000000000..6971e1b39ec5f --- /dev/null +++ b/lib/l10n/th.json @@ -0,0 +1,117 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "ไม่สามารถเขียนลงในไดเรกทอรี \"การตั้งค่า\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "นี้จะสามารถแก้ไขได้โดยให้สิทธิ์การเขียนของเว็บเซิร์ฟเวอร์ไปยังการตั้งค่าไดเรกทอรี", + "See %s" : "เห็น %s", + "Sample configuration detected" : "ตรวจพบการกำหนดค่าตัวอย่าง", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "ตรวจพบว่าการกำหนดค่าตัวอย่างที่ถูกคัดลอก นี้สามารถทำลายการติดตั้งของคุณและไม่ได้รับการสนับสนุน โปรดอ่านเอกสารก่อนที่จะดำเนินการเปลี่ยนแปลงใน config.php", + "PHP %s or higher is required." : "จำเป็นต้องมี PHP รุ่น %s หรือที่สูงกว่า ", + "PHP with a version lower than %s is required." : "รุ่น PHP ของคุณต่ำกว่า %s", + "%sbit or higher PHP required." : "%sบิต หรือ PHP จะต้องเป็นรุ่นสูงกว่าที่กำหนด", + "Following databases are supported: %s" : "ฐานข้อมูลต่อไปนี้ได้รับการสนับสนุน: %s", + "The command line tool %s could not be found" : "ไม่พบเครื่องมือบรรทัดคำสั่ง %s ", + "The library %s is not available." : "ไลบรารี %s ไม่สามารถใช้ได้", + "Library %s with a version higher than %s is required - available version %s." : "จำเป็นต้องมีไลบรารีรุ่น %s หรือรุ่นที่สูงกว่า %s - รุ่นที่ใช้ได้คือ %s", + "Library %s with a version lower than %s is required - available version %s." : "จำเป็นต้องมีไลบรารีรุ่น %s หรือรุ่นที่ต่ำกว่า %s - รุ่นที่ใช้ได้คือ %s", + "Following platforms are supported: %s" : "แพลตฟอร์มต่อไปนี้ได้รับการสนับสนุน: %s", + "Unknown filetype" : "ไม่รู้จักชนิดของไฟล์", + "Invalid image" : "รูปภาพไม่ถูกต้อง", + "today" : "วันนี้", + "yesterday" : "เมื่อวานนี้", + "_%n day ago_::_%n days ago_" : ["%n วันที่ผ่านมา"], + "last month" : "เดือนที่แล้ว", + "_%n month ago_::_%n months ago_" : ["%n เดือนที่ผ่านมา"], + "last year" : "ปีที่แล้ว", + "_%n year ago_::_%n years ago_" : ["%n ปีที่ผ่านมา"], + "_%n hour ago_::_%n hours ago_" : ["%n ชั่วโมงที่ผ่านมา"], + "_%n minute ago_::_%n minutes ago_" : ["%n นาทีที่ผ่านมา"], + "seconds ago" : "วินาที ก่อนหน้านี้", + "File name is a reserved word" : "ชื่อแฟ้มเป็นคำสงวน", + "File name contains at least one invalid character" : "ชื่อแฟ้มมีหนึ่งตัวอักษรที่ไม่ถูกต้อง", + "File name is too long" : "ชื่อแฟ้มยาวเกินไป", + "Dot files are not allowed" : "ชื่อไฟล์ห้ามมีจุด", + "Empty filename is not allowed" : "ชื่อไฟล์ห้ามว่างเปล่า", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "แอพฯ \"%s\" ไม่สามารถติดตั้งได้เพราะไฟล์ appInfo ไม่สามารถอ่านได้", + "Apps" : "แอปฯ", + "Users" : "ผู้ใช้งาน", + "Unknown user" : "ไม่รู้จักผู้ใช้", + "__language_name__" : "ภาษาไทย - Thai languages", + "%s enter the database username and name." : "%s ป้อนชื่อผู้ใช้ฐานข้อมูล และชื่อ", + "%s enter the database username." : "%s ใส่ชื่อผู้ใช้ฐานข้อมูล", + "%s enter the database name." : "%s ใส่ชื่อฐานข้อมูล", + "%s you may not use dots in the database name" : "%s บางที่คุณไม่ควรมีจุดในชื่อฐานข้อมูล", + "Oracle connection could not be established" : "ไม่สามารถสร้างการเชื่อมต่อกับ Oracle ", + "Oracle username and/or password not valid" : "Oracle ชื่อผู้ใช้ และ/หรือ รหัสผ่านไม่ถูกต้อง", + "PostgreSQL username and/or password not valid" : "PostgreSQL ชื่อผู้ใช้ และ/หรือ รหัสผ่านไม่ถูกต้อง", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "ระบบปฏิบัติการ Mac OS X ไม่ได้รับการสนับสนุนและ %s จะไม่ทำงานบนแพลตฟอร์มนี้ ใช้มันบนความเสี่ยงของคุณเอง!", + "For the best results, please consider using a GNU/Linux server instead." : "เพื่อให้ได้ผลลัพธ์ที่ดีที่สุดโปรดพิจารณาใช้เซิร์ฟเวอร์ GNU/Linux แทน", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "ดูเหมือนว่า %s ทำงานบน PHP 32 บิต และ open_basedir ได้ถูกกำหนดค่าใน php.ini ซึ่งจะมีปัญหาหากไฟล์มีขนาดกว่า 4 GB กิกะไบต์", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "กรุณาลบการตั้งค่า open_basedir ภายใน php.ini ของหรือเปลี่ยนไปใช้ PHP รุ่น 64 บิตแทน", + "Set an admin username." : "ตั้งค่าชื่อผู้ดูแลระบบ", + "Set an admin password." : "ตั้งค่ารหัสผ่านผู้ดูแลระบบ", + "Can't create or write into the data directory %s" : "ไม่สามารถสร้างหรือเขียนลงในข้อมูลไดเรกทอรี %s", + "Invalid Federated Cloud ID" : "ไอดีคลาวด์ในเครือไม่ถูกต้อง", + "Sharing %s failed, because the backend does not allow shares from type %i" : "การแชร์ %s ล้มเหลวเพราะแบ็กเอนด์ไม่อนุญาตให้แชร์จากไฟล์ประเภท %i", + "Sharing %s failed, because the file does not exist" : "การแชร์ %s ล้มเหลวเพราะไม่มีไฟล์นี้อยู่", + "You are not allowed to share %s" : "คุณยังไม่ได้รับอนุญาตให้แชร์ %s", + "Sharing %s failed, because you can not share with yourself" : "การแขร์ %s ล้มเหลวเพราะคุณไม่สามารถแชร์ให้กับตัวเอง", + "Sharing %s failed, because the user %s does not exist" : "การแชร์ %s ล้มเหลวเนื่องจากไม่ได้มีผู้ใช้ %s อยู่", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "การแชร์ %s ล้มเหลวเนื่องจากผู้ใช้ %s ไม่ได้เป็นสมาชิกของกลุ่มใดๆ %s เป็นสมาชิกของ", + "Sharing %s failed, because this item is already shared with %s" : "การแชร์ %s ล้มเหลวเพราะรายการนี้ถูกแชร์กับ %s", + "Sharing %s failed, because this item is already shared with user %s" : "%s ที่กำลังแชร์ล้มเหลว เพราะรายการนี้ได้ถูกแชร์กับผู้ใช้ %s", + "Sharing %s failed, because the group %s does not exist" : "การแชร์ %s ล้มเหลวเพราะไม่มีกลุ่ม %s อยู่", + "Sharing %s failed, because %s is not a member of the group %s" : "การแชร์ %s ล้มเหลวเพราะ %s ไม่ได้เป็นสมาชิกของกลุ่ม %s", + "You need to provide a password to create a public link, only protected links are allowed" : "คุณจำเป็นต้องระบุรหัสผ่านเพื่อสร้างลิงค์สาธารณะ, ลิงค์ที่มีการป้องกันเท่านั้นที่ได้รับอนุญาต", + "Sharing %s failed, because sharing with links is not allowed" : "การแชร์ %s ล้มเหลวเพราะมีการแชร์ลิงค์ไม่ได้รับอนุญาต", + "Not allowed to create a federated share with the same user" : "ไม่อนุญาตให้สร้างแชร์สหพันธ์กับผู้ใช้เดียวกัน", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "การแชร์ %s ล้มเหลวไม่สามารถหา %s, บางทีอาจจะยังไม่สามารถเข้าถึงเซิร์ฟเวอร์ปัจจุบัน", + "Share type %s is not valid for %s" : "ประเภท %s ที่แชร์ไม่ถูกต้องสำหรับ %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "ไม่สามารถตั้งค่าวันหมดอายุ การแชร์ไม่สามารถหมดอายุน้อยกว่า %s หลังจากที่พวกเขาได้รับการแชร์", + "Cannot set expiration date. Expiration date is in the past" : "ไม่สามารถตั้งค่าวันหมดอายุ เพราะวันหมดอายุผ่านไปแล้ว", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "การแชร์แบ็กเอนด์ %s ต้องใช้อินเตอร์เฟซ OCP\\Share_Backend", + "Sharing backend %s not found" : "ไม่พบการแชร์แบ็กเอนด์ %s", + "Sharing backend for %s not found" : "ไม่พบการแชร์แบ็กเอนด์สำหรับ %s", + "Sharing failed, because the user %s is the original sharer" : "การแชร์ล้มเหลวเพราะผู้ใช้ %s เป็นต้นฉบับการแชร์นี้", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "การแชร์ %s ล้มเหลวเพราะใช้สิทธิ์เกินที่อนุญาตให้ %s", + "Sharing %s failed, because resharing is not allowed" : "การแชร์ %s ล้มเหลวเพราะการแชร์ต่อไม่ได้รับอนุญาต", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "การแชร์ %s ล้มเหลวเพราะการแชร์แบ็กเอนด์สำหรับ %s ไม่สามารถหาแหล่งที่มา", + "Sharing %s failed, because the file could not be found in the file cache" : "การแชร์ %s ล้มเหลวเพราะไม่พบไฟล์ในแคชไฟล์", + "Expiration date is in the past" : "วันหมดอายุอยู่ในอดีตที่ผ่านมา", + "%s shared »%s« with you" : "%s ถูกแชร์ »%s« กับคุณ", + "%s via %s" : "%s ผ่านทาง %s", + "Could not find category \"%s\"" : "ไม่พบหมวดหมู่ \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "ชื่อผู้ใช้จะใช้ได้แค่อักษรดังต่อไปนี้: \"a-z\", \"A-Z\", \"0-9\" และ \"_.@-'\"", + "A valid username must be provided" : "จะต้องระบุชื่อผู้ใช้ที่ถูกต้อง", + "A valid password must be provided" : "รหัสผ่านที่ถูกต้องจะต้องให้", + "The username is already being used" : "มีคนใช้ชื่อผู้ใช้นี้ไปแล้ว", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "แอพฯ \"%s\" ไม่สามารถติดตั้งเพราะไม่ได้ปฏิบัติตามการอ้างอิงต่อไปนี้: %s", + "File is currently busy, please try again later" : "ขณะนี้ไฟล์กำลังใช้งานอยู่ โปรดลองอีกครั้งในภายหลัง", + "Can't read file" : "ไม่สามารถอ่านไฟล์", + "Application is not enabled" : "แอพพลิเคชั่นดังกล่าวยังไม่ได้เปิดใช้งาน", + "Authentication error" : "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", + "Token expired. Please reload page." : "รหัสยืนยันความถูกต้องหมดอายุแล้ว กรุณาโหลดหน้าเว็บใหม่อีกครั้ง", + "No database drivers (sqlite, mysql, or postgresql) installed." : "ไม่มีไดรเวอร์ฐานข้อมูล (sqlite, mysql, or postgresql) ที่ถูกติดตั้ง", + "Cannot write into \"config\" directory" : "ไม่สามารถเขียนลงในไดเรกทอรี \"การตั้งค่า\"", + "Cannot write into \"apps\" directory" : "ไม่สามารถเขียนลงในไดเรกทอรี \"แอพฯ\"", + "Setting locale to %s failed" : "ตั้งค่าต้นทาง %s ล้มเหลว", + "Please install one of these locales on your system and restart your webserver." : "กรุณาติดตั้งหนึ่งในต้นทางเหล่านี้บนระบบของคุณและเริ่มต้นเว็บเซิร์ฟเวอร์ของคุณ", + "Please ask your server administrator to install the module." : "โปรดสอบถามผู้ดูแลระบบเซิร์ฟเวอร์ของคุณเพื่อติดตั้งโมดูล", + "PHP module %s not installed." : "โมดูล PHP %s ไม่ได้ถูกติดตั้ง", + "PHP setting \"%s\" is not set to \"%s\"." : "การตั้งค่า PHP \"%s\" ไม่ได้ตั้งค่าเป็น \"%s\"", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload ถูกตั้งเป็น \"%s\" แทนที่จะเป็น \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "หากต้องการแก้ไขปัญหานี้กรุณาแก้ mbstring.func_overload เป็น 0 ในไฟล์ php.ini ของคุณ", + "To fix this issue update your libxml2 version and restart your web server." : "เพื่อแก้ไขปัญหานี้ กรุณาอัพเดทรุ่นของ libxml2 และรีสตาร์ทเว็บเซิร์ฟเวอร์ของคุณ", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "เห็นได้ชัดว่า PHP มีการตั้งค่าเพื่อดึงบล็อกเอกสารแบบอินไลน์ ซึ่งจะทำให้แอพพลิเคชันไม่สามารถเข้าถึงได้", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "นี้อาจเกิดจาก cache/accelerator อย่างเช่น Zend OPcache หรือ eAccelerator", + "PHP modules have been installed, but they are still listed as missing?" : "โมดูล PHP ได้รับการติดตั้ง แต่พวกเขาไม่ได้ระบุไว้หรือมันอาจหายไป?", + "Please ask your server administrator to restart the web server." : "โปรดสอบถามผู้ดูแลระบบเซิร์ฟเวอร์ของคุณเพื่อเริ่มการทำงานของเว็บเซิร์ฟเวอร์", + "PostgreSQL >= 9 required" : "จำเป็นต้องใช้ PostgreSQL รุ่น >= 9", + "Please upgrade your database version" : "กรุณาอัพเดทฐานข้อมูลของคุณ", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "กรุณาเปลี่ยนสิทธิ์การเข้าถึงเป็น 0770 เพื่อให้ไดเรกทอรีไม่สามารถแก้ไขโดยผู้ใช้อื่น", + "Check the value of \"datadirectory\" in your configuration" : "ตรวจสอบค่าของ \"datadirectory\" ในการกำหนดค่าของคุณ", + "Could not obtain lock type %d on \"%s\"." : "ไม่สามารถรับล็อคชนิด %d บน \"%s\"", + "Storage unauthorized. %s" : "การจัดเก็บข้อมูลไม่ได้รับอนุญาต %s", + "Storage incomplete configuration. %s" : "การตั้งค่าการจัดเก็บข้อมูลไม่สำเร็จ %s", + "Storage connection error. %s" : "ข้อผิดพลาดการเชื่อมต่อพื้นที่จัดเก็บข้อมูล %s", + "Storage connection timeout. %s" : "หมดเวลาการเชื่อมต่อพื้นที่จัดเก็บข้อมูล %s" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/ug.js b/lib/l10n/ug.js new file mode 100644 index 0000000000000..4bcb4139d14e8 --- /dev/null +++ b/lib/l10n/ug.js @@ -0,0 +1,13 @@ +OC.L10N.register( + "lib", + { + "today" : "بۈگۈن", + "yesterday" : "تۈنۈگۈن", + "Apps" : "ئەپلەر", + "Users" : "ئىشلەتكۈچىلەر", + "__language_name__" : "ئۇيغۇرچە", + "A valid username must be provided" : "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", + "A valid password must be provided" : "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", + "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/ug.json b/lib/l10n/ug.json new file mode 100644 index 0000000000000..54f78692debaa --- /dev/null +++ b/lib/l10n/ug.json @@ -0,0 +1,11 @@ +{ "translations": { + "today" : "بۈگۈن", + "yesterday" : "تۈنۈگۈن", + "Apps" : "ئەپلەر", + "Users" : "ئىشلەتكۈچىلەر", + "__language_name__" : "ئۇيغۇرچە", + "A valid username must be provided" : "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", + "A valid password must be provided" : "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", + "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/uk.js b/lib/l10n/uk.js new file mode 100644 index 0000000000000..d5f0982e1db49 --- /dev/null +++ b/lib/l10n/uk.js @@ -0,0 +1,118 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Не можу писати у каталог \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Зазвичай це можна виправити, надавши веб-серверу права на запис в теці конфігурації", + "See %s" : "Переглянути %s", + "Sample configuration detected" : "Виявлено приклад конфігурації", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Було виявлено, що приклад конфігурації було скопійовано. Це може нашкодити вашій системі та не підтримується. Будь ласка, зверніться до документації перед внесенням змін в файл config.php", + "PHP %s or higher is required." : "Необхідно PHP %s або вище", + "PHP with a version lower than %s is required." : "Потрібна версія PHP нижче %s ", + "Following databases are supported: %s" : "Підтримуються наступні сервери баз даних: %s", + "The command line tool %s could not be found" : "Утиліту командного рядка %s не знайдено", + "The library %s is not available." : "Бібліотека %s недоступна.", + "Library %s with a version higher than %s is required - available version %s." : "Потрібна бібліотека %s версії не більше %s, встановлена версія %s.", + "Library %s with a version lower than %s is required - available version %s." : "Потрібна бібліотека %s версії менш ніж %s, встановлена версія %s.", + "Following platforms are supported: %s" : "Підтримуються наступні платформи: %s", + "Unknown filetype" : "Невідомий тип файлу", + "Invalid image" : "Невірне зображення", + "today" : "сьогодні", + "yesterday" : "вчора", + "_%n day ago_::_%n days ago_" : ["%n день тому","%n днів тому","%n днів тому"], + "last month" : "минулого місяця", + "last year" : "минулого року", + "_%n year ago_::_%n years ago_" : ["%n рік тому","%n років тому","%n років тому"], + "seconds ago" : "секунди тому", + "File name is a reserved word" : "Ім’я файлу є зарезервованим словом", + "File name contains at least one invalid character" : "Ім’я файлу містить принаймні один некоректний символ", + "File name is too long" : "Ім’я файлу занадто довге", + "Dot files are not allowed" : "Файли які починаються з крапки не допустимі", + "Empty filename is not allowed" : "Порожні імена файлів не допускаються", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "Додаток \"%s\" не може бути встановлений через те, що файл appinfo не може бути прочитано.", + "Apps" : "Додатки", + "Users" : "Користувачі", + "Unknown user" : "Невідомий користувач", + "__language_name__" : "Українська", + "%s enter the database username and name." : "%s введіть назву бази даних та ім'я користувача.", + "%s enter the database username." : "%s введіть ім'я користувача бази даних.", + "%s enter the database name." : "%s введіть назву бази даних.", + "%s you may not use dots in the database name" : "%s не можна використовувати крапки в назві бази даних", + "Oracle connection could not be established" : "Не можемо з'єднатися з Oracle ", + "Oracle username and/or password not valid" : "Oracle ім'я користувача та/або пароль не дійсні", + "PostgreSQL username and/or password not valid" : "PostgreSQL ім'я користувача та/або пароль не дійсні", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X не підтримується і %s не буде коректно працювати на цій платформі. Випробовуєте на свій риск!", + "For the best results, please consider using a GNU/Linux server instead." : "Для кращих результатів розгляньте можливість використання GNU/Linux серверу", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Здається що екземпляр цього %s працює в 32-бітному PHP середовищі і open_basedir повинен бути налаштований в php.ini. Це призведе до проблем з файлами більше 4 ГБ і це дуже не рекомендується.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Будь ласка, видаліть параметр open_basedir у вашому php.ini або перейдіть на 64-бітний PHP.", + "Set an admin username." : "Встановіть ім'я адміністратора.", + "Set an admin password." : "Встановіть пароль адміністратора.", + "Can't create or write into the data directory %s" : "Неможливо створити або записати каталог даних %s", + "Invalid Federated Cloud ID" : "Неправильний Об'єднаний Хмарний Ідентіфікатор ", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Не вдалося поділитися %s, загальний доступ не допускає публікації з елементів типу %i", + "Sharing %s failed, because the file does not exist" : "Не вдалося поділитися %s, оскільки файл не існує", + "You are not allowed to share %s" : "Вам заборонено поширювати %s", + "Sharing %s failed, because you can not share with yourself" : "Не вдалося поділитися %s, оскільки ви не можете ділитись самі з собою", + "Sharing %s failed, because the user %s does not exist" : "Не вдалося поділитися з %s, оскільки користувач %s не існує", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Не вдалося поділитися %s, оскільки користувач %s не є членом будь-якої групи в яку входить %s", + "Sharing %s failed, because this item is already shared with %s" : "Не вдалося поділитися %s, оскільки файл вже в загальному доступі з %s", + "Sharing %s failed, because this item is already shared with user %s" : "Не вдалося поділитися %s, оскільки %s вже має до нього доступ", + "Sharing %s failed, because the group %s does not exist" : "Не вдалося поділитися %s, оскільки група %s не існує", + "Sharing %s failed, because %s is not a member of the group %s" : "Не вдалося поділитися %s, оскільки %s не є членом групи %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Вам необхідно задати пароль для створення публічного посилання. Дозволені лише захищені посилання", + "Sharing %s failed, because sharing with links is not allowed" : "Не вдалося поділитися %s, оскільки публічний доступ через посилання заборонений", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Не вдалося поділитися %s, не вдалося знайти %s, можливо, сервер не доступний.", + "Share type %s is not valid for %s" : "Тип загального доступу %s неприпустимий для %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Неможливо встановити дату закінчення. Загальні ресурси не можуть застаріти пізніше %s з моменту їх публікації.", + "Cannot set expiration date. Expiration date is in the past" : "Неможливо встановити дату закінчення. Дата закінчення в минулому.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Backend загального доступу %s повинен реалізовувати інтерфейс OCP\\Share_Backend", + "Sharing backend %s not found" : "Backend загального доступу %s не знайдено", + "Sharing backend for %s not found" : "Бекенд загального доступу для %s не знайдено", + "Sharing failed, because the user %s is the original sharer" : "Не вдалося поділитися, оскільки %s є тим хто поділився з самого початку", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Не вдалося поділитися %s, права перевищують надані права доступу %s", + "Sharing %s failed, because resharing is not allowed" : "Не вдалося поділитися %s, перевідкриття доступу заборонено", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Не вдалося поділитися %s, backend загального доступу не знайшов шлях до %s", + "Sharing %s failed, because the file could not be found in the file cache" : "Не вдалося поділитися %s, елемент не знайдено у файловому кеші.", + "Expiration date is in the past" : "Дата закінчення в минулому", + "%s shared »%s« with you" : "%s поділився »%s« з вами", + "%s via %s" : "%s за допомогою %s", + "Could not find category \"%s\"" : "Не вдалося знайти категорію \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Тільки такі символи допускаються в імені користувача: \"a-z\", \"A-Z\", \"0-9\", і \"_.@-'\"", + "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", + "Username contains whitespace at the beginning or at the end" : "Ім'я користувача містить символ пробілу в початку або в кінці", + "A valid password must be provided" : "Потрібно задати вірний пароль", + "The username is already being used" : "Ім'я користувача вже використовується", + "User disabled" : "Користувач виключений", + "Login canceled by app" : "Вхід скасовано додатком", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Додаток \"%s\" не може бути встановлений, так як наступні залежності не виконано: %s", + "File is currently busy, please try again later" : "Файл на разі зайнятий, будь ласка, спробуйте пізніше", + "Can't read file" : "Не можливо прочитати файл", + "Application is not enabled" : "Додаток не увімкнений", + "Authentication error" : "Помилка автентифікації", + "Token expired. Please reload page." : "Строк дії токена скінчився. Будь ласка, перезавантажте сторінку.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Не встановлено драйвер бази даних (sqlite, mysql, or postgresql).", + "Cannot write into \"config\" directory" : "Не можу писати у теку \"config\"", + "Cannot write into \"apps\" directory" : "Не можу писати у теку \"apps\"", + "Setting locale to %s failed" : "Установка локалі %s не вдалася", + "Please install one of these locales on your system and restart your webserver." : "Встановіть один із цих мовних пакетів в вашу систему і перезапустіть веб-сервер.", + "Please ask your server administrator to install the module." : "Будь ласка, зверніться до адміністратора, щоб встановити модуль.", + "PHP module %s not installed." : "%s модуль PHP не встановлено.", + "PHP setting \"%s\" is not set to \"%s\"." : "Параметр PHP \"%s\" не встановлено в \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload налаштовано як \"%s\" замість очікуваного значення \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Для виправлення змініть mbstring.func_overload на 0 у вашому php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "Необхідно libxml2 версії принаймні 2.7.0. На разі встановлена %s.", + "To fix this issue update your libxml2 version and restart your web server." : "Що виправити це оновіть версію libxml2 та перезапустіть веб-сервер.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "Схоже, що PHP налаштовано на вичищення блоків вбудованої документації. Це зробить кілька основних додатків недоступними.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Модулі PHP були встановлені, але вони все ще перераховані як відсутні?", + "Please ask your server administrator to restart the web server." : "Будь ласка, зверніться до адміністратора, щоб перезавантажити сервер.", + "PostgreSQL >= 9 required" : "Потрібно PostgreSQL> = 9", + "Please upgrade your database version" : "Оновіть версію бази даних", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Змініть права доступу на 0770, щоб інші користувачі не могли отримати список файлів цього каталогу.", + "Check the value of \"datadirectory\" in your configuration" : "Перевірте значення \"datadirectory\" у своїй конфігурації", + "Could not obtain lock type %d on \"%s\"." : "Не вдалося отримати блокування типу %d для \"%s\"", + "Storage unauthorized. %s" : "Сховище не авторизовано. %s", + "Storage incomplete configuration. %s" : "Неповна конфігурація сховища. %s", + "Storage connection error. %s" : "Помилка з'єднання зі сховищем. %s", + "Storage connection timeout. %s" : "Час під'єднання до сховища вичерпався. %s" +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/lib/l10n/uk.json b/lib/l10n/uk.json new file mode 100644 index 0000000000000..bd4735da5f342 --- /dev/null +++ b/lib/l10n/uk.json @@ -0,0 +1,116 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Не можу писати у каталог \"config\"!", + "This can usually be fixed by giving the webserver write access to the config directory" : "Зазвичай це можна виправити, надавши веб-серверу права на запис в теці конфігурації", + "See %s" : "Переглянути %s", + "Sample configuration detected" : "Виявлено приклад конфігурації", + "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Було виявлено, що приклад конфігурації було скопійовано. Це може нашкодити вашій системі та не підтримується. Будь ласка, зверніться до документації перед внесенням змін в файл config.php", + "PHP %s or higher is required." : "Необхідно PHP %s або вище", + "PHP with a version lower than %s is required." : "Потрібна версія PHP нижче %s ", + "Following databases are supported: %s" : "Підтримуються наступні сервери баз даних: %s", + "The command line tool %s could not be found" : "Утиліту командного рядка %s не знайдено", + "The library %s is not available." : "Бібліотека %s недоступна.", + "Library %s with a version higher than %s is required - available version %s." : "Потрібна бібліотека %s версії не більше %s, встановлена версія %s.", + "Library %s with a version lower than %s is required - available version %s." : "Потрібна бібліотека %s версії менш ніж %s, встановлена версія %s.", + "Following platforms are supported: %s" : "Підтримуються наступні платформи: %s", + "Unknown filetype" : "Невідомий тип файлу", + "Invalid image" : "Невірне зображення", + "today" : "сьогодні", + "yesterday" : "вчора", + "_%n day ago_::_%n days ago_" : ["%n день тому","%n днів тому","%n днів тому"], + "last month" : "минулого місяця", + "last year" : "минулого року", + "_%n year ago_::_%n years ago_" : ["%n рік тому","%n років тому","%n років тому"], + "seconds ago" : "секунди тому", + "File name is a reserved word" : "Ім’я файлу є зарезервованим словом", + "File name contains at least one invalid character" : "Ім’я файлу містить принаймні один некоректний символ", + "File name is too long" : "Ім’я файлу занадто довге", + "Dot files are not allowed" : "Файли які починаються з крапки не допустимі", + "Empty filename is not allowed" : "Порожні імена файлів не допускаються", + "App \"%s\" cannot be installed because appinfo file cannot be read." : "Додаток \"%s\" не може бути встановлений через те, що файл appinfo не може бути прочитано.", + "Apps" : "Додатки", + "Users" : "Користувачі", + "Unknown user" : "Невідомий користувач", + "__language_name__" : "Українська", + "%s enter the database username and name." : "%s введіть назву бази даних та ім'я користувача.", + "%s enter the database username." : "%s введіть ім'я користувача бази даних.", + "%s enter the database name." : "%s введіть назву бази даних.", + "%s you may not use dots in the database name" : "%s не можна використовувати крапки в назві бази даних", + "Oracle connection could not be established" : "Не можемо з'єднатися з Oracle ", + "Oracle username and/or password not valid" : "Oracle ім'я користувача та/або пароль не дійсні", + "PostgreSQL username and/or password not valid" : "PostgreSQL ім'я користувача та/або пароль не дійсні", + "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X не підтримується і %s не буде коректно працювати на цій платформі. Випробовуєте на свій риск!", + "For the best results, please consider using a GNU/Linux server instead." : "Для кращих результатів розгляньте можливість використання GNU/Linux серверу", + "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Здається що екземпляр цього %s працює в 32-бітному PHP середовищі і open_basedir повинен бути налаштований в php.ini. Це призведе до проблем з файлами більше 4 ГБ і це дуже не рекомендується.", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Будь ласка, видаліть параметр open_basedir у вашому php.ini або перейдіть на 64-бітний PHP.", + "Set an admin username." : "Встановіть ім'я адміністратора.", + "Set an admin password." : "Встановіть пароль адміністратора.", + "Can't create or write into the data directory %s" : "Неможливо створити або записати каталог даних %s", + "Invalid Federated Cloud ID" : "Неправильний Об'єднаний Хмарний Ідентіфікатор ", + "Sharing %s failed, because the backend does not allow shares from type %i" : "Не вдалося поділитися %s, загальний доступ не допускає публікації з елементів типу %i", + "Sharing %s failed, because the file does not exist" : "Не вдалося поділитися %s, оскільки файл не існує", + "You are not allowed to share %s" : "Вам заборонено поширювати %s", + "Sharing %s failed, because you can not share with yourself" : "Не вдалося поділитися %s, оскільки ви не можете ділитись самі з собою", + "Sharing %s failed, because the user %s does not exist" : "Не вдалося поділитися з %s, оскільки користувач %s не існує", + "Sharing %s failed, because the user %s is not a member of any groups that %s is a member of" : "Не вдалося поділитися %s, оскільки користувач %s не є членом будь-якої групи в яку входить %s", + "Sharing %s failed, because this item is already shared with %s" : "Не вдалося поділитися %s, оскільки файл вже в загальному доступі з %s", + "Sharing %s failed, because this item is already shared with user %s" : "Не вдалося поділитися %s, оскільки %s вже має до нього доступ", + "Sharing %s failed, because the group %s does not exist" : "Не вдалося поділитися %s, оскільки група %s не існує", + "Sharing %s failed, because %s is not a member of the group %s" : "Не вдалося поділитися %s, оскільки %s не є членом групи %s", + "You need to provide a password to create a public link, only protected links are allowed" : "Вам необхідно задати пароль для створення публічного посилання. Дозволені лише захищені посилання", + "Sharing %s failed, because sharing with links is not allowed" : "Не вдалося поділитися %s, оскільки публічний доступ через посилання заборонений", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Не вдалося поділитися %s, не вдалося знайти %s, можливо, сервер не доступний.", + "Share type %s is not valid for %s" : "Тип загального доступу %s неприпустимий для %s", + "Cannot set expiration date. Shares cannot expire later than %s after they have been shared" : "Неможливо встановити дату закінчення. Загальні ресурси не можуть застаріти пізніше %s з моменту їх публікації.", + "Cannot set expiration date. Expiration date is in the past" : "Неможливо встановити дату закінчення. Дата закінчення в минулому.", + "Sharing backend %s must implement the interface OCP\\Share_Backend" : "Backend загального доступу %s повинен реалізовувати інтерфейс OCP\\Share_Backend", + "Sharing backend %s not found" : "Backend загального доступу %s не знайдено", + "Sharing backend for %s not found" : "Бекенд загального доступу для %s не знайдено", + "Sharing failed, because the user %s is the original sharer" : "Не вдалося поділитися, оскільки %s є тим хто поділився з самого початку", + "Sharing %s failed, because the permissions exceed permissions granted to %s" : "Не вдалося поділитися %s, права перевищують надані права доступу %s", + "Sharing %s failed, because resharing is not allowed" : "Не вдалося поділитися %s, перевідкриття доступу заборонено", + "Sharing %s failed, because the sharing backend for %s could not find its source" : "Не вдалося поділитися %s, backend загального доступу не знайшов шлях до %s", + "Sharing %s failed, because the file could not be found in the file cache" : "Не вдалося поділитися %s, елемент не знайдено у файловому кеші.", + "Expiration date is in the past" : "Дата закінчення в минулому", + "%s shared »%s« with you" : "%s поділився »%s« з вами", + "%s via %s" : "%s за допомогою %s", + "Could not find category \"%s\"" : "Не вдалося знайти категорію \"%s\"", + "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Тільки такі символи допускаються в імені користувача: \"a-z\", \"A-Z\", \"0-9\", і \"_.@-'\"", + "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", + "Username contains whitespace at the beginning or at the end" : "Ім'я користувача містить символ пробілу в початку або в кінці", + "A valid password must be provided" : "Потрібно задати вірний пароль", + "The username is already being used" : "Ім'я користувача вже використовується", + "User disabled" : "Користувач виключений", + "Login canceled by app" : "Вхід скасовано додатком", + "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "Додаток \"%s\" не може бути встановлений, так як наступні залежності не виконано: %s", + "File is currently busy, please try again later" : "Файл на разі зайнятий, будь ласка, спробуйте пізніше", + "Can't read file" : "Не можливо прочитати файл", + "Application is not enabled" : "Додаток не увімкнений", + "Authentication error" : "Помилка автентифікації", + "Token expired. Please reload page." : "Строк дії токена скінчився. Будь ласка, перезавантажте сторінку.", + "No database drivers (sqlite, mysql, or postgresql) installed." : "Не встановлено драйвер бази даних (sqlite, mysql, or postgresql).", + "Cannot write into \"config\" directory" : "Не можу писати у теку \"config\"", + "Cannot write into \"apps\" directory" : "Не можу писати у теку \"apps\"", + "Setting locale to %s failed" : "Установка локалі %s не вдалася", + "Please install one of these locales on your system and restart your webserver." : "Встановіть один із цих мовних пакетів в вашу систему і перезапустіть веб-сервер.", + "Please ask your server administrator to install the module." : "Будь ласка, зверніться до адміністратора, щоб встановити модуль.", + "PHP module %s not installed." : "%s модуль PHP не встановлено.", + "PHP setting \"%s\" is not set to \"%s\"." : "Параметр PHP \"%s\" не встановлено в \"%s\".", + "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload налаштовано як \"%s\" замість очікуваного значення \"0\"", + "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Для виправлення змініть mbstring.func_overload на 0 у вашому php.ini", + "libxml2 2.7.0 is at least required. Currently %s is installed." : "Необхідно libxml2 версії принаймні 2.7.0. На разі встановлена %s.", + "To fix this issue update your libxml2 version and restart your web server." : "Що виправити це оновіть версію libxml2 та перезапустіть веб-сервер.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "Схоже, що PHP налаштовано на вичищення блоків вбудованої документації. Це зробить кілька основних додатків недоступними.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", + "PHP modules have been installed, but they are still listed as missing?" : "Модулі PHP були встановлені, але вони все ще перераховані як відсутні?", + "Please ask your server administrator to restart the web server." : "Будь ласка, зверніться до адміністратора, щоб перезавантажити сервер.", + "PostgreSQL >= 9 required" : "Потрібно PostgreSQL> = 9", + "Please upgrade your database version" : "Оновіть версію бази даних", + "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Змініть права доступу на 0770, щоб інші користувачі не могли отримати список файлів цього каталогу.", + "Check the value of \"datadirectory\" in your configuration" : "Перевірте значення \"datadirectory\" у своїй конфігурації", + "Could not obtain lock type %d on \"%s\"." : "Не вдалося отримати блокування типу %d для \"%s\"", + "Storage unauthorized. %s" : "Сховище не авторизовано. %s", + "Storage incomplete configuration. %s" : "Неповна конфігурація сховища. %s", + "Storage connection error. %s" : "Помилка з'єднання зі сховищем. %s", + "Storage connection timeout. %s" : "Час під'єднання до сховища вичерпався. %s" +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +} \ No newline at end of file diff --git a/lib/l10n/ur_PK.js b/lib/l10n/ur_PK.js new file mode 100644 index 0000000000000..97e68de035506 --- /dev/null +++ b/lib/l10n/ur_PK.js @@ -0,0 +1,15 @@ +OC.L10N.register( + "lib", + { + "Unknown filetype" : "غیر معرروف قسم کی فائل", + "Invalid image" : "غلط تصویر", + "today" : "آج", + "yesterday" : "کل", + "last month" : "پچھلے مہنیے", + "last year" : "پچھلے سال", + "seconds ago" : "سیکنڈز پہلے", + "Apps" : "ایپز", + "Users" : "یوزرز", + "__language_name__" : "اردو" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/ur_PK.json b/lib/l10n/ur_PK.json new file mode 100644 index 0000000000000..914fcd22e4c56 --- /dev/null +++ b/lib/l10n/ur_PK.json @@ -0,0 +1,13 @@ +{ "translations": { + "Unknown filetype" : "غیر معرروف قسم کی فائل", + "Invalid image" : "غلط تصویر", + "today" : "آج", + "yesterday" : "کل", + "last month" : "پچھلے مہنیے", + "last year" : "پچھلے سال", + "seconds ago" : "سیکنڈز پہلے", + "Apps" : "ایپز", + "Users" : "یوزرز", + "__language_name__" : "اردو" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/lib/l10n/vi.js b/lib/l10n/vi.js new file mode 100644 index 0000000000000..6f241fda63dd7 --- /dev/null +++ b/lib/l10n/vi.js @@ -0,0 +1,25 @@ +OC.L10N.register( + "lib", + { + "Cannot write into \"config\" directory!" : "Không thể ghi vào thư mục \"config\"!", + "See %s" : "Xem %s", + "Unknown filetype" : "Không biết kiểu tập tin", + "Invalid image" : "Hình ảnh không hợp lệ", + "today" : "hôm nay", + "yesterday" : "hôm qua", + "last month" : "tháng trước", + "_%n month ago_::_%n months ago_" : ["%n tháng trước"], + "last year" : "năm trước", + "_%n hour ago_::_%n hours ago_" : ["%n giờ trước"], + "_%n minute ago_::_%n minutes ago_" : ["%n phút trước"], + "seconds ago" : "vài giây trước", + "Apps" : "Ứng dụng", + "Users" : "Người dùng", + "__language_name__" : "Tiếng Việt", + "%s shared »%s« with you" : "%s đã chia sẻ »%s« với bạn", + "Could not find category \"%s\"" : "không thể tìm thấy mục \"%s\"", + "Application is not enabled" : "Ứng dụng không được BẬT", + "Authentication error" : "Lỗi xác thực", + "Token expired. Please reload page." : "Mã Token đã hết hạn. Hãy tải lại trang." +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/vi.json b/lib/l10n/vi.json new file mode 100644 index 0000000000000..a73b03cf64044 --- /dev/null +++ b/lib/l10n/vi.json @@ -0,0 +1,23 @@ +{ "translations": { + "Cannot write into \"config\" directory!" : "Không thể ghi vào thư mục \"config\"!", + "See %s" : "Xem %s", + "Unknown filetype" : "Không biết kiểu tập tin", + "Invalid image" : "Hình ảnh không hợp lệ", + "today" : "hôm nay", + "yesterday" : "hôm qua", + "last month" : "tháng trước", + "_%n month ago_::_%n months ago_" : ["%n tháng trước"], + "last year" : "năm trước", + "_%n hour ago_::_%n hours ago_" : ["%n giờ trước"], + "_%n minute ago_::_%n minutes ago_" : ["%n phút trước"], + "seconds ago" : "vài giây trước", + "Apps" : "Ứng dụng", + "Users" : "Người dùng", + "__language_name__" : "Tiếng Việt", + "%s shared »%s« with you" : "%s đã chia sẻ »%s« với bạn", + "Could not find category \"%s\"" : "không thể tìm thấy mục \"%s\"", + "Application is not enabled" : "Ứng dụng không được BẬT", + "Authentication error" : "Lỗi xác thực", + "Token expired. Please reload page." : "Mã Token đã hết hạn. Hãy tải lại trang." +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/lib/l10n/zh_HK.js b/lib/l10n/zh_HK.js new file mode 100644 index 0000000000000..d891954a4112a --- /dev/null +++ b/lib/l10n/zh_HK.js @@ -0,0 +1,16 @@ +OC.L10N.register( + "lib", + { + "today" : "今日", + "yesterday" : "昨日", + "last month" : "前一月", + "_%n month ago_::_%n months ago_" : ["%n 月前"], + "last year" : "上年", + "_%n hour ago_::_%n hours ago_" : ["%n 小時前"], + "_%n minute ago_::_%n minutes ago_" : ["%n 分鐘前"], + "seconds ago" : "秒前", + "Apps" : "軟件", + "Users" : "用戶", + "__language_name__" : "繁體中文(香港)" +}, +"nplurals=1; plural=0;"); diff --git a/lib/l10n/zh_HK.json b/lib/l10n/zh_HK.json new file mode 100644 index 0000000000000..751f5382b4b71 --- /dev/null +++ b/lib/l10n/zh_HK.json @@ -0,0 +1,14 @@ +{ "translations": { + "today" : "今日", + "yesterday" : "昨日", + "last month" : "前一月", + "_%n month ago_::_%n months ago_" : ["%n 月前"], + "last year" : "上年", + "_%n hour ago_::_%n hours ago_" : ["%n 小時前"], + "_%n minute ago_::_%n minutes ago_" : ["%n 分鐘前"], + "seconds ago" : "秒前", + "Apps" : "軟件", + "Users" : "用戶", + "__language_name__" : "繁體中文(香港)" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/af.js b/settings/l10n/af.js deleted file mode 100644 index 8bfa7bc360d1d..0000000000000 --- a/settings/l10n/af.js +++ /dev/null @@ -1,85 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} het u wagwoord verander", - "You changed your password" : "U het u wagwoord verander", - "Your password was reset by an administrator" : "U wagwoord is deur ’n administrateur herstel", - "{actor} changed your email address" : "{actor} het u e-posadres verander", - "You changed your email address" : "U het u e-posadres verander", - "Your email address was changed by an administrator" : "U e-posadres is deur ’n administrateur verander", - "Security" : "Sekuriteit", - "Your password or email was modified" : "U wagwoord of e-pos is gewysig", - "Your apps" : "U toeps", - "Enabled apps" : "Geaktiveerde toeps", - "Disabled apps" : "Gedeaktiveerde toeps", - "App bundles" : "Toepbundels", - "Wrong password" : "Verkeerde wagwoord", - "Saved" : "Bewaar", - "Group already exists." : "Groep bestaan reeds.", - "Well done, %s!" : "Welgedaan %s!", - "by %s" : "deur %s", - "%s-licensed" : "%s-gelisensieer", - "Documentation:" : "Dokumentasie:", - "User documentation" : "Gebruikerdokumentasie", - "Admin documentation" : "Admindokumentasie", - "Visit website" : "Besoek webwerf", - "Common Name" : "Algemene Naam", - "Valid until" : "Geldig tot", - "Issued By" : "Uitgereik deur", - "Valid until %s" : "Geldig tot %s", - "Administrator documentation" : "Administrateurdokumentasie", - "Online documentation" : "Aanlyndokumentasie", - "Forum" : "Forum", - "days" : "dae", - "Tips & tricks" : "Wenke & truuks", - "You are using %s of %s" : "U gebruik %s van %s", - "You are using %s of %s (%s %%)" : "U gebruik %s van %s (%s %%)", - "Profile picture" : "Profielprent", - "Upload new" : "Laai nuwe op", - "Select from Files" : "Kies uit Lêers", - "Remove image" : "Verwyder beeld", - "png or jpg, max. 20 MB" : "png of jpg, maks. 20 MB", - "Cancel" : "Kanselleer", - "Choose as profile picture" : "Kies as profielprent", - "Full name" : "Volle naam", - "Email" : "E-pos", - "Your email address" : "U e-posadres", - "No email address set" : "Geen e-posadres ingestel", - "For password reset and notifications" : "Vir wagwoordherstel en kennisgewings", - "Phone number" : "Foonnommer", - "Your phone number" : "U foonnommer", - "Address" : "Adres", - "Your postal address" : "U posadres", - "Website" : "Webwerf", - "Link https://…" : "Skakel https://…", - "Twitter" : "Twitter", - "Twitter handle @…" : "Twitter-handvatsel @…", - "You are member of the following groups:" : "U is ’n lid van die volgende groepe:", - "Language" : "Taal", - "Help translate" : "Help met vertaling", - "Password" : "Wagwoord", - "Current password" : "Huidige wagwoord", - "New password" : "Nuwe wagwoord", - "Change password" : "Verander wagwoord", - "Device" : "Toestel", - "App name" : "Toepnaam", - "Create new app password" : "Skep nuwe toepwagwoord", - "Username" : "Gebruikersnaam", - "Settings" : "Instellings", - "Show email address" : "Toon e-posadres", - "Send email to new user" : "Stuur e-pos aan nuwe gebruiker", - "E-Mail" : "E-pos", - "Create" : "Skep", - "Everyone" : "Almal", - "Default quota" : "Verstekkwota", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Voer asb. ’n verstekkwota in (bv.: “512 MB” of “12 GB”)", - "Other" : "Ander", - "Group admin for" : "Groepadmin vir", - "Quota" : "Kwota", - "Last login" : "Laaste aantekening", - "change full name" : "verander volle naam", - "set new password" : "stel nuwe wagwoord", - "change email address" : "verander e-posadres", - "Default" : "Verstek" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/af.json b/settings/l10n/af.json deleted file mode 100644 index 937214ec08061..0000000000000 --- a/settings/l10n/af.json +++ /dev/null @@ -1,83 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} het u wagwoord verander", - "You changed your password" : "U het u wagwoord verander", - "Your password was reset by an administrator" : "U wagwoord is deur ’n administrateur herstel", - "{actor} changed your email address" : "{actor} het u e-posadres verander", - "You changed your email address" : "U het u e-posadres verander", - "Your email address was changed by an administrator" : "U e-posadres is deur ’n administrateur verander", - "Security" : "Sekuriteit", - "Your password or email was modified" : "U wagwoord of e-pos is gewysig", - "Your apps" : "U toeps", - "Enabled apps" : "Geaktiveerde toeps", - "Disabled apps" : "Gedeaktiveerde toeps", - "App bundles" : "Toepbundels", - "Wrong password" : "Verkeerde wagwoord", - "Saved" : "Bewaar", - "Group already exists." : "Groep bestaan reeds.", - "Well done, %s!" : "Welgedaan %s!", - "by %s" : "deur %s", - "%s-licensed" : "%s-gelisensieer", - "Documentation:" : "Dokumentasie:", - "User documentation" : "Gebruikerdokumentasie", - "Admin documentation" : "Admindokumentasie", - "Visit website" : "Besoek webwerf", - "Common Name" : "Algemene Naam", - "Valid until" : "Geldig tot", - "Issued By" : "Uitgereik deur", - "Valid until %s" : "Geldig tot %s", - "Administrator documentation" : "Administrateurdokumentasie", - "Online documentation" : "Aanlyndokumentasie", - "Forum" : "Forum", - "days" : "dae", - "Tips & tricks" : "Wenke & truuks", - "You are using %s of %s" : "U gebruik %s van %s", - "You are using %s of %s (%s %%)" : "U gebruik %s van %s (%s %%)", - "Profile picture" : "Profielprent", - "Upload new" : "Laai nuwe op", - "Select from Files" : "Kies uit Lêers", - "Remove image" : "Verwyder beeld", - "png or jpg, max. 20 MB" : "png of jpg, maks. 20 MB", - "Cancel" : "Kanselleer", - "Choose as profile picture" : "Kies as profielprent", - "Full name" : "Volle naam", - "Email" : "E-pos", - "Your email address" : "U e-posadres", - "No email address set" : "Geen e-posadres ingestel", - "For password reset and notifications" : "Vir wagwoordherstel en kennisgewings", - "Phone number" : "Foonnommer", - "Your phone number" : "U foonnommer", - "Address" : "Adres", - "Your postal address" : "U posadres", - "Website" : "Webwerf", - "Link https://…" : "Skakel https://…", - "Twitter" : "Twitter", - "Twitter handle @…" : "Twitter-handvatsel @…", - "You are member of the following groups:" : "U is ’n lid van die volgende groepe:", - "Language" : "Taal", - "Help translate" : "Help met vertaling", - "Password" : "Wagwoord", - "Current password" : "Huidige wagwoord", - "New password" : "Nuwe wagwoord", - "Change password" : "Verander wagwoord", - "Device" : "Toestel", - "App name" : "Toepnaam", - "Create new app password" : "Skep nuwe toepwagwoord", - "Username" : "Gebruikersnaam", - "Settings" : "Instellings", - "Show email address" : "Toon e-posadres", - "Send email to new user" : "Stuur e-pos aan nuwe gebruiker", - "E-Mail" : "E-pos", - "Create" : "Skep", - "Everyone" : "Almal", - "Default quota" : "Verstekkwota", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Voer asb. ’n verstekkwota in (bv.: “512 MB” of “12 GB”)", - "Other" : "Ander", - "Group admin for" : "Groepadmin vir", - "Quota" : "Kwota", - "Last login" : "Laaste aantekening", - "change full name" : "verander volle naam", - "set new password" : "stel nuwe wagwoord", - "change email address" : "verander e-posadres", - "Default" : "Verstek" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/ar.js b/settings/l10n/ar.js deleted file mode 100644 index 9534130ed6a21..0000000000000 --- a/settings/l10n/ar.js +++ /dev/null @@ -1,84 +0,0 @@ -OC.L10N.register( - "settings", - { - "Your apps" : "تطبيقاتك", - "Updates" : "التحديثات", - "Wrong password" : "كلمة مرور خاطئة", - "Saved" : "حفظ", - "No user supplied" : "لم يتم توفير مستخدم ", - "Unable to change password" : "لا يمكن تغيير كلمة المرور", - "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", - "Wrong admin recovery password. Please check the password and try again." : "خطا في كلمة مرور المسؤول المستردة, يرجى التاكد من كلمة المرور والمحاولة مرة اخرى.", - "Unable to change full name" : "لم يتم التمكن من تغيير اسمك الكامل", - "Your full name has been changed." : "اسمك الكامل تم تغييره.", - "Email saved" : "تم حفظ البريد الإلكتروني", - "Couldn't update app." : "تعذر تحديث التطبيق.", - "Add trusted domain" : "أضافة نطاق موثوق فيه", - "Email sent" : "تم ارسال البريد الالكتروني", - "All" : "الكل", - "Error while disabling app" : "خطا عند تعطيل البرنامج", - "Disable" : "إيقاف", - "Enable" : "تفعيل", - "Error while enabling app" : "خطا عند تفعيل البرنامج ", - "Updated" : "تم التحديث بنجاح", - "Copy" : "نسخ", - "Delete" : "إلغاء", - "Select a profile picture" : "اختر صورة الملف الشخصي ", - "Very weak password" : "كلمة السر ضعيفة جدا", - "Weak password" : "كلمة السر ضعيفة", - "Good password" : "كلمة السر جيدة", - "Strong password" : "كلمة السر قوية", - "Groups" : "مجموعات", - "undo" : "تراجع", - "never" : "بتاتا", - "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", - "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", - "Documentation:" : "التوثيق", - "Valid until" : "صالح حتى", - "Forum" : "منتدى", - "None" : "لا شيء", - "Login" : "تسجيل الدخول", - "Send mode" : "وضعية الإرسال", - "Encryption" : "التشفير", - "Authentication method" : "أسلوب التطابق", - "Server address" : "عنوان الخادم", - "Port" : "المنفذ", - "Test email settings" : "فحص إعدادات البريد الإلكتروني", - "System locale can not be set to a one which supports UTF-8." : "لا يمكن تعيين لغة النظام الى احد اللغات التي تدعم UTF-8.", - "Execute one task with each page loaded" : "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها", - "Version" : "إصدار", - "Sharing" : "مشاركة", - "Allow apps to use the Share API" : "السماح للتطبيقات بالمشاركة عن طريق الAPI", - "Allow users to share via link" : "السماح للمستخدم بمشاركة الملف عن طريق رابط", - "Allow public uploads" : "السماح بالرفع للعامة ", - "Expire after " : "ينتهي بعد", - "days" : "أيام", - "Allow resharing" : "السماح بإعادة المشاركة ", - "Profile picture" : "صورة الملف الشخصي", - "Upload new" : "رفع الان", - "Remove image" : "إزالة الصورة", - "Cancel" : "الغاء", - "Email" : "البريد الإلكترونى", - "Your email address" : "عنوانك البريدي", - "Language" : "اللغة", - "Help translate" : "ساعد في الترجمه", - "Password" : "كلمة المرور", - "Current password" : "كلمات السر الحالية", - "New password" : "كلمات سر جديدة", - "Change password" : "عدل كلمة السر", - "Username" : "إسم المستخدم", - "Settings" : "الإعدادات", - "E-Mail" : "بريد إلكتروني", - "Create" : "انشئ", - "Admin Recovery Password" : "استعادة كلمة المرور للمسؤول", - "Enter the recovery password in order to recover the users files during password change" : "ادخل كلمة المرور المستعادة من اجل استرداد ملفات المستخدمين اثناء تغيير كلمة المرور", - "Everyone" : "الجميع", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "يرجى ادخال تخزين quota (مثل:\"512 MB\" او \"12 GB\")", - "Unlimited" : "غير محدود", - "Other" : "شيء آخر", - "Quota" : "حصه", - "change full name" : "تغيير اسمك الكامل", - "set new password" : "اعداد كلمة مرور جديدة", - "Default" : "افتراضي" -}, -"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/settings/l10n/ar.json b/settings/l10n/ar.json deleted file mode 100644 index c0bac3abd4927..0000000000000 --- a/settings/l10n/ar.json +++ /dev/null @@ -1,82 +0,0 @@ -{ "translations": { - "Your apps" : "تطبيقاتك", - "Updates" : "التحديثات", - "Wrong password" : "كلمة مرور خاطئة", - "Saved" : "حفظ", - "No user supplied" : "لم يتم توفير مستخدم ", - "Unable to change password" : "لا يمكن تغيير كلمة المرور", - "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", - "Wrong admin recovery password. Please check the password and try again." : "خطا في كلمة مرور المسؤول المستردة, يرجى التاكد من كلمة المرور والمحاولة مرة اخرى.", - "Unable to change full name" : "لم يتم التمكن من تغيير اسمك الكامل", - "Your full name has been changed." : "اسمك الكامل تم تغييره.", - "Email saved" : "تم حفظ البريد الإلكتروني", - "Couldn't update app." : "تعذر تحديث التطبيق.", - "Add trusted domain" : "أضافة نطاق موثوق فيه", - "Email sent" : "تم ارسال البريد الالكتروني", - "All" : "الكل", - "Error while disabling app" : "خطا عند تعطيل البرنامج", - "Disable" : "إيقاف", - "Enable" : "تفعيل", - "Error while enabling app" : "خطا عند تفعيل البرنامج ", - "Updated" : "تم التحديث بنجاح", - "Copy" : "نسخ", - "Delete" : "إلغاء", - "Select a profile picture" : "اختر صورة الملف الشخصي ", - "Very weak password" : "كلمة السر ضعيفة جدا", - "Weak password" : "كلمة السر ضعيفة", - "Good password" : "كلمة السر جيدة", - "Strong password" : "كلمة السر قوية", - "Groups" : "مجموعات", - "undo" : "تراجع", - "never" : "بتاتا", - "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", - "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", - "Documentation:" : "التوثيق", - "Valid until" : "صالح حتى", - "Forum" : "منتدى", - "None" : "لا شيء", - "Login" : "تسجيل الدخول", - "Send mode" : "وضعية الإرسال", - "Encryption" : "التشفير", - "Authentication method" : "أسلوب التطابق", - "Server address" : "عنوان الخادم", - "Port" : "المنفذ", - "Test email settings" : "فحص إعدادات البريد الإلكتروني", - "System locale can not be set to a one which supports UTF-8." : "لا يمكن تعيين لغة النظام الى احد اللغات التي تدعم UTF-8.", - "Execute one task with each page loaded" : "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها", - "Version" : "إصدار", - "Sharing" : "مشاركة", - "Allow apps to use the Share API" : "السماح للتطبيقات بالمشاركة عن طريق الAPI", - "Allow users to share via link" : "السماح للمستخدم بمشاركة الملف عن طريق رابط", - "Allow public uploads" : "السماح بالرفع للعامة ", - "Expire after " : "ينتهي بعد", - "days" : "أيام", - "Allow resharing" : "السماح بإعادة المشاركة ", - "Profile picture" : "صورة الملف الشخصي", - "Upload new" : "رفع الان", - "Remove image" : "إزالة الصورة", - "Cancel" : "الغاء", - "Email" : "البريد الإلكترونى", - "Your email address" : "عنوانك البريدي", - "Language" : "اللغة", - "Help translate" : "ساعد في الترجمه", - "Password" : "كلمة المرور", - "Current password" : "كلمات السر الحالية", - "New password" : "كلمات سر جديدة", - "Change password" : "عدل كلمة السر", - "Username" : "إسم المستخدم", - "Settings" : "الإعدادات", - "E-Mail" : "بريد إلكتروني", - "Create" : "انشئ", - "Admin Recovery Password" : "استعادة كلمة المرور للمسؤول", - "Enter the recovery password in order to recover the users files during password change" : "ادخل كلمة المرور المستعادة من اجل استرداد ملفات المستخدمين اثناء تغيير كلمة المرور", - "Everyone" : "الجميع", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "يرجى ادخال تخزين quota (مثل:\"512 MB\" او \"12 GB\")", - "Unlimited" : "غير محدود", - "Other" : "شيء آخر", - "Quota" : "حصه", - "change full name" : "تغيير اسمك الكامل", - "set new password" : "اعداد كلمة مرور جديدة", - "Default" : "افتراضي" -},"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" -} \ No newline at end of file diff --git a/settings/l10n/az.js b/settings/l10n/az.js deleted file mode 100644 index efeb9cc37e6d1..0000000000000 --- a/settings/l10n/az.js +++ /dev/null @@ -1,146 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Yalnış şifrə", - "Saved" : "Saxlanıldı", - "No user supplied" : "Heç bir istifadəçiyə mənimsədilmir", - "Unable to change password" : "Şifrəni dəyişmək olmur", - "Authentication error" : "Təyinat metodikası", - "Wrong admin recovery password. Please check the password and try again." : "İnzibatçı geriyə qayıdış şifrəsi yalnışdır. Xahiş olunur şifrəni yoxlayıb yenidən təkrar edəsiniz.", - "Federated Cloud Sharing" : "Federal Cloud Paylaşım", - "Group already exists." : "Qrup artılq mövcduddur.", - "Unable to add group." : "Qrupu əlavə etmək mümkün deyil. ", - "Unable to delete group." : "Qrupu silmək mümkün deyil.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Məktubun yollanmasında səhv baş verdi. Xahiş olunur öz quraşdırmalarınıza yenidən göz yetirəsiniz.(Error: %s)", - "You need to set your user email before being able to send test emails." : "Test məktubu göndərməzdən öncə, siz öz istifadəçi poçtunuzu təyin etməlisiniz.", - "Invalid mail address" : "Yalnış mail ünvanı", - "A user with that name already exists." : "Bu adla istifadəçi artıq mövcuddur.", - "Unable to create user." : "İstifadəçi yaratmaq mümkün deyil.", - "Unable to delete user." : "İstifadəçini silmək mümkün deyil.", - "Unable to change full name" : "Tam adı dəyişmək olmur", - "Your full name has been changed." : "Sizin tam adınız dəyişdirildi.", - "Forbidden" : "Qadağan", - "Invalid user" : "İstifadəçi adı yalnışdır", - "Unable to change mail address" : "Mail ünvanını dəyişmək olmur", - "Email saved" : "Məktub yadda saxlanıldı", - "Your %s account was created" : "Sizin %s hesab yaradıldı", - "Couldn't remove app." : "Proqram təminatını silmək mümkün olmadı.", - "Couldn't update app." : "Proqram təminatını yeniləmək mümkün deyil.", - "Add trusted domain" : "İnamlı domainlərə əlavə et", - "Email sent" : "Məktub göndərildi", - "All" : "Hamısı", - "Update to %s" : "Yenilə bunadək %s", - "No apps found for your version" : "Sizin versiya üçün proqram tapılmadı", - "Error while disabling app" : "Proqram təminatını dayandırdıqda səhv baş verdi", - "Disable" : "Dayandır", - "Enable" : "İşə sal", - "Error while enabling app" : "Proqram təminatını işə saldıqda səhv baş verdi", - "Updated" : "Yeniləndi", - "Valid until {date}" : "Müddətədək keçərlidir {date}", - "Delete" : "Sil", - "Select a profile picture" : "Profil üçün şəkli seç", - "Very weak password" : "Çox asan şifrə", - "Weak password" : "Asan şifrə", - "So-so password" : "Elə-belə şifrə", - "Good password" : "Yaxşı şifrə", - "Strong password" : "Çətin şifrə", - "Groups" : "Qruplar", - "Unable to delete {objName}" : "{objName} silmək olmur", - "A valid group name must be provided" : "Düzgün qrup adı təyin edilməlidir", - "deleted {groupName}" : "{groupName} silindi", - "undo" : "geriyə", - "never" : "heç vaxt", - "deleted {userName}" : "{userName} silindi", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Şifrənin dəyişdirilməsi data itkisinə gətirəcək ona görə ki, datanın bərpası bu istifadəçi üçün movcud deyil.", - "A valid username must be provided" : "Düzgün istifadəçi adı daxil edilməlidir", - "A valid password must be provided" : "Düzgün şifrə daxil edilməlidir", - "A valid email must be provided" : "Düzgün email təqdim edilməlidir", - "Developer documentation" : "Yaradıcı sənədləşməsi", - "Documentation:" : "Sənədləşmə:", - "Show description …" : "Açıqlanmanı göstər ...", - "Hide description …" : "Açıqlamanı gizlət ...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Bu proqram yüklənə bilməz ona görə ki, göstərilən asılılıqlar yerinə yetirilməyib:", - "Enable only for specific groups" : "Yalnız spesifik qruplara izin ver", - "Common Name" : "Ümumi ad", - "Valid until" : "Vaxtadək keçərlidir", - "Issued By" : "Tərəfindən yaradılıb", - "Valid until %s" : "Keçərlidir vaxtadək %s", - "Import root certificate" : "root sertifikatı import et", - "Forum" : "Forum", - "None" : "Heç bir", - "Login" : "Giriş", - "Plain" : "Adi", - "NT LAN Manager" : "NT LAN Manager", - "Open documentation" : "Sənədləri aç", - "Send mode" : "Göndərmə rejimi", - "Encryption" : "Şifrələnmə", - "From address" : "Ünvandan", - "mail" : "poçt", - "Authentication method" : "Qeydiyyat metodikası", - "Authentication required" : "Qeydiyyat tələb edilir", - "Server address" : "Server ünvanı", - "Port" : "Port", - "Credentials" : "Səlahiyyətlər", - "SMTP Username" : "SMTP İstifadəçi adı", - "SMTP Password" : "SMTP Şifrəsi", - "Store credentials" : "Səlahiyyətləri saxla", - "Test email settings" : "Email qurmalarını test et", - "Send email" : "Email yolla", - "Security & setup warnings" : "Təhlükəsizlik & işə salma xəbərdarlıqları", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Yalnız-Oxuma işə salınıb. Bu web-interface vasitəsilə edilən bəzi konfiqlərin qarşısını alır. Bundan başqa, fayl əllə edilən istənilən yenilınmə üçün yazılma yetkisinə sahib olmalıdır. ", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Bu ola bilər ki, cache/accelerator such tərəfindən cağırılıb hansi ki, Zend OPcache və eAccelerator-da olduğu kimidir.", - "System locale can not be set to a one which supports UTF-8." : "UTF-8 dsətklənən sistemdə daxili vaxt və dil təyinatı ola bilməz. ", - "Execute one task with each page loaded" : "Hər səhifə yüklənməsində bir işi yerinə yetir", - "Version" : "Versiya", - "Sharing" : "Paylaşılır", - "Allow apps to use the Share API" : "Proqramlara izin verin ki, Paylaşım API-sindən istifadə edə bilsinlər.", - "Allow users to share via link" : "Istifadəçilərə link üzərindən paylaşım etməyə izin vermək", - "Allow public uploads" : "Ümumi yüklənmələrə izin vermək", - "Enforce password protection" : "Şifrə müdafiəsini həyata keçirmək", - "Set default expiration date" : "Susmaya görə olan bitmə vaxtını təyin edin", - "Expire after " : "Bitir sonra", - "days" : "günlər", - "Enforce expiration date" : "Bitmə tarixini həyata keçir", - "Allow resharing" : "Yenidən paylaşıma izin", - "Restrict users to only share with users in their groups" : "İstifadəçiləri yalnız yerləşdikləri qrup üzvləri ilə paylaşım edə bilmələrini məhdudla", - "Exclude groups from sharing" : "Qrupları paylaşımdan ayır", - "These groups will still be able to receive shares, but not to initiate them." : "Bu qruplar paylaşımları hələdə ala biləcəklər ancaq, yarada bilməyəcəklər", - "How to do backups" : "Rezerv nüsxələr neçə edilisin", - "Profile picture" : "Profil şəkli", - "Upload new" : "Yenisini yüklə", - "Remove image" : "Şəkili sil", - "Cancel" : "Dayandır", - "Full name" : "Tam ad", - "No display name set" : "Ekranda adı dəsti yoxdur", - "Email" : "Email", - "Your email address" : "Sizin email ünvanı", - "No email address set" : "Email ünvanı dəsti yoxdur", - "You are member of the following groups:" : "Siz göstərilən qrupların üzvüsünüz:", - "Language" : "Dil", - "Help translate" : "Tərcüməyə kömək", - "Password" : "Şifrə", - "Current password" : "Hazırkı şifrə", - "New password" : "Yeni şifrə", - "Change password" : "Şifrəni dəyiş", - "Username" : "İstifadəçi adı", - "Done" : "Edildi", - "Show storage location" : "Depo ünvanını göstər", - "Show user backend" : "Daxili istifadəçini göstər", - "Show email address" : "Email ünvanını göstər", - "Send email to new user" : "Yeni istifadəçiyə məktub yolla", - "E-Mail" : "E-Mail", - "Create" : "Yarat", - "Admin Recovery Password" : "İnzibatçı bərpa şifrəsi", - "Enter the recovery password in order to recover the users files during password change" : "Şifrə dəyişilməsi müddətində, səliqə ilə bərpa açarını daxil et ki, istifadəçi fayllları bərpa edilsin. ", - "Everyone" : "Hamı", - "Admins" : "İnzibatçılar", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Xahiş olunur depo normasını daxil edəsiniz (Məs: \"512 MB\" yada \"12 GB\")", - "Unlimited" : "Limitsiz", - "Other" : "Digər", - "Quota" : "Norma", - "change full name" : "tam adı dəyiş", - "set new password" : "yeni şifrə təyin et", - "change email address" : "email ünvanını dəyiş", - "Default" : "Susmaya görə" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/az.json b/settings/l10n/az.json deleted file mode 100644 index ca71077ddcd59..0000000000000 --- a/settings/l10n/az.json +++ /dev/null @@ -1,144 +0,0 @@ -{ "translations": { - "Wrong password" : "Yalnış şifrə", - "Saved" : "Saxlanıldı", - "No user supplied" : "Heç bir istifadəçiyə mənimsədilmir", - "Unable to change password" : "Şifrəni dəyişmək olmur", - "Authentication error" : "Təyinat metodikası", - "Wrong admin recovery password. Please check the password and try again." : "İnzibatçı geriyə qayıdış şifrəsi yalnışdır. Xahiş olunur şifrəni yoxlayıb yenidən təkrar edəsiniz.", - "Federated Cloud Sharing" : "Federal Cloud Paylaşım", - "Group already exists." : "Qrup artılq mövcduddur.", - "Unable to add group." : "Qrupu əlavə etmək mümkün deyil. ", - "Unable to delete group." : "Qrupu silmək mümkün deyil.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Məktubun yollanmasında səhv baş verdi. Xahiş olunur öz quraşdırmalarınıza yenidən göz yetirəsiniz.(Error: %s)", - "You need to set your user email before being able to send test emails." : "Test məktubu göndərməzdən öncə, siz öz istifadəçi poçtunuzu təyin etməlisiniz.", - "Invalid mail address" : "Yalnış mail ünvanı", - "A user with that name already exists." : "Bu adla istifadəçi artıq mövcuddur.", - "Unable to create user." : "İstifadəçi yaratmaq mümkün deyil.", - "Unable to delete user." : "İstifadəçini silmək mümkün deyil.", - "Unable to change full name" : "Tam adı dəyişmək olmur", - "Your full name has been changed." : "Sizin tam adınız dəyişdirildi.", - "Forbidden" : "Qadağan", - "Invalid user" : "İstifadəçi adı yalnışdır", - "Unable to change mail address" : "Mail ünvanını dəyişmək olmur", - "Email saved" : "Məktub yadda saxlanıldı", - "Your %s account was created" : "Sizin %s hesab yaradıldı", - "Couldn't remove app." : "Proqram təminatını silmək mümkün olmadı.", - "Couldn't update app." : "Proqram təminatını yeniləmək mümkün deyil.", - "Add trusted domain" : "İnamlı domainlərə əlavə et", - "Email sent" : "Məktub göndərildi", - "All" : "Hamısı", - "Update to %s" : "Yenilə bunadək %s", - "No apps found for your version" : "Sizin versiya üçün proqram tapılmadı", - "Error while disabling app" : "Proqram təminatını dayandırdıqda səhv baş verdi", - "Disable" : "Dayandır", - "Enable" : "İşə sal", - "Error while enabling app" : "Proqram təminatını işə saldıqda səhv baş verdi", - "Updated" : "Yeniləndi", - "Valid until {date}" : "Müddətədək keçərlidir {date}", - "Delete" : "Sil", - "Select a profile picture" : "Profil üçün şəkli seç", - "Very weak password" : "Çox asan şifrə", - "Weak password" : "Asan şifrə", - "So-so password" : "Elə-belə şifrə", - "Good password" : "Yaxşı şifrə", - "Strong password" : "Çətin şifrə", - "Groups" : "Qruplar", - "Unable to delete {objName}" : "{objName} silmək olmur", - "A valid group name must be provided" : "Düzgün qrup adı təyin edilməlidir", - "deleted {groupName}" : "{groupName} silindi", - "undo" : "geriyə", - "never" : "heç vaxt", - "deleted {userName}" : "{userName} silindi", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Şifrənin dəyişdirilməsi data itkisinə gətirəcək ona görə ki, datanın bərpası bu istifadəçi üçün movcud deyil.", - "A valid username must be provided" : "Düzgün istifadəçi adı daxil edilməlidir", - "A valid password must be provided" : "Düzgün şifrə daxil edilməlidir", - "A valid email must be provided" : "Düzgün email təqdim edilməlidir", - "Developer documentation" : "Yaradıcı sənədləşməsi", - "Documentation:" : "Sənədləşmə:", - "Show description …" : "Açıqlanmanı göstər ...", - "Hide description …" : "Açıqlamanı gizlət ...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Bu proqram yüklənə bilməz ona görə ki, göstərilən asılılıqlar yerinə yetirilməyib:", - "Enable only for specific groups" : "Yalnız spesifik qruplara izin ver", - "Common Name" : "Ümumi ad", - "Valid until" : "Vaxtadək keçərlidir", - "Issued By" : "Tərəfindən yaradılıb", - "Valid until %s" : "Keçərlidir vaxtadək %s", - "Import root certificate" : "root sertifikatı import et", - "Forum" : "Forum", - "None" : "Heç bir", - "Login" : "Giriş", - "Plain" : "Adi", - "NT LAN Manager" : "NT LAN Manager", - "Open documentation" : "Sənədləri aç", - "Send mode" : "Göndərmə rejimi", - "Encryption" : "Şifrələnmə", - "From address" : "Ünvandan", - "mail" : "poçt", - "Authentication method" : "Qeydiyyat metodikası", - "Authentication required" : "Qeydiyyat tələb edilir", - "Server address" : "Server ünvanı", - "Port" : "Port", - "Credentials" : "Səlahiyyətlər", - "SMTP Username" : "SMTP İstifadəçi adı", - "SMTP Password" : "SMTP Şifrəsi", - "Store credentials" : "Səlahiyyətləri saxla", - "Test email settings" : "Email qurmalarını test et", - "Send email" : "Email yolla", - "Security & setup warnings" : "Təhlükəsizlik & işə salma xəbərdarlıqları", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Yalnız-Oxuma işə salınıb. Bu web-interface vasitəsilə edilən bəzi konfiqlərin qarşısını alır. Bundan başqa, fayl əllə edilən istənilən yenilınmə üçün yazılma yetkisinə sahib olmalıdır. ", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Bu ola bilər ki, cache/accelerator such tərəfindən cağırılıb hansi ki, Zend OPcache və eAccelerator-da olduğu kimidir.", - "System locale can not be set to a one which supports UTF-8." : "UTF-8 dsətklənən sistemdə daxili vaxt və dil təyinatı ola bilməz. ", - "Execute one task with each page loaded" : "Hər səhifə yüklənməsində bir işi yerinə yetir", - "Version" : "Versiya", - "Sharing" : "Paylaşılır", - "Allow apps to use the Share API" : "Proqramlara izin verin ki, Paylaşım API-sindən istifadə edə bilsinlər.", - "Allow users to share via link" : "Istifadəçilərə link üzərindən paylaşım etməyə izin vermək", - "Allow public uploads" : "Ümumi yüklənmələrə izin vermək", - "Enforce password protection" : "Şifrə müdafiəsini həyata keçirmək", - "Set default expiration date" : "Susmaya görə olan bitmə vaxtını təyin edin", - "Expire after " : "Bitir sonra", - "days" : "günlər", - "Enforce expiration date" : "Bitmə tarixini həyata keçir", - "Allow resharing" : "Yenidən paylaşıma izin", - "Restrict users to only share with users in their groups" : "İstifadəçiləri yalnız yerləşdikləri qrup üzvləri ilə paylaşım edə bilmələrini məhdudla", - "Exclude groups from sharing" : "Qrupları paylaşımdan ayır", - "These groups will still be able to receive shares, but not to initiate them." : "Bu qruplar paylaşımları hələdə ala biləcəklər ancaq, yarada bilməyəcəklər", - "How to do backups" : "Rezerv nüsxələr neçə edilisin", - "Profile picture" : "Profil şəkli", - "Upload new" : "Yenisini yüklə", - "Remove image" : "Şəkili sil", - "Cancel" : "Dayandır", - "Full name" : "Tam ad", - "No display name set" : "Ekranda adı dəsti yoxdur", - "Email" : "Email", - "Your email address" : "Sizin email ünvanı", - "No email address set" : "Email ünvanı dəsti yoxdur", - "You are member of the following groups:" : "Siz göstərilən qrupların üzvüsünüz:", - "Language" : "Dil", - "Help translate" : "Tərcüməyə kömək", - "Password" : "Şifrə", - "Current password" : "Hazırkı şifrə", - "New password" : "Yeni şifrə", - "Change password" : "Şifrəni dəyiş", - "Username" : "İstifadəçi adı", - "Done" : "Edildi", - "Show storage location" : "Depo ünvanını göstər", - "Show user backend" : "Daxili istifadəçini göstər", - "Show email address" : "Email ünvanını göstər", - "Send email to new user" : "Yeni istifadəçiyə məktub yolla", - "E-Mail" : "E-Mail", - "Create" : "Yarat", - "Admin Recovery Password" : "İnzibatçı bərpa şifrəsi", - "Enter the recovery password in order to recover the users files during password change" : "Şifrə dəyişilməsi müddətində, səliqə ilə bərpa açarını daxil et ki, istifadəçi fayllları bərpa edilsin. ", - "Everyone" : "Hamı", - "Admins" : "İnzibatçılar", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Xahiş olunur depo normasını daxil edəsiniz (Məs: \"512 MB\" yada \"12 GB\")", - "Unlimited" : "Limitsiz", - "Other" : "Digər", - "Quota" : "Norma", - "change full name" : "tam adı dəyiş", - "set new password" : "yeni şifrə təyin et", - "change email address" : "email ünvanını dəyiş", - "Default" : "Susmaya görə" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/bg.js b/settings/l10n/bg.js deleted file mode 100644 index 2369b77e84732..0000000000000 --- a/settings/l10n/bg.js +++ /dev/null @@ -1,199 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Грешна парола", - "Saved" : "Запаметяване", - "No user supplied" : "Липсва потребител", - "Unable to change password" : "Неуспешна смяна на паролата.", - "Authentication error" : "Възникна проблем с идентификацията", - "Wrong admin recovery password. Please check the password and try again." : "Грешна администраторска парола за възстановяване. Моля, проверете паролата и опитайте отново.", - "Group already exists." : "Групата вече съществува.", - "Unable to add group." : "Неуспешно добавяне на група.", - "Unable to delete group." : "Неуспешно изтриване на група", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Възникна проблем при изпращането на имейла. Моля, провери настройките. (Грешка: %s)", - "You need to set your user email before being able to send test emails." : "Трябва да зададете своя имейл за да можете да изпращате тестови имейли.", - "Invalid mail address" : "невалиден адрес на електронна поща", - "A user with that name already exists." : "Потребител с това име вече съществува", - "Unable to create user." : "Неуспешно създаване на потребител.", - "Unable to delete user." : "Неуспешно изтриване на потребител.", - "Settings saved" : "Настройките са запазени", - "Unable to change full name" : "Неуспешна промяна на пълното име.", - "Unable to change email address" : "Неуспешна промяна на адрес на електронна поща", - "Your full name has been changed." : "Вашето пълно име е променено.", - "Forbidden" : "Забранено", - "Invalid user" : "Невалиден протребител", - "Unable to change mail address" : "Неуспешна промяна на адрес на електронна поща", - "Email saved" : "Имейлът е запазен", - "Your %s account was created" : "Вашия %s профил бе създаден", - "Couldn't remove app." : "Приложението не бе премахнато.", - "Couldn't update app." : "Приложението не бе обновено.", - "Add trusted domain" : "Добавяне на сигурен домейн", - "Email sent" : "Имейлът е изпратен", - "All" : "Всички", - "Update to %s" : "Обнови до %s", - "No apps found for your version" : "Няма намерени приложения за версията, която ползвате", - "Disabling app …" : "Забраняване на приложение ...", - "Error while disabling app" : "Грешка при изключване на приложението", - "Disable" : "Изключване", - "Enable" : "Включване", - "Enabling app …" : "Разрешаване на приложение ...", - "Error while enabling app" : "Грешка при включване на приложението", - "Updated" : "Обновено", - "Approved" : "Одобрен", - "Experimental" : "Ексериментален", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome за Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS клиент", - "Android Client" : "Android клиент", - "This session" : "Текуща сесия", - "Copy" : "Копиране", - "Copied!" : "Копирано!", - "Not supported!" : "Не се поддържа!", - "Press ⌘-C to copy." : "За копиране натиснете ⌘-C", - "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C", - "Valid until {date}" : "Далидна до {date}", - "Delete" : "Изтриване", - "Local" : "Локално", - "Contacts" : "Контакти", - "Public" : "Публичен", - "Select a profile picture" : "Избиране на профилна снимка", - "Very weak password" : "Много слаба парола", - "Weak password" : "Слаба парола", - "So-so password" : "Не особено добра парола", - "Good password" : "Добра парола", - "Strong password" : "Сигурна парола", - "Groups" : "Групи", - "Unable to delete {objName}" : "Неуспешно изтриване на {objName}.", - "A valid group name must be provided" : "Очаква се валидно име на група", - "deleted {groupName}" : "{groupName} е изтрита", - "undo" : "възстановяване", - "never" : "никога", - "deleted {userName}" : "{userName} е изтрит", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Промяна на паролата ще доведе до загуба на данни, защото не е налично възстановяване за този потребител.", - "A valid username must be provided" : "Трябва да бъде зададено валидно потребителско име", - "A valid password must be provided" : "Трябва да бъде зададена валидна парола", - "A valid email must be provided" : "Трябва да бъде зададена валидна електронна поща", - "Developer documentation" : "Документация за разработчици", - "by %s" : "от %s", - "Documentation:" : "Документация:", - "Visit website" : "Посещаване на интернет страница", - "Report a bug" : "Докладване на грешка", - "Show description …" : "Покажи описание ...", - "Hide description …" : "Скрии описание ...", - "This app has an update available." : "Това приложение има налично обновление.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Приложението не може да бъде инсталирано, защото следните зависимости не са удовлетворени:", - "Enable only for specific groups" : "Включи само за определени групи", - "Common Name" : "Познато Име", - "Valid until" : "Валиден до", - "Issued By" : "Издаден от", - "Valid until %s" : "Валиден до %s", - "Import root certificate" : "Импортиране на основен сертификат", - "Online documentation" : "Онлайн документация", - "Forum" : "Форум", - "Commercial support" : "Платена поддръжка", - "None" : "Няма", - "Login" : "Вход", - "Plain" : "Обикновен", - "NT LAN Manager" : "NT LAN Manager", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Open documentation" : "Отвори документацията", - "Send mode" : "Режим на изпращане", - "Encryption" : "Криптиране", - "From address" : "От адрес", - "mail" : "поща", - "Authentication method" : "Метод за отризиране", - "Authentication required" : "Нужна е идентификация", - "Server address" : "Адрес на сървъра", - "Port" : "Порт", - "Credentials" : "Потр. име и парола", - "SMTP Username" : "SMTP потребител", - "SMTP Password" : "SMTP парола", - "Store credentials" : "Запазвай креденциите", - "Test email settings" : "Настройки на проверяващия имейл", - "Send email" : "Изпрати имейл", - "Enable encryption" : "Включване на криптиране", - "Select default encryption module:" : "Избор на модул за криптиране по подразбиране:", - "Start migration" : "Начало на миграцията", - "Security & setup warnings" : "Предупреждения за сигурност и настройки", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Това може да се дължи на кеш/акселератор като Zend OPache или eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Системните настройки за местоположение не могат да бъдат промени на такива, подържащи UTF-8.", - "Execute one task with each page loaded" : "Изпълни по едно задание с всяка заредена страница.", - "Version" : "Версия", - "Sharing" : "Споделяне", - "Allow apps to use the Share API" : "Разреши приложенията да използват Share API", - "Allow users to share via link" : "Разреши потребителите да споделят с връзка", - "Allow public uploads" : "Разреши общодостъпно качване", - "Enforce password protection" : "Изискай защита с парола.", - "Set default expiration date" : "Заложи стандартна дата на изтичане", - "Expire after " : "Изтечи след", - "days" : "дена", - "Enforce expiration date" : "Изисквай дата на изтичане", - "Allow resharing" : "Разреши пресподеляне.", - "Restrict users to only share with users in their groups" : "Ограничи потребителите, така че да могат да споделят само с други потребители в своите групи.", - "Exclude groups from sharing" : "Забрани групи да споделят", - "These groups will still be able to receive shares, but not to initiate them." : "Тези групи ще могат да получават споделения, но няма да могат самите те да споделят.", - "This is particularly recommended when using the desktop client for file synchronisation." : "Препоръчително, особено ако ползвате клиента за настолен компютър.", - "How to do backups" : "Как се правят резервни копия", - "Performance tuning" : "Настройване на производителност", - "Improving the config.php" : "Подобряване на config.php", - "Theming" : "Промяна на облика", - "You are using %s of %s" : "Ползвате %s от %s", - "Profile picture" : "Аватар", - "Upload new" : "Качи нов", - "Remove image" : "Премахни изображението", - "png or jpg, max. 20 MB" : "png или jpg, макс. 20 MB", - "Cancel" : "Отказ", - "Full name" : "Пълно име", - "No display name set" : "Няма настроено екранно име", - "Email" : "Имейл", - "Your email address" : "Вашият имейл адрес", - "No email address set" : "Няма настроен адрес на електронна поща", - "Phone number" : "Тел. номер", - "Your phone number" : "Вашия тел. номер", - "Address" : "Адрес", - "Your postal address" : "Вашия пощенски код", - "Website" : "Уеб страница", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Член сте на следните групи:", - "Language" : "Език", - "Help translate" : "Помогнете с превода", - "Password" : "Парола", - "Current password" : "Текуща парола", - "New password" : "Нова парола", - "Change password" : "Промяна на паролата", - "Web, desktop and mobile clients currently logged in to your account." : "Уеб, настолни и мобилни клиенти, които в момента са вписани чрез вашия акаунт.", - "Device" : "Устройство", - "Last activity" : "Последна активност", - "App name" : "Име на приложението", - "Username" : "Потребител", - "Done" : "Завършен", - "Show storage location" : "Покажи мястото на хранилището", - "Show email address" : "Покажи адреса на електронната поща", - "Send email to new user" : "Изпращай писмо към нов потребител", - "E-Mail" : "Имейл", - "Create" : "Създаване", - "Admin Recovery Password" : "Възстановяване на администраторската парола", - "Enter the recovery password in order to recover the users files during password change" : "Въведете паролата за възстановяване, за да възстановиш файловете на потребителите при промяна на паролата.", - "Everyone" : "Всички", - "Admins" : "Администратори", - "Default quota" : "Стандартна квота", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Моля, въведете квота за хранилището (напр. \"512 MB\" или \"12 GB\")", - "Unlimited" : "Неограничено", - "Other" : "Друга...", - "Group admin for" : "Групов администратор за", - "Quota" : "Квота", - "Storage location" : "Дисково пространство", - "Last login" : "Последно вписване", - "change full name" : "промени пълното име", - "set new password" : "сложи нова парола", - "change email address" : "Смени адреса на елетронната поща", - "Default" : "Стандарт" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/bg.json b/settings/l10n/bg.json deleted file mode 100644 index fb438020d1a24..0000000000000 --- a/settings/l10n/bg.json +++ /dev/null @@ -1,197 +0,0 @@ -{ "translations": { - "Wrong password" : "Грешна парола", - "Saved" : "Запаметяване", - "No user supplied" : "Липсва потребител", - "Unable to change password" : "Неуспешна смяна на паролата.", - "Authentication error" : "Възникна проблем с идентификацията", - "Wrong admin recovery password. Please check the password and try again." : "Грешна администраторска парола за възстановяване. Моля, проверете паролата и опитайте отново.", - "Group already exists." : "Групата вече съществува.", - "Unable to add group." : "Неуспешно добавяне на група.", - "Unable to delete group." : "Неуспешно изтриване на група", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Възникна проблем при изпращането на имейла. Моля, провери настройките. (Грешка: %s)", - "You need to set your user email before being able to send test emails." : "Трябва да зададете своя имейл за да можете да изпращате тестови имейли.", - "Invalid mail address" : "невалиден адрес на електронна поща", - "A user with that name already exists." : "Потребител с това име вече съществува", - "Unable to create user." : "Неуспешно създаване на потребител.", - "Unable to delete user." : "Неуспешно изтриване на потребител.", - "Settings saved" : "Настройките са запазени", - "Unable to change full name" : "Неуспешна промяна на пълното име.", - "Unable to change email address" : "Неуспешна промяна на адрес на електронна поща", - "Your full name has been changed." : "Вашето пълно име е променено.", - "Forbidden" : "Забранено", - "Invalid user" : "Невалиден протребител", - "Unable to change mail address" : "Неуспешна промяна на адрес на електронна поща", - "Email saved" : "Имейлът е запазен", - "Your %s account was created" : "Вашия %s профил бе създаден", - "Couldn't remove app." : "Приложението не бе премахнато.", - "Couldn't update app." : "Приложението не бе обновено.", - "Add trusted domain" : "Добавяне на сигурен домейн", - "Email sent" : "Имейлът е изпратен", - "All" : "Всички", - "Update to %s" : "Обнови до %s", - "No apps found for your version" : "Няма намерени приложения за версията, която ползвате", - "Disabling app …" : "Забраняване на приложение ...", - "Error while disabling app" : "Грешка при изключване на приложението", - "Disable" : "Изключване", - "Enable" : "Включване", - "Enabling app …" : "Разрешаване на приложение ...", - "Error while enabling app" : "Грешка при включване на приложението", - "Updated" : "Обновено", - "Approved" : "Одобрен", - "Experimental" : "Ексериментален", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome за Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS клиент", - "Android Client" : "Android клиент", - "This session" : "Текуща сесия", - "Copy" : "Копиране", - "Copied!" : "Копирано!", - "Not supported!" : "Не се поддържа!", - "Press ⌘-C to copy." : "За копиране натиснете ⌘-C", - "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C", - "Valid until {date}" : "Далидна до {date}", - "Delete" : "Изтриване", - "Local" : "Локално", - "Contacts" : "Контакти", - "Public" : "Публичен", - "Select a profile picture" : "Избиране на профилна снимка", - "Very weak password" : "Много слаба парола", - "Weak password" : "Слаба парола", - "So-so password" : "Не особено добра парола", - "Good password" : "Добра парола", - "Strong password" : "Сигурна парола", - "Groups" : "Групи", - "Unable to delete {objName}" : "Неуспешно изтриване на {objName}.", - "A valid group name must be provided" : "Очаква се валидно име на група", - "deleted {groupName}" : "{groupName} е изтрита", - "undo" : "възстановяване", - "never" : "никога", - "deleted {userName}" : "{userName} е изтрит", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Промяна на паролата ще доведе до загуба на данни, защото не е налично възстановяване за този потребител.", - "A valid username must be provided" : "Трябва да бъде зададено валидно потребителско име", - "A valid password must be provided" : "Трябва да бъде зададена валидна парола", - "A valid email must be provided" : "Трябва да бъде зададена валидна електронна поща", - "Developer documentation" : "Документация за разработчици", - "by %s" : "от %s", - "Documentation:" : "Документация:", - "Visit website" : "Посещаване на интернет страница", - "Report a bug" : "Докладване на грешка", - "Show description …" : "Покажи описание ...", - "Hide description …" : "Скрии описание ...", - "This app has an update available." : "Това приложение има налично обновление.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Приложението не може да бъде инсталирано, защото следните зависимости не са удовлетворени:", - "Enable only for specific groups" : "Включи само за определени групи", - "Common Name" : "Познато Име", - "Valid until" : "Валиден до", - "Issued By" : "Издаден от", - "Valid until %s" : "Валиден до %s", - "Import root certificate" : "Импортиране на основен сертификат", - "Online documentation" : "Онлайн документация", - "Forum" : "Форум", - "Commercial support" : "Платена поддръжка", - "None" : "Няма", - "Login" : "Вход", - "Plain" : "Обикновен", - "NT LAN Manager" : "NT LAN Manager", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Open documentation" : "Отвори документацията", - "Send mode" : "Режим на изпращане", - "Encryption" : "Криптиране", - "From address" : "От адрес", - "mail" : "поща", - "Authentication method" : "Метод за отризиране", - "Authentication required" : "Нужна е идентификация", - "Server address" : "Адрес на сървъра", - "Port" : "Порт", - "Credentials" : "Потр. име и парола", - "SMTP Username" : "SMTP потребител", - "SMTP Password" : "SMTP парола", - "Store credentials" : "Запазвай креденциите", - "Test email settings" : "Настройки на проверяващия имейл", - "Send email" : "Изпрати имейл", - "Enable encryption" : "Включване на криптиране", - "Select default encryption module:" : "Избор на модул за криптиране по подразбиране:", - "Start migration" : "Начало на миграцията", - "Security & setup warnings" : "Предупреждения за сигурност и настройки", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Това може да се дължи на кеш/акселератор като Zend OPache или eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Системните настройки за местоположение не могат да бъдат промени на такива, подържащи UTF-8.", - "Execute one task with each page loaded" : "Изпълни по едно задание с всяка заредена страница.", - "Version" : "Версия", - "Sharing" : "Споделяне", - "Allow apps to use the Share API" : "Разреши приложенията да използват Share API", - "Allow users to share via link" : "Разреши потребителите да споделят с връзка", - "Allow public uploads" : "Разреши общодостъпно качване", - "Enforce password protection" : "Изискай защита с парола.", - "Set default expiration date" : "Заложи стандартна дата на изтичане", - "Expire after " : "Изтечи след", - "days" : "дена", - "Enforce expiration date" : "Изисквай дата на изтичане", - "Allow resharing" : "Разреши пресподеляне.", - "Restrict users to only share with users in their groups" : "Ограничи потребителите, така че да могат да споделят само с други потребители в своите групи.", - "Exclude groups from sharing" : "Забрани групи да споделят", - "These groups will still be able to receive shares, but not to initiate them." : "Тези групи ще могат да получават споделения, но няма да могат самите те да споделят.", - "This is particularly recommended when using the desktop client for file synchronisation." : "Препоръчително, особено ако ползвате клиента за настолен компютър.", - "How to do backups" : "Как се правят резервни копия", - "Performance tuning" : "Настройване на производителност", - "Improving the config.php" : "Подобряване на config.php", - "Theming" : "Промяна на облика", - "You are using %s of %s" : "Ползвате %s от %s", - "Profile picture" : "Аватар", - "Upload new" : "Качи нов", - "Remove image" : "Премахни изображението", - "png or jpg, max. 20 MB" : "png или jpg, макс. 20 MB", - "Cancel" : "Отказ", - "Full name" : "Пълно име", - "No display name set" : "Няма настроено екранно име", - "Email" : "Имейл", - "Your email address" : "Вашият имейл адрес", - "No email address set" : "Няма настроен адрес на електронна поща", - "Phone number" : "Тел. номер", - "Your phone number" : "Вашия тел. номер", - "Address" : "Адрес", - "Your postal address" : "Вашия пощенски код", - "Website" : "Уеб страница", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Член сте на следните групи:", - "Language" : "Език", - "Help translate" : "Помогнете с превода", - "Password" : "Парола", - "Current password" : "Текуща парола", - "New password" : "Нова парола", - "Change password" : "Промяна на паролата", - "Web, desktop and mobile clients currently logged in to your account." : "Уеб, настолни и мобилни клиенти, които в момента са вписани чрез вашия акаунт.", - "Device" : "Устройство", - "Last activity" : "Последна активност", - "App name" : "Име на приложението", - "Username" : "Потребител", - "Done" : "Завършен", - "Show storage location" : "Покажи мястото на хранилището", - "Show email address" : "Покажи адреса на електронната поща", - "Send email to new user" : "Изпращай писмо към нов потребител", - "E-Mail" : "Имейл", - "Create" : "Създаване", - "Admin Recovery Password" : "Възстановяване на администраторската парола", - "Enter the recovery password in order to recover the users files during password change" : "Въведете паролата за възстановяване, за да възстановиш файловете на потребителите при промяна на паролата.", - "Everyone" : "Всички", - "Admins" : "Администратори", - "Default quota" : "Стандартна квота", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Моля, въведете квота за хранилището (напр. \"512 MB\" или \"12 GB\")", - "Unlimited" : "Неограничено", - "Other" : "Друга...", - "Group admin for" : "Групов администратор за", - "Quota" : "Квота", - "Storage location" : "Дисково пространство", - "Last login" : "Последно вписване", - "change full name" : "промени пълното име", - "set new password" : "сложи нова парола", - "change email address" : "Смени адреса на елетронната поща", - "Default" : "Стандарт" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/bn_BD.js b/settings/l10n/bn_BD.js deleted file mode 100644 index e553779886a3f..0000000000000 --- a/settings/l10n/bn_BD.js +++ /dev/null @@ -1,62 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "ভুল কুটশব্দ", - "Saved" : "সংরক্ষণ করা হলো", - "No user supplied" : "ব্যবহারকারী দেয়া হয়নি", - "Authentication error" : "অনুমোদন ঘটিত সমস্যা", - "Your full name has been changed." : "আপনার পূর্ণ নাম পরিবর্তন করা হয়েছে।", - "Email saved" : "ই-মেইল সংরক্ষন করা হয়েছে", - "Couldn't remove app." : "অ্যাপ অপসারণ করা গেলনা", - "Couldn't update app." : "অ্যাপ নবায়ন করা গেলনা।", - "Email sent" : "ই-মেইল পাঠানো হয়েছে", - "All" : "সবাই", - "Error while disabling app" : "অ্যাপ অকার্যকর করতে সমস্যা দেখা দিয়েছে ", - "Disable" : "নিষ্ক্রিয়", - "Enable" : "সক্রিয় ", - "Error while enabling app" : "অ্যাপ কার্যকর করতে সমস্যা দেখা দিয়েছে ", - "Updated" : "নবায়নকৃত", - "Valid until {date}" : "বৈধতা বলবৎ আছে {তারিখ} অবধি ", - "Delete" : "মুছে", - "Strong password" : "শক্তিশালী কুটশব্দ", - "Groups" : "গোষ্ঠীসমূহ", - "undo" : "ক্রিয়া প্রত্যাহার", - "never" : "কখনোই নয়", - "Forum" : "ফোরাম", - "None" : "কোনটিই নয়", - "Login" : "প্রবেশ", - "Send mode" : "পাঠানো মোড", - "Encryption" : "সংকেতায়ন", - "From address" : "হইতে ঠিকানা", - "mail" : "মেইল", - "Server address" : "সার্ভার ঠিকানা", - "Port" : "পোর্ট", - "Send email" : "ইমেইল পাঠান ", - "Version" : "ভার্সন", - "Sharing" : "ভাগাভাগিরত", - "Expire after " : "এরপর মেয়াদোত্তীর্ণ হও", - "days" : "দিনগুলি", - "Enforce expiration date" : "মেয়াদোত্তীর্ণ হওয়ার তারিখ কার্যকর করুন", - "Cancel" : "বাতির", - "Email" : "ইমেইল", - "Your email address" : "আপনার ই-মেইল ঠিকানা", - "Language" : "ভাষা", - "Help translate" : "অনুবাদ করতে সহায়তা করুন", - "Password" : "কূটশব্দ", - "Current password" : "বর্তমান কূটশব্দ", - "New password" : "নতুন কূটশব্দ", - "Change password" : "কূটশব্দ পরিবর্তন করুন", - "Username" : "ব্যবহারকারী", - "Done" : "শেষ হলো", - "Create" : "তৈরী কর", - "Admin Recovery Password" : "প্রশাসক পূণরূদ্ধার কুটশব্দ", - "Everyone" : "সকলে", - "Admins" : "প্রশাসন", - "Unlimited" : "অসীম", - "Other" : "অন্যান্য", - "Quota" : "কোটা", - "change full name" : "পুরোনাম পরিবর্তন করুন", - "set new password" : "নতুন কূটশব্দ নির্ধারণ করুন", - "Default" : "পূর্বনির্ধারিত" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/bn_BD.json b/settings/l10n/bn_BD.json deleted file mode 100644 index 5af3ccb99dc8d..0000000000000 --- a/settings/l10n/bn_BD.json +++ /dev/null @@ -1,60 +0,0 @@ -{ "translations": { - "Wrong password" : "ভুল কুটশব্দ", - "Saved" : "সংরক্ষণ করা হলো", - "No user supplied" : "ব্যবহারকারী দেয়া হয়নি", - "Authentication error" : "অনুমোদন ঘটিত সমস্যা", - "Your full name has been changed." : "আপনার পূর্ণ নাম পরিবর্তন করা হয়েছে।", - "Email saved" : "ই-মেইল সংরক্ষন করা হয়েছে", - "Couldn't remove app." : "অ্যাপ অপসারণ করা গেলনা", - "Couldn't update app." : "অ্যাপ নবায়ন করা গেলনা।", - "Email sent" : "ই-মেইল পাঠানো হয়েছে", - "All" : "সবাই", - "Error while disabling app" : "অ্যাপ অকার্যকর করতে সমস্যা দেখা দিয়েছে ", - "Disable" : "নিষ্ক্রিয়", - "Enable" : "সক্রিয় ", - "Error while enabling app" : "অ্যাপ কার্যকর করতে সমস্যা দেখা দিয়েছে ", - "Updated" : "নবায়নকৃত", - "Valid until {date}" : "বৈধতা বলবৎ আছে {তারিখ} অবধি ", - "Delete" : "মুছে", - "Strong password" : "শক্তিশালী কুটশব্দ", - "Groups" : "গোষ্ঠীসমূহ", - "undo" : "ক্রিয়া প্রত্যাহার", - "never" : "কখনোই নয়", - "Forum" : "ফোরাম", - "None" : "কোনটিই নয়", - "Login" : "প্রবেশ", - "Send mode" : "পাঠানো মোড", - "Encryption" : "সংকেতায়ন", - "From address" : "হইতে ঠিকানা", - "mail" : "মেইল", - "Server address" : "সার্ভার ঠিকানা", - "Port" : "পোর্ট", - "Send email" : "ইমেইল পাঠান ", - "Version" : "ভার্সন", - "Sharing" : "ভাগাভাগিরত", - "Expire after " : "এরপর মেয়াদোত্তীর্ণ হও", - "days" : "দিনগুলি", - "Enforce expiration date" : "মেয়াদোত্তীর্ণ হওয়ার তারিখ কার্যকর করুন", - "Cancel" : "বাতির", - "Email" : "ইমেইল", - "Your email address" : "আপনার ই-মেইল ঠিকানা", - "Language" : "ভাষা", - "Help translate" : "অনুবাদ করতে সহায়তা করুন", - "Password" : "কূটশব্দ", - "Current password" : "বর্তমান কূটশব্দ", - "New password" : "নতুন কূটশব্দ", - "Change password" : "কূটশব্দ পরিবর্তন করুন", - "Username" : "ব্যবহারকারী", - "Done" : "শেষ হলো", - "Create" : "তৈরী কর", - "Admin Recovery Password" : "প্রশাসক পূণরূদ্ধার কুটশব্দ", - "Everyone" : "সকলে", - "Admins" : "প্রশাসন", - "Unlimited" : "অসীম", - "Other" : "অন্যান্য", - "Quota" : "কোটা", - "change full name" : "পুরোনাম পরিবর্তন করুন", - "set new password" : "নতুন কূটশব্দ নির্ধারণ করুন", - "Default" : "পূর্বনির্ধারিত" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/bs.js b/settings/l10n/bs.js deleted file mode 100644 index b4893cf59bcb8..0000000000000 --- a/settings/l10n/bs.js +++ /dev/null @@ -1,129 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Pogrešna lozinka", - "Saved" : "Spremljeno", - "No user supplied" : "Nijedan korisnik nije dostavljen", - "Unable to change password" : "Promjena lozinke nije moguća", - "Authentication error" : "Grešna autentifikacije", - "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za povratak. Molim provjerite lozinku i pokušajte ponovno.", - "Group already exists." : "Grupa već postoji.", - "Unable to add group." : "Nemoguće dodati grupu.", - "Unable to delete group." : "Nemoguće izbrisati grupu.", - "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu email trebate postaviti svoj korisnički email.", - "Invalid mail address" : "Nevažeća adresa e-pošte", - "Unable to create user." : "Nemoguće kreirati korisnika", - "Unable to delete user." : "Nemoguće izbrisati korisnika", - "Unable to change full name" : "Puno ime nije moguće promijeniti", - "Your full name has been changed." : "Vaše puno ime je promijenjeno.", - "Forbidden" : "Zabranjeno", - "Invalid user" : "Nevažeči korisnik", - "Unable to change mail address" : "Nemoguće je izmjeniti adresu e-pošte", - "Email saved" : "E-pošta je spremljena", - "Your %s account was created" : "Vaš %s račun je kreiran", - "Couldn't remove app." : "Nije moguće ukloniti aplikaciju.", - "Couldn't update app." : "Ažuriranje aplikacije nije moguće.", - "Add trusted domain" : "Dodaj pouzdanu domenu", - "Email sent" : "E-pošta je poslana", - "All" : "Sve", - "Update to %s" : "Ažuriraj na %s", - "Error while disabling app" : "Greška pri onemogućavanju aplikacije", - "Disable" : "Onemogući", - "Enable" : "Omogući", - "Error while enabling app" : "Greška pri omogućavanju aplikacije", - "Updated" : "Ažurirano", - "Valid until {date}" : "Validno do {date}", - "Delete" : "Izbriši", - "Select a profile picture" : "Odaberi sliku profila", - "Very weak password" : "Veoma slaba lozinka", - "Weak password" : "Slaba lozinka", - "So-so password" : "Tu-i-tamo lozinka", - "Good password" : "Dobra lozinka", - "Strong password" : "Jaka lozinka", - "Groups" : "Grupe", - "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", - "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", - "deleted {groupName}" : "izbrisana {groupName}", - "undo" : "poništi", - "never" : "nikad", - "deleted {userName}" : "izbrisan {userName}", - "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", - "A valid password must be provided" : "Nužno je navesti valjanu lozinku", - "A valid email must be provided" : "Nužno je navesti valjanu adresu e-pošte", - "Documentation:" : "Dokumentacija:", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Ova aplikacija se ne može instalirati zbog slijedećih neispunjenih ovisnosti:", - "Enable only for specific groups" : "Omogućite samo za specifične grupe", - "Common Name" : "Opće Ime", - "Valid until" : "Validno do", - "Issued By" : "Izdano od", - "Valid until %s" : "Validno do %s", - "Forum" : "Forum", - "None" : "Ništa", - "Login" : "Prijava", - "Plain" : "Čisti tekst", - "NT LAN Manager" : "NT LAN menedžer", - "Send mode" : "Način rada za slanje", - "Encryption" : "Šifriranje", - "From address" : "S adrese", - "mail" : "pošta", - "Authentication method" : "Metoda autentifikacije", - "Authentication required" : "Potrebna autentifikacija", - "Server address" : "Adresa servera", - "Port" : "Priključak", - "Credentials" : "Vjerodajnice", - "SMTP Username" : "SMTP Korisničko ime", - "SMTP Password" : "SMPT Lozinka", - "Store credentials" : "Spremi vjerodajnice", - "Test email settings" : "Postavke za testnu e-poštu", - "Send email" : "Pošalji e-poštu", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Samo-čitajuća konfiguracija je podešena. Ovo spriječava postavljanje neke konfiguracije putem web-sučelja. Nadalje, datoteka mora biti omogućena ručnu izmjenu pri svakom ažuriranju.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemorisanja kao što je Zend OPcache ili eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Regionalnu šemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", - "Execute one task with each page loaded" : "Izvrši jedan zadatak sa svakom učitanom stranicom", - "Version" : "Verzija", - "Sharing" : "Dijeljenje", - "Allow apps to use the Share API" : "Dozvoli aplikacijama korištenje Share API", - "Allow users to share via link" : "Dozvoli korisnicima dijeljenje putem veze", - "Allow public uploads" : "Dozvoli javno učitavanje", - "Enforce password protection" : "Nametni zaštitu lozinke", - "Set default expiration date" : "Postavite zadani datum isteka", - "Expire after " : "Istek nakon", - "days" : "dana", - "Enforce expiration date" : "Nametni datum isteka", - "Allow resharing" : "Dopustite ponovno dijeljenje", - "Restrict users to only share with users in their groups" : "Ograniči korisnike na međusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", - "Exclude groups from sharing" : "Isključite grupe iz dijeljenja", - "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe i dalje moći primati dijeljene resurse, ali ne i inicirati ih", - "Profile picture" : "Slika profila", - "Upload new" : "Učitaj novu", - "Remove image" : "Ukloni sliku", - "Cancel" : "Odustani", - "Email" : "E-pošta", - "Your email address" : "Vaša adresa e-pošte", - "Language" : "Jezik", - "Help translate" : "Pomozi prevesti", - "Password" : "Lozinka", - "Current password" : "Trenutna lozinka", - "New password" : "Nova lozinka", - "Change password" : "Promijeni lozinku", - "Username" : "Korisničko ime", - "Show storage location" : "Prikaži mjesto pohrane", - "Show user backend" : "Prikaži korisničku pozadinu (backend)", - "Show email address" : "Prikaži adresu e-pošte", - "Send email to new user" : "Pošalji e-poštu novom korisniku", - "E-Mail" : "E-pošta", - "Create" : "Kreiraj", - "Admin Recovery Password" : "Admin lozinka za oporavak", - "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tokom promjene lozinke", - "Everyone" : "Svi", - "Admins" : "Administratori", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molim unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", - "Unlimited" : "Neograničeno", - "Other" : "Ostali", - "Quota" : "Kvota", - "change full name" : "promijeni puno ime", - "set new password" : "postavi novu lozinku", - "change email address" : "promjeni adresu e-pošte", - "Default" : "Zadano" -}, -"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/bs.json b/settings/l10n/bs.json deleted file mode 100644 index 4e29c4d29a853..0000000000000 --- a/settings/l10n/bs.json +++ /dev/null @@ -1,127 +0,0 @@ -{ "translations": { - "Wrong password" : "Pogrešna lozinka", - "Saved" : "Spremljeno", - "No user supplied" : "Nijedan korisnik nije dostavljen", - "Unable to change password" : "Promjena lozinke nije moguća", - "Authentication error" : "Grešna autentifikacije", - "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za povratak. Molim provjerite lozinku i pokušajte ponovno.", - "Group already exists." : "Grupa već postoji.", - "Unable to add group." : "Nemoguće dodati grupu.", - "Unable to delete group." : "Nemoguće izbrisati grupu.", - "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu email trebate postaviti svoj korisnički email.", - "Invalid mail address" : "Nevažeća adresa e-pošte", - "Unable to create user." : "Nemoguće kreirati korisnika", - "Unable to delete user." : "Nemoguće izbrisati korisnika", - "Unable to change full name" : "Puno ime nije moguće promijeniti", - "Your full name has been changed." : "Vaše puno ime je promijenjeno.", - "Forbidden" : "Zabranjeno", - "Invalid user" : "Nevažeči korisnik", - "Unable to change mail address" : "Nemoguće je izmjeniti adresu e-pošte", - "Email saved" : "E-pošta je spremljena", - "Your %s account was created" : "Vaš %s račun je kreiran", - "Couldn't remove app." : "Nije moguće ukloniti aplikaciju.", - "Couldn't update app." : "Ažuriranje aplikacije nije moguće.", - "Add trusted domain" : "Dodaj pouzdanu domenu", - "Email sent" : "E-pošta je poslana", - "All" : "Sve", - "Update to %s" : "Ažuriraj na %s", - "Error while disabling app" : "Greška pri onemogućavanju aplikacije", - "Disable" : "Onemogući", - "Enable" : "Omogući", - "Error while enabling app" : "Greška pri omogućavanju aplikacije", - "Updated" : "Ažurirano", - "Valid until {date}" : "Validno do {date}", - "Delete" : "Izbriši", - "Select a profile picture" : "Odaberi sliku profila", - "Very weak password" : "Veoma slaba lozinka", - "Weak password" : "Slaba lozinka", - "So-so password" : "Tu-i-tamo lozinka", - "Good password" : "Dobra lozinka", - "Strong password" : "Jaka lozinka", - "Groups" : "Grupe", - "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", - "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", - "deleted {groupName}" : "izbrisana {groupName}", - "undo" : "poništi", - "never" : "nikad", - "deleted {userName}" : "izbrisan {userName}", - "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", - "A valid password must be provided" : "Nužno je navesti valjanu lozinku", - "A valid email must be provided" : "Nužno je navesti valjanu adresu e-pošte", - "Documentation:" : "Dokumentacija:", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Ova aplikacija se ne može instalirati zbog slijedećih neispunjenih ovisnosti:", - "Enable only for specific groups" : "Omogućite samo za specifične grupe", - "Common Name" : "Opće Ime", - "Valid until" : "Validno do", - "Issued By" : "Izdano od", - "Valid until %s" : "Validno do %s", - "Forum" : "Forum", - "None" : "Ništa", - "Login" : "Prijava", - "Plain" : "Čisti tekst", - "NT LAN Manager" : "NT LAN menedžer", - "Send mode" : "Način rada za slanje", - "Encryption" : "Šifriranje", - "From address" : "S adrese", - "mail" : "pošta", - "Authentication method" : "Metoda autentifikacije", - "Authentication required" : "Potrebna autentifikacija", - "Server address" : "Adresa servera", - "Port" : "Priključak", - "Credentials" : "Vjerodajnice", - "SMTP Username" : "SMTP Korisničko ime", - "SMTP Password" : "SMPT Lozinka", - "Store credentials" : "Spremi vjerodajnice", - "Test email settings" : "Postavke za testnu e-poštu", - "Send email" : "Pošalji e-poštu", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Samo-čitajuća konfiguracija je podešena. Ovo spriječava postavljanje neke konfiguracije putem web-sučelja. Nadalje, datoteka mora biti omogućena ručnu izmjenu pri svakom ažuriranju.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemorisanja kao što je Zend OPcache ili eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Regionalnu šemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", - "Execute one task with each page loaded" : "Izvrši jedan zadatak sa svakom učitanom stranicom", - "Version" : "Verzija", - "Sharing" : "Dijeljenje", - "Allow apps to use the Share API" : "Dozvoli aplikacijama korištenje Share API", - "Allow users to share via link" : "Dozvoli korisnicima dijeljenje putem veze", - "Allow public uploads" : "Dozvoli javno učitavanje", - "Enforce password protection" : "Nametni zaštitu lozinke", - "Set default expiration date" : "Postavite zadani datum isteka", - "Expire after " : "Istek nakon", - "days" : "dana", - "Enforce expiration date" : "Nametni datum isteka", - "Allow resharing" : "Dopustite ponovno dijeljenje", - "Restrict users to only share with users in their groups" : "Ograniči korisnike na međusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", - "Exclude groups from sharing" : "Isključite grupe iz dijeljenja", - "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe i dalje moći primati dijeljene resurse, ali ne i inicirati ih", - "Profile picture" : "Slika profila", - "Upload new" : "Učitaj novu", - "Remove image" : "Ukloni sliku", - "Cancel" : "Odustani", - "Email" : "E-pošta", - "Your email address" : "Vaša adresa e-pošte", - "Language" : "Jezik", - "Help translate" : "Pomozi prevesti", - "Password" : "Lozinka", - "Current password" : "Trenutna lozinka", - "New password" : "Nova lozinka", - "Change password" : "Promijeni lozinku", - "Username" : "Korisničko ime", - "Show storage location" : "Prikaži mjesto pohrane", - "Show user backend" : "Prikaži korisničku pozadinu (backend)", - "Show email address" : "Prikaži adresu e-pošte", - "Send email to new user" : "Pošalji e-poštu novom korisniku", - "E-Mail" : "E-pošta", - "Create" : "Kreiraj", - "Admin Recovery Password" : "Admin lozinka za oporavak", - "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tokom promjene lozinke", - "Everyone" : "Svi", - "Admins" : "Administratori", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molim unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", - "Unlimited" : "Neograničeno", - "Other" : "Ostali", - "Quota" : "Kvota", - "change full name" : "promijeni puno ime", - "set new password" : "postavi novu lozinku", - "change email address" : "promjeni adresu e-pošte", - "Default" : "Zadano" -},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" -} \ No newline at end of file diff --git a/settings/l10n/ca.js b/settings/l10n/ca.js index ae7dbc1648c72..de3c5ae769023 100644 --- a/settings/l10n/ca.js +++ b/settings/l10n/ca.js @@ -10,6 +10,7 @@ OC.L10N.register( "Security" : "Seguretat", "Your password or email was modified" : "La teva contrasenya o email s'ha modificat", "Your apps" : "Les teves apps", + "Updates" : "Actualitzacions", "Enabled apps" : "Apps activades", "Disabled apps" : "Apps desactivades", "App bundles" : "Paquets d'apps", diff --git a/settings/l10n/ca.json b/settings/l10n/ca.json index 26bd959c5f9f0..269c8c07947d8 100644 --- a/settings/l10n/ca.json +++ b/settings/l10n/ca.json @@ -8,6 +8,7 @@ "Security" : "Seguretat", "Your password or email was modified" : "La teva contrasenya o email s'ha modificat", "Your apps" : "Les teves apps", + "Updates" : "Actualitzacions", "Enabled apps" : "Apps activades", "Disabled apps" : "Apps desactivades", "App bundles" : "Paquets d'apps", diff --git a/settings/l10n/cy_GB.js b/settings/l10n/cy_GB.js deleted file mode 100644 index cb3faa9fe1e07..0000000000000 --- a/settings/l10n/cy_GB.js +++ /dev/null @@ -1,20 +0,0 @@ -OC.L10N.register( - "settings", - { - "Authentication error" : "Gwall dilysu", - "Email sent" : "Anfonwyd yr e-bost", - "Delete" : "Dileu", - "Groups" : "Grwpiau", - "undo" : "dadwneud", - "never" : "byth", - "None" : "Dim", - "Login" : "Mewngofnodi", - "Encryption" : "Amgryptiad", - "Cancel" : "Diddymu", - "Email" : "E-bost", - "Password" : "Cyfrinair", - "New password" : "Cyfrinair newydd", - "Username" : "Enw defnyddiwr", - "Other" : "Arall" -}, -"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;"); diff --git a/settings/l10n/cy_GB.json b/settings/l10n/cy_GB.json deleted file mode 100644 index 0a0ba60de690f..0000000000000 --- a/settings/l10n/cy_GB.json +++ /dev/null @@ -1,18 +0,0 @@ -{ "translations": { - "Authentication error" : "Gwall dilysu", - "Email sent" : "Anfonwyd yr e-bost", - "Delete" : "Dileu", - "Groups" : "Grwpiau", - "undo" : "dadwneud", - "never" : "byth", - "None" : "Dim", - "Login" : "Mewngofnodi", - "Encryption" : "Amgryptiad", - "Cancel" : "Diddymu", - "Email" : "E-bost", - "Password" : "Cyfrinair", - "New password" : "Cyfrinair newydd", - "Username" : "Enw defnyddiwr", - "Other" : "Arall" -},"pluralForm" :"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;" -} \ No newline at end of file diff --git a/settings/l10n/da.js b/settings/l10n/da.js deleted file mode 100644 index d1838ebc186eb..0000000000000 --- a/settings/l10n/da.js +++ /dev/null @@ -1,313 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} ændrede din adgangskode", - "You changed your password" : "Du ændrede din kode", - "Your password was reset by an administrator" : "Din adgangskode er blevet resat af en administrator", - "{actor} changed your email address" : "{actor} skiftede din e-mail adresse", - "You changed your email address" : "Du har ændret din email adresse", - "Your email address was changed by an administrator" : "Din email adresse er blevet ændret af en administrator", - "Security" : "Sikkerhed", - "You successfully logged in using two-factor authentication (%1$s)" : "Du loggede in ved at bruge two-factor authentication (%1$s)", - "A login attempt using two-factor authentication failed (%1$s)" : "Et login forsøg mislykkedes med two-factor authentication (%1$s)", - "Your password or email was modified" : "Dit password eller email blev ændret", - "Your apps" : "Dine apps", - "Updates" : "Opdateringer", - "Enabled apps" : "Aktiverede apps", - "Disabled apps" : "Deaktiverede apps", - "App bundles" : "App bundles", - "Wrong password" : "Forkert kodeord", - "Saved" : "Gemt", - "No user supplied" : "Intet brugernavn givet", - "Unable to change password" : "Kunne ikke ændre kodeord", - "Authentication error" : "Adgangsfejl", - "Please provide an admin recovery password; otherwise, all user data will be lost." : "Angiv venligst en administrator gendannelseskode, ellers vil alt brugerdata gå tabt", - "Wrong admin recovery password. Please check the password and try again." : "Forkert admin gendannelseskode. Se venligst koden efter og prøv igen.", - "Backend doesn't support password change, but the user's encryption key was updated." : "Backend'en understøtter ikke skift af kodeord, men opdateringen af brugerens krypteringsnøgle blev gennemført.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "installation og opdatering af apps via app-butikken eller sammensluttet Cloud deling", - "Federated Cloud Sharing" : "Sammensluttet Cloud deling", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL bruger en forældet %s version (%s). Husk at opdatere dit styresystem ellers vil funktioner såsom %s ikke fungere pålideligt.", - "A problem occurred, please check your log files (Error: %s)" : "Der opstod en fejl - tjek venligst dine logfiler (fejl: %s)", - "Migration Completed" : "Overflytning blev fuldført", - "Group already exists." : "Gruppen findes allerede.", - "Unable to add group." : "Kan ikke tilføje gruppen.", - "Unable to delete group." : "Kan ikke slette gruppen.", - "Invalid SMTP password." : "Ikke gyldigt SMTP password", - "Email setting test" : "Test email-indstillinger", - "Well done, %s!" : "Godt gået, %s!", - "If you received this email, the email configuration seems to be correct." : "Hvis du har modtaget denne email, så er email konfigureret rigtigt.", - "Email could not be sent. Check your mail server log" : "Email kunne ikke sendes. Tjek din mail server log", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Der opstod et problem under afsendelse af e-mailen. Gennemse venligst dine indstillinger. (Fejl: %s)", - "You need to set your user email before being able to send test emails." : "Du skal angive din bruger-e-mail før der kan sendes test-e-mail.", - "Invalid mail address" : "Ugyldig mailadresse", - "No valid group selected" : "Ingen gyldig gruppe valgt", - "A user with that name already exists." : "Dette brugernavn eksistere allerede.", - "To send a password link to the user an email address is required." : "For at sende et password link til brugeren skal der bruges en email.", - "Unable to create user." : "Kan ikke oprette brugeren.", - "Unable to delete user." : "Kan ikke slette brugeren.", - "Error while enabling user." : "Fejl ved aktivering af bruger", - "Error while disabling user." : "Fejl ved deaktivering af bruger", - "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "For at verificerer din Twitter konto, post den følgende tweet på Twitter (Sørg for at poste det uden linjeskift)", - "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "For at bekræfte din hjemmeside, opbevare følgende indhold i din web-roden '.well-known/CloudIdVerificationCode.txt' \n(vær sikker på, at den fulde tekst er på en linje):", - "Settings saved" : "Indstillinger gemt", - "Unable to change full name" : "Ikke i stand til at ændre dit fulde navn", - "Unable to change email address" : "Kan ikke ændre emailadressen", - "Your full name has been changed." : "Dit fulde navn er blevet ændret.", - "Forbidden" : "Forbudt", - "Invalid user" : "Ugyldig bruger", - "Unable to change mail address" : "Kan ikke ændre mailadresse", - "Email saved" : "E-mailadressen er gemt", - "%1$s changed your password on %2$s." : "%1$s ændrede dit password på %2$s.", - "Your password on %s was changed." : "Dit password på %s blev ændret.", - "Your password on %s was reset by an administrator." : "Dit password på %s er blevet nulstillet af en administrator.", - "Password for %1$s changed on %2$s" : "Password for %1$s er ændret på %2$s", - "Password changed for %s" : "Password ændret for %s", - "If you did not request this, please contact an administrator." : "Kontakt en administrator, hvis du ikke har bedt om dette.", - "%1$s changed your email address on %2$s." : "%1$s ændrede din email på %2$s.", - "Your email address on %s was changed." : "Din email på %s blev ændret.", - "Your email address on %s was changed by an administrator." : "Din email adresse på %s er blevet ændret af en administrator", - "Email address for %1$s changed on %2$s" : "Email adresse for %1$s ændret på %2$s", - "Email address changed for %s" : "Email adresse ændret for %s", - "The new email address is %s" : "Den nye email adresse er %s", - "Your %s account was created" : "Din %s-konto blev oprettet", - "Welcome aboard" : "Velkommen ombord", - "Welcome aboard %s" : "velkommen ombord %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Velkommen til din %s konto, du kan tilføje, beskytte og dele dine data.", - "Your username is: %s" : "Dit brugernavn er: %s", - "Set your password" : "Sæt dit password", - "Go to %s" : "Gå til %s", - "Install Client" : "Installer client", - "Password confirmation is required" : "Password beskæftigelse er påkrævet", - "Couldn't remove app." : "Kunne ikke fjerne app'en.", - "Couldn't update app." : "Kunne ikke opdatere app'en.", - "Are you really sure you want add {domain} as trusted domain?" : "Er du helt sikker på at du vil tilføje {domain} som et betroet domæne?", - "Add trusted domain" : "Tilføj et domæne som du har tillid til", - "Migration in progress. Please wait until the migration is finished" : "Immigration er i gang. Vent venligst indtil overflytningen er afsluttet", - "Migration started …" : "Migrering er påbegyndt...", - "Not saved" : "Ikke gemt", - "Sending…" : "Sender...", - "Email sent" : "E-mail afsendt", - "Official" : "Officiel", - "All" : "Alle", - "Update to %s" : "Opdatér til %s", - "No apps found for your version" : "Ingen apps fundet til din verion", - "The app will be downloaded from the app store" : "Appen vil blive downloaded fra app storen.", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Godkendte programmer er udviklet af betroet udviklere som har bestået en let sikkerheds gennemgang. De er aktivt vedligeholdt i et åben kode lager og udviklerne vurdere programmet til at være stabilt for normalt brug.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Dette program er ikke kontrolleret for sikkerhedsproblemer, og er nyt eller kendt for at være ustabilt. Installer på eget ansvar.", - "Disabling app …" : "Deaktiverer app...", - "Error while disabling app" : "Kunne ikke deaktivere app", - "Disable" : "Deaktiver", - "Enable" : "Aktiver", - "Enabling app …" : "Aktiverer app...", - "Error while enabling app" : "Kunne ikke aktivere app", - "Error: This app can not be enabled because it makes the server unstable" : "Fejl: Denne app kan ikke aktiveres fordi den gør serveren ustabil", - "Error: Could not disable broken app" : "Fejl: Kunne ikke deaktivere app", - "Error while disabling broken app" : "Fejl under deaktivering af ødelagt app", - "Updated" : "Opdateret", - "Removing …" : "Fjerner...", - "Remove" : "Fjern", - "Approved" : "Godkendt", - "Experimental" : "Eksperimentel", - "No apps found for {query}" : "Ingen apps fundet for {query}", - "Enable all" : "Aktiver alle", - "Allow filesystem access" : "Tillad filsystem adgang", - "Disconnect" : "Frakobl", - "Revoke" : "Tilbagekald", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome til Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS Client", - "Android Client" : "Android klient", - "Sync client - {os}" : "Synk klient - {os}", - "This session" : "Sessionen", - "Copy" : "Kopier", - "Copied!" : "Kopieret", - "Not supported!" : "Ikke understøttet", - "Press ⌘-C to copy." : "Tryk ⌘-C for at kopiere.", - "Press Ctrl-C to copy." : "Tryk Ctrl-C for kopi.", - "Error while loading browser sessions and device tokens" : "Fejl mens browser sessions og enhed tokens blev loadet.", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Der opstod en fejl. Upload venligst et ASCII-indkodet PEM-certifikat.", - "Valid until {date}" : "Gyldig indtil {date}", - "Delete" : "Slet", - "Local" : "Lokal", - "Private" : "Privat", - "Only visible to local users" : "Kun synlig for lokale brugere", - "Only visible to you" : "Kun synlig for dig", - "Contacts" : "Kontakter", - "Public" : "Offentlig", - "Verify" : "Bekræft", - "Verifying …" : "Bekræfter.....", - "Select a profile picture" : "Vælg et profilbillede", - "Very weak password" : "Meget svagt kodeord", - "Weak password" : "Svagt kodeord", - "So-so password" : "Jævnt kodeord", - "Good password" : "Godt kodeord", - "Strong password" : "Stærkt kodeord", - "Groups" : "Grupper", - "Unable to delete {objName}" : "Kunne ikke slette {objName}", - "A valid group name must be provided" : "Et gyldigt gruppenavn skal angives ", - "deleted {groupName}" : "slettede {groupName}", - "undo" : "fortryd", - "{size} used" : "{size} brugt", - "never" : "aldrig", - "deleted {userName}" : "slettede {userName}", - "Add group" : "Tilføj gruppe", - "no group" : "ingen gruppe", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Ændring af kodeordet vil føre til datatab, fordi datagendannelse ikke er tilgængelig for denne bruger", - "A valid username must be provided" : "Et gyldigt brugernavn skal angives", - "A valid password must be provided" : "En gyldig adgangskode skal angives", - "A valid email must be provided" : "Der skal angives en gyldig e-mail", - "Developer documentation" : "Dokumentation for udviklere", - "by %s" : "af %s", - "Documentation:" : "Dokumentation:", - "User documentation" : "Brugerdokumentation", - "Admin documentation" : "Admin-dokumentation", - "Show description …" : "Vis beskrivelse", - "Hide description …" : "Skjul beskrivelse", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Dette program kan ikke installeres, da følgende afhængigheder ikke imødekommes:", - "Enable only for specific groups" : "Aktivér kun for udvalgte grupper", - "Common Name" : "Almindeligt navn", - "Valid until" : "Gyldig indtil", - "Issued By" : "Udstedt af", - "Valid until %s" : "Gyldig indtil %s", - "Import root certificate" : "Importer rodcertifikat", - "Administrator documentation" : "Administratordokumentation", - "Online documentation" : "Online dokumentation", - "Forum" : "Forum", - "Getting help" : "Få hjælp", - "Commercial support" : "Kommerciel support", - "None" : "Ingen", - "Login" : "Login", - "Plain" : "Klartekst", - "NT LAN Manager" : "NT LAN Manager", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "E-mailserver", - "Open documentation" : "Åben dokumentation", - "Send mode" : "Tilstand for afsendelse", - "Encryption" : "Kryptering", - "From address" : "Fra adresse", - "mail" : "mail", - "Authentication method" : "Godkendelsesmetode", - "Authentication required" : "Godkendelse påkrævet", - "Server address" : "Serveradresse", - "Port" : "Port", - "Credentials" : "Brugeroplysninger", - "SMTP Username" : "SMTP Brugernavn", - "SMTP Password" : "SMTP Kodeord", - "Store credentials" : "Gem brugeroplysninger", - "Test email settings" : "Test e-mail-indstillinger", - "Send email" : "Send e-mail", - "Server-side encryption" : "Kryptering på serversiden", - "Enable server-side encryption" : "Slå kryptering til på serversiden", - "Please read carefully before activating server-side encryption: " : "Læs venligst dette omhyggeligt, før der aktivere kryptering på serversiden:", - "This is the final warning: Do you really want to enable encryption?" : "Dette er den sidste advarsel: Sikker på at du vil slå kryptering til?", - "Enable encryption" : "Slå kryptering til", - "No encryption module loaded, please enable an encryption module in the app menu." : "Der er ikke indlæst et krypteringsmodul - slå venligst et krypteringsmodul til i app-menuen.", - "Select default encryption module:" : "Vælg standardmodulet til kryptering:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen. Slå venligst \"Standardmodul til kryptering\" til, og kør \"occ encryption:migrate\"", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen.", - "Start migration" : "Påbegynd immigrering", - "Security & setup warnings" : "Advarsler om sikkerhed og opsætning", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Den skrivebeskyttede konfiguration er blevet slået til. Dette forhindrer indstillinger af nogle konfigurationer via webgrænsefladen. I tillæg skal filen gøres skrivbar manuelt for hver opdatering.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dette er sansynligvis forårsaget af et accelerator eller cache som Zend OPcache eller eAccelerator", - "System locale can not be set to a one which supports UTF-8." : "Systemets lokalitet kan ikke sættes til et der bruger UTF-8.", - "All checks passed." : "Alle tjek blev bestået.", - "Execute one task with each page loaded" : "Udføre en opgave med hver side indlæsning", - "Version" : "Version", - "Sharing" : "Deling", - "Allow apps to use the Share API" : "Tillad apps til at bruge Share API", - "Allow users to share via link" : "Tillad brugere at dele via link", - "Allow public uploads" : "Tillad offentlig upload", - "Always ask for a password" : "Altid spørg efter kodeord", - "Enforce password protection" : "Tving kodeords beskyttelse", - "Set default expiration date" : "Vælg standard udløbsdato", - "Expire after " : "Udløber efter", - "days" : "dage", - "Enforce expiration date" : "Påtving udløbsdato", - "Allow resharing" : "Tillad videredeling", - "Restrict users to only share with users in their groups" : "Begræns brugere til kun at dele med brugere i deres egen gruppe", - "Exclude groups from sharing" : "Ekskluder grupper fra at dele", - "These groups will still be able to receive shares, but not to initiate them." : "Disse grupper vil stadig kunne modtage delefiler, men ikke skabe dem.", - "Tips & tricks" : "Tips & tricks", - "How to do backups" : "Hvordan man laver sikkerhedskopier", - "Performance tuning" : "Ydelses optimering", - "Improving the config.php" : "Forbedring af config.php", - "Theming" : "Temaer", - "Hardening and security guidance" : "Modstanddygtighed og sikkerheds vejledning", - "Personal" : "Personligt", - "Administration" : "Administration", - "You are using %s of %s" : "Du bruger %s af %s", - "You are using %s of %s (%s %%)" : "Du bruger %s af %s (%s %%)", - "Profile picture" : "Profilbillede", - "Upload new" : "Upload nyt", - "Select from Files" : "Vælg fra filer", - "Remove image" : "Fjern billede", - "png or jpg, max. 20 MB" : "png eller jpg, max. 20 MB", - "Picture provided by original account" : "Billede leveret af den oprindelige konto", - "Cancel" : "Annuller", - "Choose as profile picture" : "Vælg et profilbillede", - "Full name" : "Fulde navn", - "No display name set" : "Der er ikke angivet skærmnavn", - "Email" : "E-mail", - "Your email address" : "Din e-mailadresse", - "No email address set" : "Der er ikke angivet e-mailadresse", - "For password reset and notifications" : "Til nulstilling af adgangskoder og meddelelser", - "Phone number" : "Telefon nummer", - "Your phone number" : "Dit telefon nummer", - "Address" : "Adresse", - "Your postal address" : "Dit Postnummer", - "Website" : "Hjemmeside", - "It can take up to 24 hours before the account is displayed as verified." : "Det kan tage op til 24 timer, før kontoen vises som verificeret.", - "Twitter" : "Twitter", - "Twitter handle @…" : "Twitter handle @…", - "You are member of the following groups:" : "Du er medlem af følgende grupper:", - "Language" : "Sprog", - "Help translate" : "Hjælp med oversættelsen", - "Password" : "Kodeord", - "Current password" : "Nuværende adgangskode", - "New password" : "Nyt kodeord", - "Change password" : "Skift kodeord", - "Web, desktop and mobile clients currently logged in to your account." : "Web, stationære og mobile klienter, der er logget ind på din konto.", - "Device" : "Enhed", - "Last activity" : "Sidste aktivitet", - "App name" : "App navn", - "Create new app password" : "Opret nyt app kodeord", - "Username" : "Brugernavn", - "Done" : "Færdig", - "Follow us on Google+" : "Følg os på Google+", - "Like our Facebook page" : "Følg os på Facebook", - "Follow us on Twitter" : "Følg os på Twitter", - "Settings" : "Indstillinger", - "Show storage location" : "Vis placering af lageret", - "Show user backend" : "Vis bruger-backend", - "Show last login" : "Vis seneste login", - "Show email address" : "Vis e-mailadresse", - "Send email to new user" : "Send e-mail til ny bruger", - "E-Mail" : "E-mail", - "Create" : "Ny", - "Admin Recovery Password" : "Administrator gendannelse kodeord", - "Enter the recovery password in order to recover the users files during password change" : "Indtast et gendannelse kodeord for, at kunne gendanne brugerens filer ved ændring af kodeord", - "Everyone" : "Alle", - "Admins" : "Administratore", - "Disabled" : "Deaktiveret", - "Default quota" : "Standard kvote", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Indtast venligst lagerkvote (f.eks. \"512 MB\" eller \"12 GB\")", - "Unlimited" : "Ubegrænset", - "Other" : "Andet", - "Group admin for" : "Gruppeadministrator for", - "Quota" : "Kvote", - "Storage location" : "Placering af lageret", - "User backend" : "Bruger-backend", - "Last login" : "Seneste login", - "change full name" : "ændre fulde navn", - "set new password" : "skift kodeord", - "change email address" : "skift e-mailadresse", - "Default" : "Standard" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/da.json b/settings/l10n/da.json deleted file mode 100644 index 5a43f159ecce9..0000000000000 --- a/settings/l10n/da.json +++ /dev/null @@ -1,311 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} ændrede din adgangskode", - "You changed your password" : "Du ændrede din kode", - "Your password was reset by an administrator" : "Din adgangskode er blevet resat af en administrator", - "{actor} changed your email address" : "{actor} skiftede din e-mail adresse", - "You changed your email address" : "Du har ændret din email adresse", - "Your email address was changed by an administrator" : "Din email adresse er blevet ændret af en administrator", - "Security" : "Sikkerhed", - "You successfully logged in using two-factor authentication (%1$s)" : "Du loggede in ved at bruge two-factor authentication (%1$s)", - "A login attempt using two-factor authentication failed (%1$s)" : "Et login forsøg mislykkedes med two-factor authentication (%1$s)", - "Your password or email was modified" : "Dit password eller email blev ændret", - "Your apps" : "Dine apps", - "Updates" : "Opdateringer", - "Enabled apps" : "Aktiverede apps", - "Disabled apps" : "Deaktiverede apps", - "App bundles" : "App bundles", - "Wrong password" : "Forkert kodeord", - "Saved" : "Gemt", - "No user supplied" : "Intet brugernavn givet", - "Unable to change password" : "Kunne ikke ændre kodeord", - "Authentication error" : "Adgangsfejl", - "Please provide an admin recovery password; otherwise, all user data will be lost." : "Angiv venligst en administrator gendannelseskode, ellers vil alt brugerdata gå tabt", - "Wrong admin recovery password. Please check the password and try again." : "Forkert admin gendannelseskode. Se venligst koden efter og prøv igen.", - "Backend doesn't support password change, but the user's encryption key was updated." : "Backend'en understøtter ikke skift af kodeord, men opdateringen af brugerens krypteringsnøgle blev gennemført.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "installation og opdatering af apps via app-butikken eller sammensluttet Cloud deling", - "Federated Cloud Sharing" : "Sammensluttet Cloud deling", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL bruger en forældet %s version (%s). Husk at opdatere dit styresystem ellers vil funktioner såsom %s ikke fungere pålideligt.", - "A problem occurred, please check your log files (Error: %s)" : "Der opstod en fejl - tjek venligst dine logfiler (fejl: %s)", - "Migration Completed" : "Overflytning blev fuldført", - "Group already exists." : "Gruppen findes allerede.", - "Unable to add group." : "Kan ikke tilføje gruppen.", - "Unable to delete group." : "Kan ikke slette gruppen.", - "Invalid SMTP password." : "Ikke gyldigt SMTP password", - "Email setting test" : "Test email-indstillinger", - "Well done, %s!" : "Godt gået, %s!", - "If you received this email, the email configuration seems to be correct." : "Hvis du har modtaget denne email, så er email konfigureret rigtigt.", - "Email could not be sent. Check your mail server log" : "Email kunne ikke sendes. Tjek din mail server log", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Der opstod et problem under afsendelse af e-mailen. Gennemse venligst dine indstillinger. (Fejl: %s)", - "You need to set your user email before being able to send test emails." : "Du skal angive din bruger-e-mail før der kan sendes test-e-mail.", - "Invalid mail address" : "Ugyldig mailadresse", - "No valid group selected" : "Ingen gyldig gruppe valgt", - "A user with that name already exists." : "Dette brugernavn eksistere allerede.", - "To send a password link to the user an email address is required." : "For at sende et password link til brugeren skal der bruges en email.", - "Unable to create user." : "Kan ikke oprette brugeren.", - "Unable to delete user." : "Kan ikke slette brugeren.", - "Error while enabling user." : "Fejl ved aktivering af bruger", - "Error while disabling user." : "Fejl ved deaktivering af bruger", - "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "For at verificerer din Twitter konto, post den følgende tweet på Twitter (Sørg for at poste det uden linjeskift)", - "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "For at bekræfte din hjemmeside, opbevare følgende indhold i din web-roden '.well-known/CloudIdVerificationCode.txt' \n(vær sikker på, at den fulde tekst er på en linje):", - "Settings saved" : "Indstillinger gemt", - "Unable to change full name" : "Ikke i stand til at ændre dit fulde navn", - "Unable to change email address" : "Kan ikke ændre emailadressen", - "Your full name has been changed." : "Dit fulde navn er blevet ændret.", - "Forbidden" : "Forbudt", - "Invalid user" : "Ugyldig bruger", - "Unable to change mail address" : "Kan ikke ændre mailadresse", - "Email saved" : "E-mailadressen er gemt", - "%1$s changed your password on %2$s." : "%1$s ændrede dit password på %2$s.", - "Your password on %s was changed." : "Dit password på %s blev ændret.", - "Your password on %s was reset by an administrator." : "Dit password på %s er blevet nulstillet af en administrator.", - "Password for %1$s changed on %2$s" : "Password for %1$s er ændret på %2$s", - "Password changed for %s" : "Password ændret for %s", - "If you did not request this, please contact an administrator." : "Kontakt en administrator, hvis du ikke har bedt om dette.", - "%1$s changed your email address on %2$s." : "%1$s ændrede din email på %2$s.", - "Your email address on %s was changed." : "Din email på %s blev ændret.", - "Your email address on %s was changed by an administrator." : "Din email adresse på %s er blevet ændret af en administrator", - "Email address for %1$s changed on %2$s" : "Email adresse for %1$s ændret på %2$s", - "Email address changed for %s" : "Email adresse ændret for %s", - "The new email address is %s" : "Den nye email adresse er %s", - "Your %s account was created" : "Din %s-konto blev oprettet", - "Welcome aboard" : "Velkommen ombord", - "Welcome aboard %s" : "velkommen ombord %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Velkommen til din %s konto, du kan tilføje, beskytte og dele dine data.", - "Your username is: %s" : "Dit brugernavn er: %s", - "Set your password" : "Sæt dit password", - "Go to %s" : "Gå til %s", - "Install Client" : "Installer client", - "Password confirmation is required" : "Password beskæftigelse er påkrævet", - "Couldn't remove app." : "Kunne ikke fjerne app'en.", - "Couldn't update app." : "Kunne ikke opdatere app'en.", - "Are you really sure you want add {domain} as trusted domain?" : "Er du helt sikker på at du vil tilføje {domain} som et betroet domæne?", - "Add trusted domain" : "Tilføj et domæne som du har tillid til", - "Migration in progress. Please wait until the migration is finished" : "Immigration er i gang. Vent venligst indtil overflytningen er afsluttet", - "Migration started …" : "Migrering er påbegyndt...", - "Not saved" : "Ikke gemt", - "Sending…" : "Sender...", - "Email sent" : "E-mail afsendt", - "Official" : "Officiel", - "All" : "Alle", - "Update to %s" : "Opdatér til %s", - "No apps found for your version" : "Ingen apps fundet til din verion", - "The app will be downloaded from the app store" : "Appen vil blive downloaded fra app storen.", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Godkendte programmer er udviklet af betroet udviklere som har bestået en let sikkerheds gennemgang. De er aktivt vedligeholdt i et åben kode lager og udviklerne vurdere programmet til at være stabilt for normalt brug.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Dette program er ikke kontrolleret for sikkerhedsproblemer, og er nyt eller kendt for at være ustabilt. Installer på eget ansvar.", - "Disabling app …" : "Deaktiverer app...", - "Error while disabling app" : "Kunne ikke deaktivere app", - "Disable" : "Deaktiver", - "Enable" : "Aktiver", - "Enabling app …" : "Aktiverer app...", - "Error while enabling app" : "Kunne ikke aktivere app", - "Error: This app can not be enabled because it makes the server unstable" : "Fejl: Denne app kan ikke aktiveres fordi den gør serveren ustabil", - "Error: Could not disable broken app" : "Fejl: Kunne ikke deaktivere app", - "Error while disabling broken app" : "Fejl under deaktivering af ødelagt app", - "Updated" : "Opdateret", - "Removing …" : "Fjerner...", - "Remove" : "Fjern", - "Approved" : "Godkendt", - "Experimental" : "Eksperimentel", - "No apps found for {query}" : "Ingen apps fundet for {query}", - "Enable all" : "Aktiver alle", - "Allow filesystem access" : "Tillad filsystem adgang", - "Disconnect" : "Frakobl", - "Revoke" : "Tilbagekald", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome til Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS Client", - "Android Client" : "Android klient", - "Sync client - {os}" : "Synk klient - {os}", - "This session" : "Sessionen", - "Copy" : "Kopier", - "Copied!" : "Kopieret", - "Not supported!" : "Ikke understøttet", - "Press ⌘-C to copy." : "Tryk ⌘-C for at kopiere.", - "Press Ctrl-C to copy." : "Tryk Ctrl-C for kopi.", - "Error while loading browser sessions and device tokens" : "Fejl mens browser sessions og enhed tokens blev loadet.", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Der opstod en fejl. Upload venligst et ASCII-indkodet PEM-certifikat.", - "Valid until {date}" : "Gyldig indtil {date}", - "Delete" : "Slet", - "Local" : "Lokal", - "Private" : "Privat", - "Only visible to local users" : "Kun synlig for lokale brugere", - "Only visible to you" : "Kun synlig for dig", - "Contacts" : "Kontakter", - "Public" : "Offentlig", - "Verify" : "Bekræft", - "Verifying …" : "Bekræfter.....", - "Select a profile picture" : "Vælg et profilbillede", - "Very weak password" : "Meget svagt kodeord", - "Weak password" : "Svagt kodeord", - "So-so password" : "Jævnt kodeord", - "Good password" : "Godt kodeord", - "Strong password" : "Stærkt kodeord", - "Groups" : "Grupper", - "Unable to delete {objName}" : "Kunne ikke slette {objName}", - "A valid group name must be provided" : "Et gyldigt gruppenavn skal angives ", - "deleted {groupName}" : "slettede {groupName}", - "undo" : "fortryd", - "{size} used" : "{size} brugt", - "never" : "aldrig", - "deleted {userName}" : "slettede {userName}", - "Add group" : "Tilføj gruppe", - "no group" : "ingen gruppe", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Ændring af kodeordet vil føre til datatab, fordi datagendannelse ikke er tilgængelig for denne bruger", - "A valid username must be provided" : "Et gyldigt brugernavn skal angives", - "A valid password must be provided" : "En gyldig adgangskode skal angives", - "A valid email must be provided" : "Der skal angives en gyldig e-mail", - "Developer documentation" : "Dokumentation for udviklere", - "by %s" : "af %s", - "Documentation:" : "Dokumentation:", - "User documentation" : "Brugerdokumentation", - "Admin documentation" : "Admin-dokumentation", - "Show description …" : "Vis beskrivelse", - "Hide description …" : "Skjul beskrivelse", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Dette program kan ikke installeres, da følgende afhængigheder ikke imødekommes:", - "Enable only for specific groups" : "Aktivér kun for udvalgte grupper", - "Common Name" : "Almindeligt navn", - "Valid until" : "Gyldig indtil", - "Issued By" : "Udstedt af", - "Valid until %s" : "Gyldig indtil %s", - "Import root certificate" : "Importer rodcertifikat", - "Administrator documentation" : "Administratordokumentation", - "Online documentation" : "Online dokumentation", - "Forum" : "Forum", - "Getting help" : "Få hjælp", - "Commercial support" : "Kommerciel support", - "None" : "Ingen", - "Login" : "Login", - "Plain" : "Klartekst", - "NT LAN Manager" : "NT LAN Manager", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "E-mailserver", - "Open documentation" : "Åben dokumentation", - "Send mode" : "Tilstand for afsendelse", - "Encryption" : "Kryptering", - "From address" : "Fra adresse", - "mail" : "mail", - "Authentication method" : "Godkendelsesmetode", - "Authentication required" : "Godkendelse påkrævet", - "Server address" : "Serveradresse", - "Port" : "Port", - "Credentials" : "Brugeroplysninger", - "SMTP Username" : "SMTP Brugernavn", - "SMTP Password" : "SMTP Kodeord", - "Store credentials" : "Gem brugeroplysninger", - "Test email settings" : "Test e-mail-indstillinger", - "Send email" : "Send e-mail", - "Server-side encryption" : "Kryptering på serversiden", - "Enable server-side encryption" : "Slå kryptering til på serversiden", - "Please read carefully before activating server-side encryption: " : "Læs venligst dette omhyggeligt, før der aktivere kryptering på serversiden:", - "This is the final warning: Do you really want to enable encryption?" : "Dette er den sidste advarsel: Sikker på at du vil slå kryptering til?", - "Enable encryption" : "Slå kryptering til", - "No encryption module loaded, please enable an encryption module in the app menu." : "Der er ikke indlæst et krypteringsmodul - slå venligst et krypteringsmodul til i app-menuen.", - "Select default encryption module:" : "Vælg standardmodulet til kryptering:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen. Slå venligst \"Standardmodul til kryptering\" til, og kør \"occ encryption:migrate\"", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen.", - "Start migration" : "Påbegynd immigrering", - "Security & setup warnings" : "Advarsler om sikkerhed og opsætning", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Den skrivebeskyttede konfiguration er blevet slået til. Dette forhindrer indstillinger af nogle konfigurationer via webgrænsefladen. I tillæg skal filen gøres skrivbar manuelt for hver opdatering.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dette er sansynligvis forårsaget af et accelerator eller cache som Zend OPcache eller eAccelerator", - "System locale can not be set to a one which supports UTF-8." : "Systemets lokalitet kan ikke sættes til et der bruger UTF-8.", - "All checks passed." : "Alle tjek blev bestået.", - "Execute one task with each page loaded" : "Udføre en opgave med hver side indlæsning", - "Version" : "Version", - "Sharing" : "Deling", - "Allow apps to use the Share API" : "Tillad apps til at bruge Share API", - "Allow users to share via link" : "Tillad brugere at dele via link", - "Allow public uploads" : "Tillad offentlig upload", - "Always ask for a password" : "Altid spørg efter kodeord", - "Enforce password protection" : "Tving kodeords beskyttelse", - "Set default expiration date" : "Vælg standard udløbsdato", - "Expire after " : "Udløber efter", - "days" : "dage", - "Enforce expiration date" : "Påtving udløbsdato", - "Allow resharing" : "Tillad videredeling", - "Restrict users to only share with users in their groups" : "Begræns brugere til kun at dele med brugere i deres egen gruppe", - "Exclude groups from sharing" : "Ekskluder grupper fra at dele", - "These groups will still be able to receive shares, but not to initiate them." : "Disse grupper vil stadig kunne modtage delefiler, men ikke skabe dem.", - "Tips & tricks" : "Tips & tricks", - "How to do backups" : "Hvordan man laver sikkerhedskopier", - "Performance tuning" : "Ydelses optimering", - "Improving the config.php" : "Forbedring af config.php", - "Theming" : "Temaer", - "Hardening and security guidance" : "Modstanddygtighed og sikkerheds vejledning", - "Personal" : "Personligt", - "Administration" : "Administration", - "You are using %s of %s" : "Du bruger %s af %s", - "You are using %s of %s (%s %%)" : "Du bruger %s af %s (%s %%)", - "Profile picture" : "Profilbillede", - "Upload new" : "Upload nyt", - "Select from Files" : "Vælg fra filer", - "Remove image" : "Fjern billede", - "png or jpg, max. 20 MB" : "png eller jpg, max. 20 MB", - "Picture provided by original account" : "Billede leveret af den oprindelige konto", - "Cancel" : "Annuller", - "Choose as profile picture" : "Vælg et profilbillede", - "Full name" : "Fulde navn", - "No display name set" : "Der er ikke angivet skærmnavn", - "Email" : "E-mail", - "Your email address" : "Din e-mailadresse", - "No email address set" : "Der er ikke angivet e-mailadresse", - "For password reset and notifications" : "Til nulstilling af adgangskoder og meddelelser", - "Phone number" : "Telefon nummer", - "Your phone number" : "Dit telefon nummer", - "Address" : "Adresse", - "Your postal address" : "Dit Postnummer", - "Website" : "Hjemmeside", - "It can take up to 24 hours before the account is displayed as verified." : "Det kan tage op til 24 timer, før kontoen vises som verificeret.", - "Twitter" : "Twitter", - "Twitter handle @…" : "Twitter handle @…", - "You are member of the following groups:" : "Du er medlem af følgende grupper:", - "Language" : "Sprog", - "Help translate" : "Hjælp med oversættelsen", - "Password" : "Kodeord", - "Current password" : "Nuværende adgangskode", - "New password" : "Nyt kodeord", - "Change password" : "Skift kodeord", - "Web, desktop and mobile clients currently logged in to your account." : "Web, stationære og mobile klienter, der er logget ind på din konto.", - "Device" : "Enhed", - "Last activity" : "Sidste aktivitet", - "App name" : "App navn", - "Create new app password" : "Opret nyt app kodeord", - "Username" : "Brugernavn", - "Done" : "Færdig", - "Follow us on Google+" : "Følg os på Google+", - "Like our Facebook page" : "Følg os på Facebook", - "Follow us on Twitter" : "Følg os på Twitter", - "Settings" : "Indstillinger", - "Show storage location" : "Vis placering af lageret", - "Show user backend" : "Vis bruger-backend", - "Show last login" : "Vis seneste login", - "Show email address" : "Vis e-mailadresse", - "Send email to new user" : "Send e-mail til ny bruger", - "E-Mail" : "E-mail", - "Create" : "Ny", - "Admin Recovery Password" : "Administrator gendannelse kodeord", - "Enter the recovery password in order to recover the users files during password change" : "Indtast et gendannelse kodeord for, at kunne gendanne brugerens filer ved ændring af kodeord", - "Everyone" : "Alle", - "Admins" : "Administratore", - "Disabled" : "Deaktiveret", - "Default quota" : "Standard kvote", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Indtast venligst lagerkvote (f.eks. \"512 MB\" eller \"12 GB\")", - "Unlimited" : "Ubegrænset", - "Other" : "Andet", - "Group admin for" : "Gruppeadministrator for", - "Quota" : "Kvote", - "Storage location" : "Placering af lageret", - "User backend" : "Bruger-backend", - "Last login" : "Seneste login", - "change full name" : "ændre fulde navn", - "set new password" : "skift kodeord", - "change email address" : "skift e-mailadresse", - "Default" : "Standard" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/eo.js b/settings/l10n/eo.js deleted file mode 100644 index 0bc751d9352c1..0000000000000 --- a/settings/l10n/eo.js +++ /dev/null @@ -1,105 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Malĝusta pasvorto", - "Saved" : "Konservita", - "Unable to change password" : "Ne eblis ŝanĝi la pasvorton", - "Authentication error" : "Aŭtentiga eraro", - "Federated Cloud Sharing" : "Federnuba kunhavado", - "Group already exists." : "Grupo jam ekzistas", - "Unable to change full name" : "Ne eblis ŝanĝi la plenan nomon", - "Your full name has been changed." : "Via plena nomo ŝanĝitas.", - "Email saved" : "La retpoŝtadreso konserviĝis", - "Couldn't update app." : "Ne eblis ĝisdatigi la aplikaĵon.", - "Email sent" : "La retpoŝtaĵo sendiĝis", - "All" : "Ĉio", - "Error while disabling app" : "Eraris malkapabligo de aplikaĵo", - "Disable" : "Malkapabligi", - "Enable" : "Kapabligi", - "Error while enabling app" : "Eraris kapabligo de aplikaĵo", - "Updated" : "Ĝisdatigita", - "Delete" : "Forigi", - "Select a profile picture" : "Elekti profilan bildon", - "Very weak password" : "Tre malforta pasvorto", - "Weak password" : "Malforta pasvorto", - "So-so password" : "Mezaĉa pasvorto", - "Good password" : "Bona pasvorto", - "Strong password" : "Forta pasvorto", - "Groups" : "Grupoj", - "deleted {groupName}" : "{groupName} foriĝis", - "undo" : "malfari", - "never" : "neniam", - "deleted {userName}" : "{userName} foriĝis", - "A valid username must be provided" : "Valida uzantonomo devas proviziĝi", - "A valid password must be provided" : "Valida pasvorto devas proviziĝi", - "by %s" : "de %s", - "%s-licensed" : "%s-permesila", - "Documentation:" : "Dokumentaro:", - "User documentation" : "Uzodokumentaro", - "Admin documentation" : "Administrodokumentaro", - "Show description …" : "Montri priskribon...", - "Hide description …" : "Malmontri priskribon...", - "Enable only for specific groups" : "Kapabligi nur por specifajn grupojn", - "Common Name" : "Komuna nomo", - "Valid until" : "Valida ĝis", - "Valid until %s" : "Valida ĝis %s", - "Administrator documentation" : "Administrodokumentaro", - "Forum" : "Forumo", - "Commercial support" : "Komerca subteno", - "None" : "Nenio", - "Login" : "Ensaluti", - "Email server" : "Retpoŝtoservilo", - "Open documentation" : "Malfermi la dokumentaron", - "Send mode" : "Sendi pli", - "Encryption" : "Ĉifrado", - "From address" : "El adreso", - "mail" : "retpoŝto", - "Authentication method" : "Aŭtentiga metodo", - "Authentication required" : "Aŭtentiĝo nepras", - "Server address" : "Servila adreso", - "Port" : "Pordo", - "Credentials" : "Aŭtentigiloj", - "SMTP Username" : "SMTP-uzantonomo", - "SMTP Password" : "SMTP-pasvorto", - "Test email settings" : "Provi retpoŝtagordon", - "Send email" : "Sendi retpoŝton", - "This is the final warning: Do you really want to enable encryption?" : "Jen la fina averto: ĉu vi certe volas kapabligi ĉifradon?", - "Enable encryption" : "Kapabligi ĉifradon", - "Version" : "Eldono", - "Sharing" : "Kunhavigo", - "Allow apps to use the Share API" : "Kapabligi aplikaĵojn uzi la API-on pri Kunhavigo", - "Allow users to share via link" : "Permesi uzantojn kunhavigi ligile", - "Allow public uploads" : "Permesi publikajn alŝutojn", - "Expire after " : "Eksvalidigi post", - "days" : "tagoj", - "Allow resharing" : "Kapabligi rekunhavigon", - "Profile picture" : "Profila bildo", - "Upload new" : "Alŝuti novan", - "Select from Files" : "Elekti el Dosieroj", - "Remove image" : "Forigi bildon", - "Cancel" : "Nuligi", - "Full name" : "Plena nomo", - "Email" : "Retpoŝto", - "Your email address" : "Via retpoŝta adreso", - "Language" : "Lingvo", - "Help translate" : "Helpu traduki", - "Password" : "Pasvorto", - "Current password" : "Nuna pasvorto", - "New password" : "Nova pasvorto", - "Change password" : "Ŝanĝi la pasvorton", - "Username" : "Uzantonomo", - "Done" : "Farita", - "Show user backend" : "Montri uzantomotoron", - "E-Mail" : "Retpoŝtadreso", - "Create" : "Krei", - "Everyone" : "Ĉiuj", - "Admins" : "Administrantoj", - "Unlimited" : "Senlima", - "Other" : "Alia", - "Quota" : "Kvoto", - "change full name" : "ŝanĝi plenan nomon", - "set new password" : "agordi novan pasvorton", - "change email address" : "ŝanĝi retpoŝtadreson", - "Default" : "Defaŭlta" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/eo.json b/settings/l10n/eo.json deleted file mode 100644 index 41ce349457aca..0000000000000 --- a/settings/l10n/eo.json +++ /dev/null @@ -1,103 +0,0 @@ -{ "translations": { - "Wrong password" : "Malĝusta pasvorto", - "Saved" : "Konservita", - "Unable to change password" : "Ne eblis ŝanĝi la pasvorton", - "Authentication error" : "Aŭtentiga eraro", - "Federated Cloud Sharing" : "Federnuba kunhavado", - "Group already exists." : "Grupo jam ekzistas", - "Unable to change full name" : "Ne eblis ŝanĝi la plenan nomon", - "Your full name has been changed." : "Via plena nomo ŝanĝitas.", - "Email saved" : "La retpoŝtadreso konserviĝis", - "Couldn't update app." : "Ne eblis ĝisdatigi la aplikaĵon.", - "Email sent" : "La retpoŝtaĵo sendiĝis", - "All" : "Ĉio", - "Error while disabling app" : "Eraris malkapabligo de aplikaĵo", - "Disable" : "Malkapabligi", - "Enable" : "Kapabligi", - "Error while enabling app" : "Eraris kapabligo de aplikaĵo", - "Updated" : "Ĝisdatigita", - "Delete" : "Forigi", - "Select a profile picture" : "Elekti profilan bildon", - "Very weak password" : "Tre malforta pasvorto", - "Weak password" : "Malforta pasvorto", - "So-so password" : "Mezaĉa pasvorto", - "Good password" : "Bona pasvorto", - "Strong password" : "Forta pasvorto", - "Groups" : "Grupoj", - "deleted {groupName}" : "{groupName} foriĝis", - "undo" : "malfari", - "never" : "neniam", - "deleted {userName}" : "{userName} foriĝis", - "A valid username must be provided" : "Valida uzantonomo devas proviziĝi", - "A valid password must be provided" : "Valida pasvorto devas proviziĝi", - "by %s" : "de %s", - "%s-licensed" : "%s-permesila", - "Documentation:" : "Dokumentaro:", - "User documentation" : "Uzodokumentaro", - "Admin documentation" : "Administrodokumentaro", - "Show description …" : "Montri priskribon...", - "Hide description …" : "Malmontri priskribon...", - "Enable only for specific groups" : "Kapabligi nur por specifajn grupojn", - "Common Name" : "Komuna nomo", - "Valid until" : "Valida ĝis", - "Valid until %s" : "Valida ĝis %s", - "Administrator documentation" : "Administrodokumentaro", - "Forum" : "Forumo", - "Commercial support" : "Komerca subteno", - "None" : "Nenio", - "Login" : "Ensaluti", - "Email server" : "Retpoŝtoservilo", - "Open documentation" : "Malfermi la dokumentaron", - "Send mode" : "Sendi pli", - "Encryption" : "Ĉifrado", - "From address" : "El adreso", - "mail" : "retpoŝto", - "Authentication method" : "Aŭtentiga metodo", - "Authentication required" : "Aŭtentiĝo nepras", - "Server address" : "Servila adreso", - "Port" : "Pordo", - "Credentials" : "Aŭtentigiloj", - "SMTP Username" : "SMTP-uzantonomo", - "SMTP Password" : "SMTP-pasvorto", - "Test email settings" : "Provi retpoŝtagordon", - "Send email" : "Sendi retpoŝton", - "This is the final warning: Do you really want to enable encryption?" : "Jen la fina averto: ĉu vi certe volas kapabligi ĉifradon?", - "Enable encryption" : "Kapabligi ĉifradon", - "Version" : "Eldono", - "Sharing" : "Kunhavigo", - "Allow apps to use the Share API" : "Kapabligi aplikaĵojn uzi la API-on pri Kunhavigo", - "Allow users to share via link" : "Permesi uzantojn kunhavigi ligile", - "Allow public uploads" : "Permesi publikajn alŝutojn", - "Expire after " : "Eksvalidigi post", - "days" : "tagoj", - "Allow resharing" : "Kapabligi rekunhavigon", - "Profile picture" : "Profila bildo", - "Upload new" : "Alŝuti novan", - "Select from Files" : "Elekti el Dosieroj", - "Remove image" : "Forigi bildon", - "Cancel" : "Nuligi", - "Full name" : "Plena nomo", - "Email" : "Retpoŝto", - "Your email address" : "Via retpoŝta adreso", - "Language" : "Lingvo", - "Help translate" : "Helpu traduki", - "Password" : "Pasvorto", - "Current password" : "Nuna pasvorto", - "New password" : "Nova pasvorto", - "Change password" : "Ŝanĝi la pasvorton", - "Username" : "Uzantonomo", - "Done" : "Farita", - "Show user backend" : "Montri uzantomotoron", - "E-Mail" : "Retpoŝtadreso", - "Create" : "Krei", - "Everyone" : "Ĉiuj", - "Admins" : "Administrantoj", - "Unlimited" : "Senlima", - "Other" : "Alia", - "Quota" : "Kvoto", - "change full name" : "ŝanĝi plenan nomon", - "set new password" : "agordi novan pasvorton", - "change email address" : "ŝanĝi retpoŝtadreson", - "Default" : "Defaŭlta" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/et_EE.js b/settings/l10n/et_EE.js deleted file mode 100644 index 2f44a2fbbe30a..0000000000000 --- a/settings/l10n/et_EE.js +++ /dev/null @@ -1,289 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} muutis sinu parooli", - "You changed your password" : "Sa muutsid oma parooli", - "Your password was reset by an administrator" : "Administraator lähtestas sinu parooli", - "{actor} changed your email address" : "{actor} muutis sinu e-posti aadressi", - "You changed your email address" : "Sa muutsid oma e-posti aadressi", - "Your email address was changed by an administrator" : "Administraator muutis sinu e-posti aadressi", - "Security" : "Turvalisus", - "You successfully logged in using two-factor authentication (%1$s)" : "Logisid edukalt sisse, kasutades kaheastmelist autentimiset (%1$s)", - "A login attempt using two-factor authentication failed (%1$s)" : "Sisselogimiskatse, kasutades kaheastmelist autentimist, ebaõnnestus (%1$s)", - "Your password or email was modified" : "Sinu parooli või e-posti aadressi muudeti", - "Your apps" : "Sinu rakendused", - "Updates" : "Uuendused", - "Enabled apps" : "Lubatud rakendused", - "Disabled apps" : "Keelatud rakendused", - "App bundles" : "Rakenduste kogumikud", - "Wrong password" : "Vale parool", - "Saved" : "Salvestatud", - "No user supplied" : "Kasutajat ei sisestatud", - "Unable to change password" : "Ei suuda parooli muuta", - "Authentication error" : "Autentimise viga", - "Wrong admin recovery password. Please check the password and try again." : "Vale administraatori taasteparool. Palun kontrolli parooli ning proovi uuesti.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "Paigaldan ja uuendan rakendusi läbi rakenduste poe või liitpilve jagamise", - "Federated Cloud Sharing" : "Jagamine liitpilves", - "A problem occurred, please check your log files (Error: %s)" : "Ilmnes viga, palun kontrollige logifaile. (Viga: %s)", - "Migration Completed" : "Kolimine on lõpetatud", - "Group already exists." : "Grupp on juba olemas.", - "Unable to add group." : "Gruppi lisamine ebaõnnestus.", - "Unable to delete group." : "Grupi kustutamineebaõnnestus.", - "Invalid SMTP password." : "Vale SMTP parool.", - "Email setting test" : "E-posti sätete kontroll", - "Well done, %s!" : "Suurepärane, %s!", - "If you received this email, the email configuration seems to be correct." : "Kui saite selle kirja, näib e-posti seadistus õige.", - "Email could not be sent. Check your mail server log" : "E-posti ei saanud saata. Kontrollige oma meiliserveri logi", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "E-posti saatmisel ilmnes viga. Palun kontrollige seadeid. (Viga: %s)", - "You need to set your user email before being able to send test emails." : "Pead seadistama oma e-postienne kui on võimalik saata test-kirju.", - "Invalid mail address" : "Vigane e-posti aadress", - "A user with that name already exists." : "Selle nimega kasutaja on juba olemas.", - "To send a password link to the user an email address is required." : "Kasutajale parooli saatmiseks on vaja e-posti aadressi.", - "Unable to create user." : "Kasutaja loomine ebaõnnestus.", - "Unable to delete user." : "Kasutaja kustutamine ebaõnnestus.", - "Error while enabling user." : "Viga kasutaja lubamisel.", - "Error while disabling user." : "Viga kasutaja keelamisel.", - "Settings saved" : "Seaded salvestatud", - "Unable to change full name" : "Täispika nime muutmine ebaõnnestus", - "Unable to change email address" : "E-posti aadressi muutmine ebaõnnestus", - "Your full name has been changed." : "Sinu täispikk nimi on muudetud.", - "Forbidden" : "Keelatud", - "Invalid user" : "Vigane kasutaja", - "Unable to change mail address" : "E-posti aadressi muutmine ebaõnnestus", - "Email saved" : "Kiri on salvestatud", - "%1$s changed your password on %2$s." : "%1$s muutis su parooli %2$s.", - "Your password on %s was changed." : "Sinu %s parool muudeti.", - "Your password on %s was reset by an administrator." : "Administraator lähtestas sinu %s parooli.", - "Password for %1$s changed on %2$s" : "%1$s parool muudetud %2$s", - "Password changed for %s" : "%s parool muudetud", - "If you did not request this, please contact an administrator." : "Kui sa pole seda taotlenud, võta ühendust administraatoriga.", - "%1$s changed your email address on %2$s." : "%1$s muutis su e-posti aadressi %2$s.", - "Your email address on %s was changed." : "Sinu %s e-posti aadressi muudeti.", - "Your email address on %s was changed by an administrator." : "Administraator muutis sinu %s e-posti aadressi.", - "Email address for %1$s changed on %2$s" : "%1$s e-posti aadress muudetud %2$s", - "Email address changed for %s" : "%s e-posti aadress muudetud", - "The new email address is %s" : "Uus e-posti aadress on %s", - "Your %s account was created" : "Sinu %s konto on loodud", - "Welcome aboard" : "Tere tulemast", - "Welcome aboard %s" : "Tere tulemast %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Tere tulemast oma %s kontole. Sa saad lisada, kaitsta ja jagada oma andmeid.", - "Your username is: %s" : "Sinu kasutajanimi on: %s", - "Set your password" : "Määra oma parool", - "Go to %s" : "Mine %s", - "Install Client" : "Paigalda kliendiprogramm", - "Password confirmation is required" : "Parooli kinnitus on vajalik", - "Couldn't remove app." : "Ei suutnud rakendit eemaldada.", - "Couldn't update app." : "Rakenduse uuendamine ebaõnnestus.", - "Add trusted domain" : "Lis ausaldusväärne domeen", - "Migration in progress. Please wait until the migration is finished" : "Kolimine on käimas. Palun oota, kuni see on lõpetatud", - "Migration started …" : "Kolimist on alustatud ...", - "Not saved" : "Ei ole salvestatud", - "Sending…" : "Saadan...", - "Email sent" : "E-kiri on saadetud", - "Official" : "Ametlik", - "All" : "Kõik", - "Update to %s" : "Uuenda versioonile %s", - "No apps found for your version" : "Sinu versiooni jaoks ei leitud ühtegi rakendust", - "Disabling app …" : "Keelan rakendust ...", - "Error while disabling app" : "Viga rakenduse keelamisel", - "Disable" : "Lülita välja", - "Enable" : "Lülita sisse", - "Enabling app …" : "Luban rakendust ...", - "Error while enabling app" : "Viga rakenduse lubamisel", - "Updated" : "Uuendatud", - "Removing …" : "Eemaldan ...", - "Remove" : "Eemalda", - "Approved" : "Heaks kiidetud", - "Experimental" : "Katsetusjärgus", - "Enable all" : "Luba kõik", - "Allow filesystem access" : "Luba juurdepääs failisüsteemile", - "Disconnect" : "Ühenda lahti", - "Revoke" : "Tühista", - "This session" : "See sessioon", - "Copy" : "Kopeeri", - "Copied!" : "Kopeeritud!", - "Not supported!" : "Pole toetatud!", - "Press ⌘-C to copy." : "Kopeerimiseks vajuta ⌘ + C.", - "Press Ctrl-C to copy." : "Kopeerimiseks vajuta Ctrl + C.", - "Valid until {date}" : "Kehtib kuni {date}", - "Delete" : "Kustuta", - "Local" : "Kohalik", - "Private" : "Privaatne", - "Only visible to local users" : "Ainult nähtav kohalikele kasutajatele", - "Only visible to you" : "Ainult sinule nähtav", - "Contacts" : "Kontaktid", - "Visible to local users and to trusted servers" : "Nähtav kohelikele kasutajatele ja usaldatud serveritele", - "Public" : "Avalik", - "Verify" : "Kontrolli", - "Verifying …" : "Kontrollin ...", - "An error occured while changing your language. Please reload the page and try again." : "Keele vahetamisel ilmnes viga. Palun taasilaadi leht ja proovi uuesti.", - "Select a profile picture" : "Vali profiili pilt", - "Very weak password" : "Väga nõrk parool", - "Weak password" : "Nõrk parool", - "So-so password" : "Enam-vähem sobiv parool", - "Good password" : "Hea parool", - "Strong password" : "Väga hea parool", - "Groups" : "Grupid", - "Unable to delete {objName}" : "Ei suuda kustutada {objName}", - "Error creating group: {message}" : "Tõrge grupi loomisel: {message}", - "A valid group name must be provided" : "Sisesta nõuetele vastav grupi nimi", - "deleted {groupName}" : "kustutatud {groupName}", - "undo" : "tagasi", - "{size} used" : "{size} kasutatud", - "never" : "mitte kunagi", - "deleted {userName}" : "kustutatud {userName}", - "Unable to add user to group {group}" : "Kasutajat ei saa lisada gruppi {group}", - "Unable to remove user from group {group}" : "Kasutajat ei saa eemaldada grupist {group}", - "Add group" : "Lisa grupp", - "Invalid quota value \"{val}\"" : "Vigane mahupiiri väärtus \"{val}\"", - "Password successfully changed" : "Parool edukalt vahetatud", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Parooli vahetamine toob kaasa andmekao, sest selle kasutaja andmete taastamine pole võimalik", - "Could not change the users email" : "Kasutaja e-posti muutmine ebaõnnestus", - "Error while changing status of {user}" : "Kasutaja {user} staatuse muutmine ebaõnnestus", - "A valid username must be provided" : "Sisesta nõuetele vastav kasutajatunnus", - "Error creating user: {message}" : "Kasutaja loomine ebaõnnestus: {message}", - "A valid password must be provided" : "Sisesta nõuetele vastav parool", - "A valid email must be provided" : "Sisesta kehtiv e-posti aadress", - "Developer documentation" : "Arendaja dokumentatsioon", - "Limit to groups" : "Luba gruppidele", - "Documentation:" : "Dokumentatsioon:", - "User documentation" : "Kasutaja dokumentatsioon", - "Admin documentation" : "Administraatori dokumentatsioon", - "Visit website" : "Külasta veebisaiti", - "Report a bug" : "Teata veast", - "Show description …" : "Näita kirjeldist ...", - "Hide description …" : "Peida kirjeldus ...", - "This app has an update available." : "Sellel rakendusel on uuendus saadaval", - "Enable only for specific groups" : "Luba ainult kindlad grupid", - "SSL Root Certificates" : "SLL Juur sertifikaadid", - "Common Name" : "Üldnimetus", - "Valid until" : "Kehtib kuni", - "Issued By" : "Välja antud", - "Valid until %s" : "Kehtib kuni %s", - "Import root certificate" : "Impordi root sertifikaat", - "Administrator documentation" : "Administraatori dokumentatsioon", - "Online documentation" : "Võrgus olev dokumentatsioon", - "Forum" : "Foorum", - "Getting help" : "Abi saamine", - "Commercial support" : "Tasuline kasutajatugi", - "None" : "Pole", - "Login" : "Logi sisse", - "Plain" : "Tavatekst", - "NT LAN Manager" : "NT LAN Manager", - "Email server" : "E-kirjade server", - "Open documentation" : "Ava dokumentatsioon", - "Send mode" : "Saatmise viis", - "Encryption" : "Krüpteerimine", - "From address" : "Saatja aadress", - "mail" : "e-mail", - "Authentication method" : "Autentimise meetod", - "Authentication required" : "Autentimine on vajalik", - "Server address" : "Serveri aadress", - "Port" : "Port", - "Credentials" : "Kasutajatunnused", - "SMTP Username" : "SMTP kasutajatunnus", - "SMTP Password" : "SMTP parool", - "Store credentials" : "Säilita kasutajaandmed", - "Test email settings" : "Testi e-posti seadeid", - "Send email" : "Saada kiri", - "Server-side encryption" : "Serveripoolne krüpteerimine", - "Enable server-side encryption" : "Luba serveripoolne krüpteerimine", - "Enable encryption" : "Luba krüpteerimine", - "Select default encryption module:" : "Määra vaikimisi krüpteerimise moodul:", - "Start migration" : "Alusta kolimist", - "Security & setup warnings" : "Turva- ja paigalduse hoiatused", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "See on tõenäoliselt põhjustatud puhver/kiirendist nagu Zend OPcache või eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Süsteemi lokaliseeringuks ei saa panna sellist, mis toetab UTF-8-t.", - "All checks passed." : "Kõik kontrollid on läbitud.", - "Execute one task with each page loaded" : "Käivita toiming igal lehe laadimisel", - "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php on registreeritud webcron teenuses, et käivitada fail cron.php iga 15 minuti tagant üle http.", - "Use system cron service to call the cron.php file every 15 minutes." : "Kasuta süsteemi cron teenust, et käivitada fail cron.php iga 15 minuti järel.", - "The cron.php needs to be executed by the system user \"%s\"." : "cron.php tuleb käivitada süsteemikasutaja \"%s\" poolt.", - "Version" : "Versioon", - "Sharing" : "Jagamine", - "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Administraatorina saate jagamise valikuid täpselt seadistada. Lisateavet leiad dokumentatsioonist.", - "Allow apps to use the Share API" : "Luba rakendustel kasutada Share API-t", - "Allow users to share via link" : "Luba kasutajatel lingiga jagamist ", - "Allow public uploads" : "Luba avalikud üleslaadimised", - "Always ask for a password" : "Alati küsi parooli", - "Enforce password protection" : "Sunni parooliga kaitsmine", - "Set default expiration date" : "Määra vaikimisi aegumise kuupäev", - "Expire after " : "Aegu pärast", - "days" : "päeva", - "Enforce expiration date" : "Sunnitud aegumise kuupäev", - "Allow resharing" : "Luba edasijagamine", - "Allow sharing with groups" : "Luba gruppidega jagamine", - "Restrict users to only share with users in their groups" : "Luba kasutajatel jagada kasutajatega ainult oma grupi piires", - "Exclude groups from sharing" : "Eemalda grupid jagamisest", - "These groups will still be able to receive shares, but not to initiate them." : "Need grupid saavad vastu võtta jagamisi, kuid ise jagamisi algatada ei saa.", - "Allow username autocompletion in share dialog. If this is disabled the full username or email address needs to be entered." : "Luba kasutajanime automaatne lõpetamine jagamisdialoogis. Kui see on keelatud, tuleb sisestada täielik kasutajanimi või e-posti aadress.", - "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Kuva avaliku lingiga üleslaadimise lehel lahtiütluste tekst. (Kuvatakse ainult siis, kui failide loend on peidetud.)", - "This text will be shown on the public link upload page when the file list is hidden." : "Seda teksti näidatakse avaliku lingiga üleslaadimise lehel kui failide loend on peidetud.", - "Tips & tricks" : "Nõuanded ja trikid", - "How to do backups" : "Kuidas teha varukoopiaid", - "Performance tuning" : "Kiiruse seadistamine", - "Improving the config.php" : "config.php faili täiendamine", - "Theming" : "Teemad", - "Personal" : "Isiklik", - "Administration" : "Haldus", - "Profile picture" : "Profiili pilt", - "Upload new" : "Laadi uus üles", - "Select from Files" : "Vali failidest", - "Remove image" : "Eemalda pilt", - "png or jpg, max. 20 MB" : "png või jpg, max. 20 MB", - "Cancel" : "Loobu", - "Choose as profile picture" : "Vali kui profiili pilt", - "Full name" : "Täielik nimi", - "No display name set" : "Näidatavat nime pole veel määratud", - "Email" : "E-post", - "Your email address" : "Sinu e-posti aadress", - "No email address set" : "E-posti aadressi pole veel määratud", - "For password reset and notifications" : "Parooli lähestamiseks ja teadeteks", - "Phone number" : "Telefoninumber", - "Your phone number" : "Sinu telefoninumber", - "Address" : "Aadress", - "Your postal address" : "Sinu postiaadress", - "Website" : "Veebileht", - "It can take up to 24 hours before the account is displayed as verified." : "Võib võtta kuni 24 tundi enne kui konto kuvatakse kui kinnitatud.", - "You are member of the following groups:" : "Sa oled nende gruppide liige:", - "Language" : "Keel", - "Help translate" : "Aita tõlkida", - "Password" : "Parool", - "Current password" : "Praegune parool", - "New password" : "Uus parool", - "Change password" : "Muuda parooli", - "Web, desktop and mobile clients currently logged in to your account." : "Sinu kontole hetkel sisse loginud veebi-, töölaua-, ja mobiilsed kliendid.", - "Device" : "Seade", - "Last activity" : "Viimane tegevus", - "App name" : "Rakenduse nimi", - "Create new app password" : "Loo uus rakenduse parool", - "Use the credentials below to configure your app or device." : "Rakenduse või seadme konfigureerimiseks kasutage allpool toodud mandaate.", - "For security reasons this password will only be shown once." : "Turvalisuse huvides kuvatakse see parool ainult üks kord.", - "Username" : "Kasutajanimi", - "Done" : "Valmis", - "Settings" : "Seaded", - "Show storage location" : "Näita salvestusruumi asukohta", - "Show last login" : "Näita viimast sisselogimist", - "Show email address" : "Näita e-posti aadressi", - "Send email to new user" : "Saada uuele kasutajale e-kiri", - "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Kui uue kasutaja parool jäetakse määramata, saadetakse aktiveerimise kiri lingiga parooli määramiseks.", - "E-Mail" : "E-post", - "Create" : "Lisa", - "Admin Recovery Password" : "Admini parooli taastamine", - "Enter the recovery password in order to recover the users files during password change" : "Sisesta taasteparool kasutaja failide taastamiseks paroolivahetuse käigus", - "Everyone" : "Igaüks", - "Admins" : "Haldurid", - "Disabled" : "Keelatud", - "Default quota" : "Vaikimisi mahupiir", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Palun sisesta mahupiir (nt: \"512 MB\" või \"12 GB\")", - "Unlimited" : "Piiramatult", - "Other" : "Muu", - "Group admin for" : "Grupi admin", - "Quota" : "Mahupiir", - "Last login" : "Viimane sisselogimine", - "change full name" : "Muuda täispikka nime", - "set new password" : "määra uus parool", - "change email address" : "muuda e-posti aadressi", - "Default" : "Vaikeväärtus" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/et_EE.json b/settings/l10n/et_EE.json deleted file mode 100644 index 4ef77d2a81f3b..0000000000000 --- a/settings/l10n/et_EE.json +++ /dev/null @@ -1,287 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} muutis sinu parooli", - "You changed your password" : "Sa muutsid oma parooli", - "Your password was reset by an administrator" : "Administraator lähtestas sinu parooli", - "{actor} changed your email address" : "{actor} muutis sinu e-posti aadressi", - "You changed your email address" : "Sa muutsid oma e-posti aadressi", - "Your email address was changed by an administrator" : "Administraator muutis sinu e-posti aadressi", - "Security" : "Turvalisus", - "You successfully logged in using two-factor authentication (%1$s)" : "Logisid edukalt sisse, kasutades kaheastmelist autentimiset (%1$s)", - "A login attempt using two-factor authentication failed (%1$s)" : "Sisselogimiskatse, kasutades kaheastmelist autentimist, ebaõnnestus (%1$s)", - "Your password or email was modified" : "Sinu parooli või e-posti aadressi muudeti", - "Your apps" : "Sinu rakendused", - "Updates" : "Uuendused", - "Enabled apps" : "Lubatud rakendused", - "Disabled apps" : "Keelatud rakendused", - "App bundles" : "Rakenduste kogumikud", - "Wrong password" : "Vale parool", - "Saved" : "Salvestatud", - "No user supplied" : "Kasutajat ei sisestatud", - "Unable to change password" : "Ei suuda parooli muuta", - "Authentication error" : "Autentimise viga", - "Wrong admin recovery password. Please check the password and try again." : "Vale administraatori taasteparool. Palun kontrolli parooli ning proovi uuesti.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "Paigaldan ja uuendan rakendusi läbi rakenduste poe või liitpilve jagamise", - "Federated Cloud Sharing" : "Jagamine liitpilves", - "A problem occurred, please check your log files (Error: %s)" : "Ilmnes viga, palun kontrollige logifaile. (Viga: %s)", - "Migration Completed" : "Kolimine on lõpetatud", - "Group already exists." : "Grupp on juba olemas.", - "Unable to add group." : "Gruppi lisamine ebaõnnestus.", - "Unable to delete group." : "Grupi kustutamineebaõnnestus.", - "Invalid SMTP password." : "Vale SMTP parool.", - "Email setting test" : "E-posti sätete kontroll", - "Well done, %s!" : "Suurepärane, %s!", - "If you received this email, the email configuration seems to be correct." : "Kui saite selle kirja, näib e-posti seadistus õige.", - "Email could not be sent. Check your mail server log" : "E-posti ei saanud saata. Kontrollige oma meiliserveri logi", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "E-posti saatmisel ilmnes viga. Palun kontrollige seadeid. (Viga: %s)", - "You need to set your user email before being able to send test emails." : "Pead seadistama oma e-postienne kui on võimalik saata test-kirju.", - "Invalid mail address" : "Vigane e-posti aadress", - "A user with that name already exists." : "Selle nimega kasutaja on juba olemas.", - "To send a password link to the user an email address is required." : "Kasutajale parooli saatmiseks on vaja e-posti aadressi.", - "Unable to create user." : "Kasutaja loomine ebaõnnestus.", - "Unable to delete user." : "Kasutaja kustutamine ebaõnnestus.", - "Error while enabling user." : "Viga kasutaja lubamisel.", - "Error while disabling user." : "Viga kasutaja keelamisel.", - "Settings saved" : "Seaded salvestatud", - "Unable to change full name" : "Täispika nime muutmine ebaõnnestus", - "Unable to change email address" : "E-posti aadressi muutmine ebaõnnestus", - "Your full name has been changed." : "Sinu täispikk nimi on muudetud.", - "Forbidden" : "Keelatud", - "Invalid user" : "Vigane kasutaja", - "Unable to change mail address" : "E-posti aadressi muutmine ebaõnnestus", - "Email saved" : "Kiri on salvestatud", - "%1$s changed your password on %2$s." : "%1$s muutis su parooli %2$s.", - "Your password on %s was changed." : "Sinu %s parool muudeti.", - "Your password on %s was reset by an administrator." : "Administraator lähtestas sinu %s parooli.", - "Password for %1$s changed on %2$s" : "%1$s parool muudetud %2$s", - "Password changed for %s" : "%s parool muudetud", - "If you did not request this, please contact an administrator." : "Kui sa pole seda taotlenud, võta ühendust administraatoriga.", - "%1$s changed your email address on %2$s." : "%1$s muutis su e-posti aadressi %2$s.", - "Your email address on %s was changed." : "Sinu %s e-posti aadressi muudeti.", - "Your email address on %s was changed by an administrator." : "Administraator muutis sinu %s e-posti aadressi.", - "Email address for %1$s changed on %2$s" : "%1$s e-posti aadress muudetud %2$s", - "Email address changed for %s" : "%s e-posti aadress muudetud", - "The new email address is %s" : "Uus e-posti aadress on %s", - "Your %s account was created" : "Sinu %s konto on loodud", - "Welcome aboard" : "Tere tulemast", - "Welcome aboard %s" : "Tere tulemast %s", - "Welcome to your %s account, you can add, protect, and share your data." : "Tere tulemast oma %s kontole. Sa saad lisada, kaitsta ja jagada oma andmeid.", - "Your username is: %s" : "Sinu kasutajanimi on: %s", - "Set your password" : "Määra oma parool", - "Go to %s" : "Mine %s", - "Install Client" : "Paigalda kliendiprogramm", - "Password confirmation is required" : "Parooli kinnitus on vajalik", - "Couldn't remove app." : "Ei suutnud rakendit eemaldada.", - "Couldn't update app." : "Rakenduse uuendamine ebaõnnestus.", - "Add trusted domain" : "Lis ausaldusväärne domeen", - "Migration in progress. Please wait until the migration is finished" : "Kolimine on käimas. Palun oota, kuni see on lõpetatud", - "Migration started …" : "Kolimist on alustatud ...", - "Not saved" : "Ei ole salvestatud", - "Sending…" : "Saadan...", - "Email sent" : "E-kiri on saadetud", - "Official" : "Ametlik", - "All" : "Kõik", - "Update to %s" : "Uuenda versioonile %s", - "No apps found for your version" : "Sinu versiooni jaoks ei leitud ühtegi rakendust", - "Disabling app …" : "Keelan rakendust ...", - "Error while disabling app" : "Viga rakenduse keelamisel", - "Disable" : "Lülita välja", - "Enable" : "Lülita sisse", - "Enabling app …" : "Luban rakendust ...", - "Error while enabling app" : "Viga rakenduse lubamisel", - "Updated" : "Uuendatud", - "Removing …" : "Eemaldan ...", - "Remove" : "Eemalda", - "Approved" : "Heaks kiidetud", - "Experimental" : "Katsetusjärgus", - "Enable all" : "Luba kõik", - "Allow filesystem access" : "Luba juurdepääs failisüsteemile", - "Disconnect" : "Ühenda lahti", - "Revoke" : "Tühista", - "This session" : "See sessioon", - "Copy" : "Kopeeri", - "Copied!" : "Kopeeritud!", - "Not supported!" : "Pole toetatud!", - "Press ⌘-C to copy." : "Kopeerimiseks vajuta ⌘ + C.", - "Press Ctrl-C to copy." : "Kopeerimiseks vajuta Ctrl + C.", - "Valid until {date}" : "Kehtib kuni {date}", - "Delete" : "Kustuta", - "Local" : "Kohalik", - "Private" : "Privaatne", - "Only visible to local users" : "Ainult nähtav kohalikele kasutajatele", - "Only visible to you" : "Ainult sinule nähtav", - "Contacts" : "Kontaktid", - "Visible to local users and to trusted servers" : "Nähtav kohelikele kasutajatele ja usaldatud serveritele", - "Public" : "Avalik", - "Verify" : "Kontrolli", - "Verifying …" : "Kontrollin ...", - "An error occured while changing your language. Please reload the page and try again." : "Keele vahetamisel ilmnes viga. Palun taasilaadi leht ja proovi uuesti.", - "Select a profile picture" : "Vali profiili pilt", - "Very weak password" : "Väga nõrk parool", - "Weak password" : "Nõrk parool", - "So-so password" : "Enam-vähem sobiv parool", - "Good password" : "Hea parool", - "Strong password" : "Väga hea parool", - "Groups" : "Grupid", - "Unable to delete {objName}" : "Ei suuda kustutada {objName}", - "Error creating group: {message}" : "Tõrge grupi loomisel: {message}", - "A valid group name must be provided" : "Sisesta nõuetele vastav grupi nimi", - "deleted {groupName}" : "kustutatud {groupName}", - "undo" : "tagasi", - "{size} used" : "{size} kasutatud", - "never" : "mitte kunagi", - "deleted {userName}" : "kustutatud {userName}", - "Unable to add user to group {group}" : "Kasutajat ei saa lisada gruppi {group}", - "Unable to remove user from group {group}" : "Kasutajat ei saa eemaldada grupist {group}", - "Add group" : "Lisa grupp", - "Invalid quota value \"{val}\"" : "Vigane mahupiiri väärtus \"{val}\"", - "Password successfully changed" : "Parool edukalt vahetatud", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Parooli vahetamine toob kaasa andmekao, sest selle kasutaja andmete taastamine pole võimalik", - "Could not change the users email" : "Kasutaja e-posti muutmine ebaõnnestus", - "Error while changing status of {user}" : "Kasutaja {user} staatuse muutmine ebaõnnestus", - "A valid username must be provided" : "Sisesta nõuetele vastav kasutajatunnus", - "Error creating user: {message}" : "Kasutaja loomine ebaõnnestus: {message}", - "A valid password must be provided" : "Sisesta nõuetele vastav parool", - "A valid email must be provided" : "Sisesta kehtiv e-posti aadress", - "Developer documentation" : "Arendaja dokumentatsioon", - "Limit to groups" : "Luba gruppidele", - "Documentation:" : "Dokumentatsioon:", - "User documentation" : "Kasutaja dokumentatsioon", - "Admin documentation" : "Administraatori dokumentatsioon", - "Visit website" : "Külasta veebisaiti", - "Report a bug" : "Teata veast", - "Show description …" : "Näita kirjeldist ...", - "Hide description …" : "Peida kirjeldus ...", - "This app has an update available." : "Sellel rakendusel on uuendus saadaval", - "Enable only for specific groups" : "Luba ainult kindlad grupid", - "SSL Root Certificates" : "SLL Juur sertifikaadid", - "Common Name" : "Üldnimetus", - "Valid until" : "Kehtib kuni", - "Issued By" : "Välja antud", - "Valid until %s" : "Kehtib kuni %s", - "Import root certificate" : "Impordi root sertifikaat", - "Administrator documentation" : "Administraatori dokumentatsioon", - "Online documentation" : "Võrgus olev dokumentatsioon", - "Forum" : "Foorum", - "Getting help" : "Abi saamine", - "Commercial support" : "Tasuline kasutajatugi", - "None" : "Pole", - "Login" : "Logi sisse", - "Plain" : "Tavatekst", - "NT LAN Manager" : "NT LAN Manager", - "Email server" : "E-kirjade server", - "Open documentation" : "Ava dokumentatsioon", - "Send mode" : "Saatmise viis", - "Encryption" : "Krüpteerimine", - "From address" : "Saatja aadress", - "mail" : "e-mail", - "Authentication method" : "Autentimise meetod", - "Authentication required" : "Autentimine on vajalik", - "Server address" : "Serveri aadress", - "Port" : "Port", - "Credentials" : "Kasutajatunnused", - "SMTP Username" : "SMTP kasutajatunnus", - "SMTP Password" : "SMTP parool", - "Store credentials" : "Säilita kasutajaandmed", - "Test email settings" : "Testi e-posti seadeid", - "Send email" : "Saada kiri", - "Server-side encryption" : "Serveripoolne krüpteerimine", - "Enable server-side encryption" : "Luba serveripoolne krüpteerimine", - "Enable encryption" : "Luba krüpteerimine", - "Select default encryption module:" : "Määra vaikimisi krüpteerimise moodul:", - "Start migration" : "Alusta kolimist", - "Security & setup warnings" : "Turva- ja paigalduse hoiatused", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "See on tõenäoliselt põhjustatud puhver/kiirendist nagu Zend OPcache või eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Süsteemi lokaliseeringuks ei saa panna sellist, mis toetab UTF-8-t.", - "All checks passed." : "Kõik kontrollid on läbitud.", - "Execute one task with each page loaded" : "Käivita toiming igal lehe laadimisel", - "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php on registreeritud webcron teenuses, et käivitada fail cron.php iga 15 minuti tagant üle http.", - "Use system cron service to call the cron.php file every 15 minutes." : "Kasuta süsteemi cron teenust, et käivitada fail cron.php iga 15 minuti järel.", - "The cron.php needs to be executed by the system user \"%s\"." : "cron.php tuleb käivitada süsteemikasutaja \"%s\" poolt.", - "Version" : "Versioon", - "Sharing" : "Jagamine", - "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Administraatorina saate jagamise valikuid täpselt seadistada. Lisateavet leiad dokumentatsioonist.", - "Allow apps to use the Share API" : "Luba rakendustel kasutada Share API-t", - "Allow users to share via link" : "Luba kasutajatel lingiga jagamist ", - "Allow public uploads" : "Luba avalikud üleslaadimised", - "Always ask for a password" : "Alati küsi parooli", - "Enforce password protection" : "Sunni parooliga kaitsmine", - "Set default expiration date" : "Määra vaikimisi aegumise kuupäev", - "Expire after " : "Aegu pärast", - "days" : "päeva", - "Enforce expiration date" : "Sunnitud aegumise kuupäev", - "Allow resharing" : "Luba edasijagamine", - "Allow sharing with groups" : "Luba gruppidega jagamine", - "Restrict users to only share with users in their groups" : "Luba kasutajatel jagada kasutajatega ainult oma grupi piires", - "Exclude groups from sharing" : "Eemalda grupid jagamisest", - "These groups will still be able to receive shares, but not to initiate them." : "Need grupid saavad vastu võtta jagamisi, kuid ise jagamisi algatada ei saa.", - "Allow username autocompletion in share dialog. If this is disabled the full username or email address needs to be entered." : "Luba kasutajanime automaatne lõpetamine jagamisdialoogis. Kui see on keelatud, tuleb sisestada täielik kasutajanimi või e-posti aadress.", - "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Kuva avaliku lingiga üleslaadimise lehel lahtiütluste tekst. (Kuvatakse ainult siis, kui failide loend on peidetud.)", - "This text will be shown on the public link upload page when the file list is hidden." : "Seda teksti näidatakse avaliku lingiga üleslaadimise lehel kui failide loend on peidetud.", - "Tips & tricks" : "Nõuanded ja trikid", - "How to do backups" : "Kuidas teha varukoopiaid", - "Performance tuning" : "Kiiruse seadistamine", - "Improving the config.php" : "config.php faili täiendamine", - "Theming" : "Teemad", - "Personal" : "Isiklik", - "Administration" : "Haldus", - "Profile picture" : "Profiili pilt", - "Upload new" : "Laadi uus üles", - "Select from Files" : "Vali failidest", - "Remove image" : "Eemalda pilt", - "png or jpg, max. 20 MB" : "png või jpg, max. 20 MB", - "Cancel" : "Loobu", - "Choose as profile picture" : "Vali kui profiili pilt", - "Full name" : "Täielik nimi", - "No display name set" : "Näidatavat nime pole veel määratud", - "Email" : "E-post", - "Your email address" : "Sinu e-posti aadress", - "No email address set" : "E-posti aadressi pole veel määratud", - "For password reset and notifications" : "Parooli lähestamiseks ja teadeteks", - "Phone number" : "Telefoninumber", - "Your phone number" : "Sinu telefoninumber", - "Address" : "Aadress", - "Your postal address" : "Sinu postiaadress", - "Website" : "Veebileht", - "It can take up to 24 hours before the account is displayed as verified." : "Võib võtta kuni 24 tundi enne kui konto kuvatakse kui kinnitatud.", - "You are member of the following groups:" : "Sa oled nende gruppide liige:", - "Language" : "Keel", - "Help translate" : "Aita tõlkida", - "Password" : "Parool", - "Current password" : "Praegune parool", - "New password" : "Uus parool", - "Change password" : "Muuda parooli", - "Web, desktop and mobile clients currently logged in to your account." : "Sinu kontole hetkel sisse loginud veebi-, töölaua-, ja mobiilsed kliendid.", - "Device" : "Seade", - "Last activity" : "Viimane tegevus", - "App name" : "Rakenduse nimi", - "Create new app password" : "Loo uus rakenduse parool", - "Use the credentials below to configure your app or device." : "Rakenduse või seadme konfigureerimiseks kasutage allpool toodud mandaate.", - "For security reasons this password will only be shown once." : "Turvalisuse huvides kuvatakse see parool ainult üks kord.", - "Username" : "Kasutajanimi", - "Done" : "Valmis", - "Settings" : "Seaded", - "Show storage location" : "Näita salvestusruumi asukohta", - "Show last login" : "Näita viimast sisselogimist", - "Show email address" : "Näita e-posti aadressi", - "Send email to new user" : "Saada uuele kasutajale e-kiri", - "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Kui uue kasutaja parool jäetakse määramata, saadetakse aktiveerimise kiri lingiga parooli määramiseks.", - "E-Mail" : "E-post", - "Create" : "Lisa", - "Admin Recovery Password" : "Admini parooli taastamine", - "Enter the recovery password in order to recover the users files during password change" : "Sisesta taasteparool kasutaja failide taastamiseks paroolivahetuse käigus", - "Everyone" : "Igaüks", - "Admins" : "Haldurid", - "Disabled" : "Keelatud", - "Default quota" : "Vaikimisi mahupiir", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Palun sisesta mahupiir (nt: \"512 MB\" või \"12 GB\")", - "Unlimited" : "Piiramatult", - "Other" : "Muu", - "Group admin for" : "Grupi admin", - "Quota" : "Mahupiir", - "Last login" : "Viimane sisselogimine", - "change full name" : "Muuda täispikka nime", - "set new password" : "määra uus parool", - "change email address" : "muuda e-posti aadressi", - "Default" : "Vaikeväärtus" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/fa.js b/settings/l10n/fa.js deleted file mode 100644 index 1106aeabfa3a3..0000000000000 --- a/settings/l10n/fa.js +++ /dev/null @@ -1,160 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "رمز عبور اشتباه است", - "Saved" : "ذخیره شد", - "No user supplied" : "هیچ کاربری تعریف نشده است", - "Unable to change password" : "نمی‌توان رمز را تغییر داد", - "Authentication error" : "خطا در اعتبار سنجی", - "Wrong admin recovery password. Please check the password and try again." : "رمز مدیریتی بازیابی غلط است. لطفاً رمز را کنترل کرده و دوباره امتحان نمایید.", - "Group already exists." : "گروه در حال حاضر موجود است", - "Unable to add group." : "افزودن گروه امکان پذیر نیست.", - "Unable to delete group." : "حذف گروه امکان پذیر نیست.", - "Invalid mail address" : "آدرس ایمیل نامعتبر است", - "A user with that name already exists." : "کاربری با همین نام در حال حاضر وجود دارد.", - "Unable to create user." : "ایجاد کاربر امکان‌پذیر نیست.", - "Unable to delete user." : "حذف کاربر امکان پذیر نیست.", - "Unable to change full name" : "امکان تغییر نام کامل وجود ندارد", - "Your full name has been changed." : "نام کامل شما تغییر یافت", - "Forbidden" : "ممنوعه", - "Invalid user" : "کاربر نامعتبر", - "Unable to change mail address" : "تغییر آدرس ایمیل امکان‌پذیر نیست", - "Email saved" : "ایمیل ذخیره شد", - "Your %s account was created" : "حساب کاربری شما %s ایجاد شد", - "Couldn't remove app." : "امکان حذف برنامه وجود ندارد.", - "Couldn't update app." : "برنامه را نمی توان به هنگام ساخت.", - "Add trusted domain" : "افزودن دامنه مورد اعتماد", - "Migration in progress. Please wait until the migration is finished" : "مهاجرت در حال اجراست. لطفا تا اتمام مهاجرت صبر کنید", - "Migration started …" : "مهاجرت شروع شد...", - "Email sent" : "ایمیل ارسال شد", - "Official" : "رسمی", - "All" : "همه", - "Update to %s" : "بروزرسانی به %s", - "No apps found for your version" : "هیچ برنامه‌ای برای نسخه‌ی شما یافت نشد", - "Error while disabling app" : "خطا در هنگام غیر فعال سازی برنامه", - "Disable" : "غیرفعال", - "Enable" : "فعال", - "Error while enabling app" : "خطا در هنگام فعال سازی برنامه", - "Updated" : "بروز رسانی انجام شد", - "Approved" : "تایید شده", - "Experimental" : "آزمایشی", - "Valid until {date}" : "معتبر تا {date}", - "Delete" : "حذف", - "Select a profile picture" : "انتخاب تصویر پروفایل", - "Very weak password" : "رمز عبور بسیار ضعیف", - "Weak password" : "رمز عبور ضعیف", - "So-so password" : "رمز عبور متوسط", - "Good password" : "رمز عبور خوب", - "Strong password" : "رمز عبور قوی", - "Groups" : "گروه ها", - "Unable to delete {objName}" : "امکان حذف {objName} وجود ندارد", - "A valid group name must be provided" : "نام کاربری معتبر می بایست وارد شود", - "deleted {groupName}" : "گروه {groupName} حذف شد", - "undo" : "بازگشت", - "never" : "هرگز", - "deleted {userName}" : "کاربر {userName} حذف شد", - "Changing the password will result in data loss, because data recovery is not available for this user" : "با توجه به عدم دستیابی به بازگردانی اطلاعات برای کاربر، تغییر رمز عبور باعث از بین رفتن اطلاعات خواهد شد", - "A valid username must be provided" : "نام کاربری صحیح باید وارد شود", - "A valid password must be provided" : "رمز عبور صحیح باید وارد شود", - "A valid email must be provided" : "یک ایمیل معتبر باید وارد شود", - "Developer documentation" : "مستندات توسعه‌دهندگان", - "Documentation:" : "مستند سازی:", - "User documentation" : "مستندات کاربر", - "Admin documentation" : "مستندات مدیر", - "Show description …" : "نمایش توضیحات ...", - "Hide description …" : "عدم نمایش توضیحات...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "امکان نصب این برنامه وجود ندارد، این پیش‌نیازها انجام نشده‌اند:", - "Enable only for specific groups" : "فعال سازی تنها برای گروه های خاص", - "Common Name" : "نام مشترک", - "Valid until" : "متعبر تا", - "Issued By" : "صدور توسط", - "Valid until %s" : "متعبر تا %s", - "Import root certificate" : "وارد کردن گواهی اصلی", - "Administrator documentation" : "مستندات مدیر", - "Online documentation" : "مستندات آنلاین", - "Forum" : "انجمن", - "Commercial support" : "پشتیبانی تجاری", - "None" : "هیچ‌کدام", - "Login" : "ورود", - "Plain" : "ساده", - "NT LAN Manager" : "مدیر NT LAN", - "Email server" : "سرور ایمیل", - "Open documentation" : "بازکردن مستند", - "Send mode" : "حالت ارسال", - "Encryption" : "رمزگذاری", - "From address" : "آدرس فرستنده", - "mail" : "ایمیل", - "Authentication method" : "روش احراز هویت", - "Authentication required" : "احراز هویت مورد نیاز است", - "Server address" : "آدرس سرور", - "Port" : "درگاه", - "Credentials" : "اعتبارهای", - "SMTP Username" : "نام کاربری SMTP", - "SMTP Password" : "رمز عبور SMTP", - "Test email settings" : "تنظیمات ایمیل آزمایشی", - "Send email" : "ارسال ایمیل", - "Server-side encryption" : "رمزگذاری سمت سرور", - "Enable server-side encryption" : "فعال‌سازی رمزگذاری سمت-سرور", - "Be aware that encryption always increases the file size." : "توجه داشته باشید که همواره رمزگذاری حجم فایل را افزایش خواهد داد.", - "This is the final warning: Do you really want to enable encryption?" : "این آخرین اخطار است: آیا می‌خواهید رمزگذاری را فعال کنید ؟", - "Enable encryption" : "فعال کردن رمزگذاری", - "No encryption module loaded, please enable an encryption module in the app menu." : "هیچ ماژول رمزگذاری‌ای بارگذاری نشده است، لطفا ماژول رمز‌گذاری را در منو برنامه فعال کنید.", - "Select default encryption module:" : "انتخاب ماژول پیش‌فرض رمزگذاری:", - "Start migration" : "شروع مهاجرت", - "Security & setup warnings" : "اخطارهای نصب و امنیتی", - "All checks passed." : "تمامی موارد با موفقیت چک شدند.", - "Execute one task with each page loaded" : "اجرای یک وظیفه با هر بار بارگذاری صفحه", - "Version" : "نسخه", - "Sharing" : "اشتراک گذاری", - "Allow apps to use the Share API" : "اجازه ی برنامه ها برای استفاده از API اشتراک گذاری", - "Allow users to share via link" : "اجازه دادن به کاربران برای اشتراک گذاری توسط پیوند", - "Allow public uploads" : "اجازه بارگذاری عمومی", - "Enforce password protection" : "اجبار برای محافظت توسط رمز عبور", - "Set default expiration date" : "اعمال تاریخ اتمام پیش فرض", - "Expire after " : "اتمام اعتبار بعد از", - "days" : "روز", - "Enforce expiration date" : "اعمال تاریخ اتمام اشتراک گذاری", - "Allow resharing" : "مجوز اشتراک گذاری مجدد", - "Restrict users to only share with users in their groups" : "محدود کردن کاربران برای اشتراک‌گذاری تنها میان کاربران گروه خود", - "Exclude groups from sharing" : "مستثنی شدن گروه ها از اشتراک گذاری", - "Tips & tricks" : "نکات و راهنمایی‌ها", - "Performance tuning" : "تنظیم کارایی", - "Improving the config.php" : "بهبود config.php", - "Theming" : "قالب‌بندی", - "Hardening and security guidance" : "راهنمای امن‌سازی", - "Profile picture" : "تصویر پروفایل", - "Upload new" : "بارگذاری جدید", - "Remove image" : "تصویر پاک شود", - "Cancel" : "منصرف شدن", - "Full name" : "نام کامل", - "No display name set" : "هیچ نام نمایشی تعیین نشده است", - "Email" : "ایمیل", - "Your email address" : "پست الکترونیکی شما", - "No email address set" : "آدرس‌ایمیلی تنظیم نشده است", - "You are member of the following groups:" : "شما عضو این گروه‌ها هستید:", - "Language" : "زبان", - "Help translate" : "به ترجمه آن کمک کنید", - "Password" : "گذرواژه", - "Current password" : "گذرواژه کنونی", - "New password" : "گذرواژه جدید", - "Change password" : "تغییر گذر واژه", - "Username" : "نام کاربری", - "Show storage location" : "نمایش محل ذخیره‌سازی", - "Show email address" : "نمایش پست الکترونیکی", - "Send email to new user" : "ارسال ایمیل به کاربر جدید", - "E-Mail" : "ایمیل", - "Create" : "ایجاد کردن", - "Admin Recovery Password" : "مدیریت بازیابی رمز عبور", - "Enter the recovery password in order to recover the users files during password change" : "در حین تغییر رمز عبور به منظور بازیابی فایل های کاربران، رمز عبور بازیابی را وارد کنید", - "Everyone" : "همه", - "Admins" : "مدیران", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "لطفا سهمیه ذخیره سازی را وارد کنید (به عنوان مثال: \" 512MB\" یا \"12GB\")", - "Unlimited" : "نامحدود", - "Other" : "دیگر", - "Quota" : "سهم", - "change full name" : "تغییر نام کامل", - "set new password" : "تنظیم کلمه عبور جدید", - "change email address" : "تغییر آدرس ایمیل ", - "Default" : "پیش فرض" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/fa.json b/settings/l10n/fa.json deleted file mode 100644 index 4beb48ea8f5b1..0000000000000 --- a/settings/l10n/fa.json +++ /dev/null @@ -1,158 +0,0 @@ -{ "translations": { - "Wrong password" : "رمز عبور اشتباه است", - "Saved" : "ذخیره شد", - "No user supplied" : "هیچ کاربری تعریف نشده است", - "Unable to change password" : "نمی‌توان رمز را تغییر داد", - "Authentication error" : "خطا در اعتبار سنجی", - "Wrong admin recovery password. Please check the password and try again." : "رمز مدیریتی بازیابی غلط است. لطفاً رمز را کنترل کرده و دوباره امتحان نمایید.", - "Group already exists." : "گروه در حال حاضر موجود است", - "Unable to add group." : "افزودن گروه امکان پذیر نیست.", - "Unable to delete group." : "حذف گروه امکان پذیر نیست.", - "Invalid mail address" : "آدرس ایمیل نامعتبر است", - "A user with that name already exists." : "کاربری با همین نام در حال حاضر وجود دارد.", - "Unable to create user." : "ایجاد کاربر امکان‌پذیر نیست.", - "Unable to delete user." : "حذف کاربر امکان پذیر نیست.", - "Unable to change full name" : "امکان تغییر نام کامل وجود ندارد", - "Your full name has been changed." : "نام کامل شما تغییر یافت", - "Forbidden" : "ممنوعه", - "Invalid user" : "کاربر نامعتبر", - "Unable to change mail address" : "تغییر آدرس ایمیل امکان‌پذیر نیست", - "Email saved" : "ایمیل ذخیره شد", - "Your %s account was created" : "حساب کاربری شما %s ایجاد شد", - "Couldn't remove app." : "امکان حذف برنامه وجود ندارد.", - "Couldn't update app." : "برنامه را نمی توان به هنگام ساخت.", - "Add trusted domain" : "افزودن دامنه مورد اعتماد", - "Migration in progress. Please wait until the migration is finished" : "مهاجرت در حال اجراست. لطفا تا اتمام مهاجرت صبر کنید", - "Migration started …" : "مهاجرت شروع شد...", - "Email sent" : "ایمیل ارسال شد", - "Official" : "رسمی", - "All" : "همه", - "Update to %s" : "بروزرسانی به %s", - "No apps found for your version" : "هیچ برنامه‌ای برای نسخه‌ی شما یافت نشد", - "Error while disabling app" : "خطا در هنگام غیر فعال سازی برنامه", - "Disable" : "غیرفعال", - "Enable" : "فعال", - "Error while enabling app" : "خطا در هنگام فعال سازی برنامه", - "Updated" : "بروز رسانی انجام شد", - "Approved" : "تایید شده", - "Experimental" : "آزمایشی", - "Valid until {date}" : "معتبر تا {date}", - "Delete" : "حذف", - "Select a profile picture" : "انتخاب تصویر پروفایل", - "Very weak password" : "رمز عبور بسیار ضعیف", - "Weak password" : "رمز عبور ضعیف", - "So-so password" : "رمز عبور متوسط", - "Good password" : "رمز عبور خوب", - "Strong password" : "رمز عبور قوی", - "Groups" : "گروه ها", - "Unable to delete {objName}" : "امکان حذف {objName} وجود ندارد", - "A valid group name must be provided" : "نام کاربری معتبر می بایست وارد شود", - "deleted {groupName}" : "گروه {groupName} حذف شد", - "undo" : "بازگشت", - "never" : "هرگز", - "deleted {userName}" : "کاربر {userName} حذف شد", - "Changing the password will result in data loss, because data recovery is not available for this user" : "با توجه به عدم دستیابی به بازگردانی اطلاعات برای کاربر، تغییر رمز عبور باعث از بین رفتن اطلاعات خواهد شد", - "A valid username must be provided" : "نام کاربری صحیح باید وارد شود", - "A valid password must be provided" : "رمز عبور صحیح باید وارد شود", - "A valid email must be provided" : "یک ایمیل معتبر باید وارد شود", - "Developer documentation" : "مستندات توسعه‌دهندگان", - "Documentation:" : "مستند سازی:", - "User documentation" : "مستندات کاربر", - "Admin documentation" : "مستندات مدیر", - "Show description …" : "نمایش توضیحات ...", - "Hide description …" : "عدم نمایش توضیحات...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "امکان نصب این برنامه وجود ندارد، این پیش‌نیازها انجام نشده‌اند:", - "Enable only for specific groups" : "فعال سازی تنها برای گروه های خاص", - "Common Name" : "نام مشترک", - "Valid until" : "متعبر تا", - "Issued By" : "صدور توسط", - "Valid until %s" : "متعبر تا %s", - "Import root certificate" : "وارد کردن گواهی اصلی", - "Administrator documentation" : "مستندات مدیر", - "Online documentation" : "مستندات آنلاین", - "Forum" : "انجمن", - "Commercial support" : "پشتیبانی تجاری", - "None" : "هیچ‌کدام", - "Login" : "ورود", - "Plain" : "ساده", - "NT LAN Manager" : "مدیر NT LAN", - "Email server" : "سرور ایمیل", - "Open documentation" : "بازکردن مستند", - "Send mode" : "حالت ارسال", - "Encryption" : "رمزگذاری", - "From address" : "آدرس فرستنده", - "mail" : "ایمیل", - "Authentication method" : "روش احراز هویت", - "Authentication required" : "احراز هویت مورد نیاز است", - "Server address" : "آدرس سرور", - "Port" : "درگاه", - "Credentials" : "اعتبارهای", - "SMTP Username" : "نام کاربری SMTP", - "SMTP Password" : "رمز عبور SMTP", - "Test email settings" : "تنظیمات ایمیل آزمایشی", - "Send email" : "ارسال ایمیل", - "Server-side encryption" : "رمزگذاری سمت سرور", - "Enable server-side encryption" : "فعال‌سازی رمزگذاری سمت-سرور", - "Be aware that encryption always increases the file size." : "توجه داشته باشید که همواره رمزگذاری حجم فایل را افزایش خواهد داد.", - "This is the final warning: Do you really want to enable encryption?" : "این آخرین اخطار است: آیا می‌خواهید رمزگذاری را فعال کنید ؟", - "Enable encryption" : "فعال کردن رمزگذاری", - "No encryption module loaded, please enable an encryption module in the app menu." : "هیچ ماژول رمزگذاری‌ای بارگذاری نشده است، لطفا ماژول رمز‌گذاری را در منو برنامه فعال کنید.", - "Select default encryption module:" : "انتخاب ماژول پیش‌فرض رمزگذاری:", - "Start migration" : "شروع مهاجرت", - "Security & setup warnings" : "اخطارهای نصب و امنیتی", - "All checks passed." : "تمامی موارد با موفقیت چک شدند.", - "Execute one task with each page loaded" : "اجرای یک وظیفه با هر بار بارگذاری صفحه", - "Version" : "نسخه", - "Sharing" : "اشتراک گذاری", - "Allow apps to use the Share API" : "اجازه ی برنامه ها برای استفاده از API اشتراک گذاری", - "Allow users to share via link" : "اجازه دادن به کاربران برای اشتراک گذاری توسط پیوند", - "Allow public uploads" : "اجازه بارگذاری عمومی", - "Enforce password protection" : "اجبار برای محافظت توسط رمز عبور", - "Set default expiration date" : "اعمال تاریخ اتمام پیش فرض", - "Expire after " : "اتمام اعتبار بعد از", - "days" : "روز", - "Enforce expiration date" : "اعمال تاریخ اتمام اشتراک گذاری", - "Allow resharing" : "مجوز اشتراک گذاری مجدد", - "Restrict users to only share with users in their groups" : "محدود کردن کاربران برای اشتراک‌گذاری تنها میان کاربران گروه خود", - "Exclude groups from sharing" : "مستثنی شدن گروه ها از اشتراک گذاری", - "Tips & tricks" : "نکات و راهنمایی‌ها", - "Performance tuning" : "تنظیم کارایی", - "Improving the config.php" : "بهبود config.php", - "Theming" : "قالب‌بندی", - "Hardening and security guidance" : "راهنمای امن‌سازی", - "Profile picture" : "تصویر پروفایل", - "Upload new" : "بارگذاری جدید", - "Remove image" : "تصویر پاک شود", - "Cancel" : "منصرف شدن", - "Full name" : "نام کامل", - "No display name set" : "هیچ نام نمایشی تعیین نشده است", - "Email" : "ایمیل", - "Your email address" : "پست الکترونیکی شما", - "No email address set" : "آدرس‌ایمیلی تنظیم نشده است", - "You are member of the following groups:" : "شما عضو این گروه‌ها هستید:", - "Language" : "زبان", - "Help translate" : "به ترجمه آن کمک کنید", - "Password" : "گذرواژه", - "Current password" : "گذرواژه کنونی", - "New password" : "گذرواژه جدید", - "Change password" : "تغییر گذر واژه", - "Username" : "نام کاربری", - "Show storage location" : "نمایش محل ذخیره‌سازی", - "Show email address" : "نمایش پست الکترونیکی", - "Send email to new user" : "ارسال ایمیل به کاربر جدید", - "E-Mail" : "ایمیل", - "Create" : "ایجاد کردن", - "Admin Recovery Password" : "مدیریت بازیابی رمز عبور", - "Enter the recovery password in order to recover the users files during password change" : "در حین تغییر رمز عبور به منظور بازیابی فایل های کاربران، رمز عبور بازیابی را وارد کنید", - "Everyone" : "همه", - "Admins" : "مدیران", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "لطفا سهمیه ذخیره سازی را وارد کنید (به عنوان مثال: \" 512MB\" یا \"12GB\")", - "Unlimited" : "نامحدود", - "Other" : "دیگر", - "Quota" : "سهم", - "change full name" : "تغییر نام کامل", - "set new password" : "تنظیم کلمه عبور جدید", - "change email address" : "تغییر آدرس ایمیل ", - "Default" : "پیش فرض" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/he.js b/settings/l10n/he.js deleted file mode 100644 index cf2d0e0ddc416..0000000000000 --- a/settings/l10n/he.js +++ /dev/null @@ -1,206 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "סיסמא שגוייה", - "Saved" : "נשמר", - "No user supplied" : "לא סופק שם משתמש", - "Unable to change password" : "לא ניתן לשנות את הסיסמא", - "Authentication error" : "שגיאת הזדהות", - "Wrong admin recovery password. Please check the password and try again." : "סיסמת המנהל לשחזור שגוייה. יש לבדוק את הסיסמא ולנסות שוב.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "התקנה ועדכון היישום דרך חנות היישומים או ענן שיתוף מאוגד", - "Federated Cloud Sharing" : "ענן שיתוף מאוגד", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL משתמש בגרסה %s ישנה (%s). יש לעדכן את מערכת ההפעלה או שתכונות כדוגמת %s לא יעבדו באופן מהימן.", - "A problem occurred, please check your log files (Error: %s)" : "אירעה בעיה, יש לבדוק את לוג הקבצים (שגיאה: %s)", - "Migration Completed" : "המרה הושלמה", - "Group already exists." : "קבוצה כבר קיימת.", - "Unable to add group." : "לא ניתן להוסיף קבוצה.", - "Unable to delete group." : "לא ניתן למחוק קבוצה.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "בעיה אירעה בשליחת הדואר האלקטרוני. יש לשנות את ההגדרות שלך. (שגיאה: %s)", - "You need to set your user email before being able to send test emails." : "יש להגדיר כתובת דואר אלקטרוני לפני שניתן יהיה לשלוח דואר אלקטרוני לבדיקה.", - "Invalid mail address" : "כתובת דואר אלקטרוני לא חוקית", - "A user with that name already exists." : "משתמש בשם זה כבר קיים.", - "Unable to create user." : "לא ניתן ליצור משתמש.", - "Unable to delete user." : "לא ניתן למחוק משתמש.", - "Unable to change full name" : "לא ניתן לשנות שם מלא", - "Your full name has been changed." : "השם המלא שלך הוחלף", - "Forbidden" : "חסום", - "Invalid user" : "שם משתמש לא חוקי", - "Unable to change mail address" : "לא ניתן לשנות כתובת דואר אלקטרוני", - "Email saved" : "הדואר האלקטרוני נשמר", - "Your %s account was created" : "חשבון %s שלך נוצר", - "Couldn't remove app." : "לא ניתן להסיר את היישום.", - "Couldn't update app." : "לא ניתן לעדכן את היישום.", - "Add trusted domain" : "הוספת שם מתחם מהימן", - "Migration in progress. Please wait until the migration is finished" : "המרה בביצוע. יש להמתין עד סיום ההמרה", - "Migration started …" : "המרה החלה...", - "Email sent" : "הודעת הדואר האלקטרוני נשלחה", - "Official" : "רישמי", - "All" : "הכל", - "Update to %s" : "עדכון ל- %s", - "No apps found for your version" : "לא נמצאו יישומים לגרסה שלך", - "The app will be downloaded from the app store" : "היישום ירד מחנות היישומים", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "יישומים מאושרים מפותחים על ידי מפתחים מהימנים ועברו בדיקת הבטחה ראשונית. הם נשמרים באופן פעיל במאגר קוד פתוח והמתזקים שלהם מייעדים אותם לשימוש מזדמן ורגיל.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "יישום זה לא נבדק לבעיות אבטחה והוא חדש או ידוע כלא יציב. התקנת יישום זה הנה על אחריותך בלבד.", - "Error while disabling app" : "אירעה שגיאה בעת נטרול היישום", - "Disable" : "ניטרול", - "Enable" : "הפעלה", - "Error while enabling app" : "שגיאה בעת הפעלת יישום", - "Error while disabling broken app" : "שגיאה בזמן נטרול יישום פגום", - "Updated" : "מעודכן", - "Approved" : "מאושר", - "Experimental" : "ניסיוני", - "No apps found for {query}" : "לא נמצא יישום עבור {query}", - "Disconnect" : "ניתוק", - "Error while loading browser sessions and device tokens" : "שגיאה בזמן טעינת שיחת דפדפן ומחרוזת התקן", - "Error while creating device token" : "שגיאה בזמן יצירת מחרוזת התקן", - "Error while deleting the token" : "שגיאה בזמן מחיקת המחרוזת", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "אירעה שגיאה. יש להעלות תעודת ASCII-encoded PEM.", - "Valid until {date}" : "בתוקף עד ל- {date}", - "Delete" : "מחיקה", - "Select a profile picture" : "יש לבחור תמונת פרופיל", - "Very weak password" : "סיסמא מאוד חלשה", - "Weak password" : "סיסמא חלשה", - "So-so password" : "סיסמא ככה-ככה", - "Good password" : "סיסמא טובה", - "Strong password" : "סיסמא חזקה", - "Groups" : "קבוצות", - "Unable to delete {objName}" : "לא ניתן למחיקה {objName}", - "Error creating group: {message}" : "שגיאה ביצירת קבוצה: {message}", - "A valid group name must be provided" : "יש לספק שם קבוצה תקני", - "deleted {groupName}" : "נמחק {groupName}", - "undo" : "ביטול", - "never" : "לעולם לא", - "deleted {userName}" : "נמחק {userName}", - "Changing the password will result in data loss, because data recovery is not available for this user" : "שינוי הסיסמא יגרום איבוד מידע, וזאת בגלל ששחזור מידע אינו זמין למשתמש זה", - "A valid username must be provided" : "יש לספק שם משתמש תקני", - "Error creating user: {message}" : "שגיאה ביצירת משתמש: {message}", - "A valid password must be provided" : "יש לספק סיסמא תקנית", - "A valid email must be provided" : "יש לספק כתובת דואר אלקטרוני תקנית", - "Developer documentation" : "תיעוד מפתח", - "by %s" : "על ידי %s", - "%s-licensed" : "%s-בעל רישיון", - "Documentation:" : "תיעוד", - "User documentation" : "תיעוד משתמש", - "Admin documentation" : "תיעוד מנהל", - "Visit website" : "ביקור באתר האינטרנט", - "Report a bug" : "דיווח על באג", - "Show description …" : "הצגת תיאור ...", - "Hide description …" : "הסתרת תיאור ...", - "This app has an update available." : "ליישום זה קיים עדכון זמין.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "לא ניתן להתקין את יישום זה כיוון שייחסי התלות הבאים לא התקיימו:", - "Enable only for specific groups" : "אפשר רק לקבוצות מסויימות", - "SSL Root Certificates" : "אישורי אבטחת SSL לנתיב יסוד", - "Common Name" : "שם משותף", - "Valid until" : "בתוקף עד", - "Issued By" : "הוצא על ידי", - "Valid until %s" : "בתוקף עד %s", - "Import root certificate" : "יבוא אישור אבטחה לנתיב יסוד", - "Administrator documentation" : "תיעוד מנהל", - "Online documentation" : "תיעוד מקוון", - "Forum" : "פורום", - "Commercial support" : "תמיכה מסחרית", - "None" : "כלום", - "Login" : "התחברות", - "Plain" : "רגיל", - "NT LAN Manager" : "מנהל רשת NT", - "Email server" : "שרת דואר אלקטרוני", - "Open documentation" : "תיעוד פתוח", - "Send mode" : "מצב שליחה", - "Encryption" : "הצפנה", - "From address" : "מכתובת", - "mail" : "mail", - "Authentication method" : "שיטת אימות", - "Authentication required" : "נדרש אימות", - "Server address" : "כתובת שרת", - "Port" : "שער", - "Credentials" : "פרטי גישה", - "SMTP Username" : "שם משתמש SMTP ", - "SMTP Password" : "סיסמת SMTP", - "Store credentials" : "שמירת אישורים", - "Test email settings" : "בדיקת הגדרות דואר אלקטרוני", - "Send email" : "שליחת דואר אלקטרוני", - "Server-side encryption" : "הצפנת צד שרת", - "Enable server-side encryption" : "הפעלת הצפנה בצד שרת", - "Please read carefully before activating server-side encryption: " : "יש לקרוא בתשומת לב רבה לפני שמפעילים הצפנת צד שרת:", - "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "ברגע שהצפנה מופעלת, כל הקבצים שיועלו לשרת מרגע זה יהיו מוצפנים בשרת. ניתן יהיה לנטרל את ההצפנה בעתיד רק אם מודול ההצפנה תומך בפונקציה זו, וכל התנאים המוקדמים (דהיינו הגדרת מפתח השחזור) מתקיימים.", - "Be aware that encryption always increases the file size." : "תשומת לב לכך שהצפנה בהכרח מגדילה את גודל הקובץ.", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "תמיד טוב ליצור גיבוי קבוע למידע , במקרה של הצפנה יש לוודא שגם מפתחות ההצפנה מגובים עם המידע שלך.", - "This is the final warning: Do you really want to enable encryption?" : "זו הזהרה אחרונה: האם באמת ברצונך להפעיל הצפנה?", - "Enable encryption" : "אפשר הצפנה", - "No encryption module loaded, please enable an encryption module in the app menu." : "לא נמצא מודול הצפנה, יש לאפשר מודול הצפנה בתפריט היישומים.", - "Select default encryption module:" : "יש לבחור מודול הצפנת ברירת מחדל:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה. יש לאפשר את \"מודול הצפנה ברירת מחדש\" ולהריץ 'occ encryption:migrate'", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה.", - "Start migration" : "התחלת המרה", - "Security & setup warnings" : "הזהרות אבטחה והתקנה", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "תצורת קריאה בלבד הופעלה. תצורה זו מונעת קביעת מספר הגדרות באמצעות ממשק האינטרנט. יתר על כן, יש צורך להגדיר ההרשאות כתיבה באופן ידני לכל עדכון.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "זה ככל הנראה נגרם על ידי מאיץ/מטמון כמו Zend OPcache או eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "הגדרות שפה לא יכולות להקבע ככאלה שתומכות ב- UTF-8.", - "All checks passed." : "כל הבדיקות עברו", - "Execute one task with each page loaded" : "יש להפעיל משימה אחת עם כל עמוד שנטען", - "Version" : "גרסה", - "Sharing" : "שיתוף", - "Allow apps to use the Share API" : "לאפשר ליישום להשתמש ב־API השיתוף", - "Allow users to share via link" : "אפשר למשתמשים לשתף באמצעות קישור", - "Allow public uploads" : "אפשר העלאות ציבוריות", - "Enforce password protection" : "חייב הגנת סיסמא", - "Set default expiration date" : "הגדרת תאריך תפוגה ברירת מחדל", - "Expire after " : "פג אחרי", - "days" : "ימים", - "Enforce expiration date" : "חייב תאריך תפוגה", - "Allow resharing" : "לאפשר שיתוף מחדש", - "Allow sharing with groups" : "מאפשר שיתוף עם קבוצות", - "Restrict users to only share with users in their groups" : "הגבלת משתמשים לשתף רק עם משתמשים בקבוצה שלהם", - "Exclude groups from sharing" : "מניעת קבוצות משיתוף", - "These groups will still be able to receive shares, but not to initiate them." : "קבוצות אלו עדיין יוכלו לקבל שיתופים, אך לא לשתף בעצמם.", - "Tips & tricks" : "עצות ותחבולות", - "How to do backups" : "איך לבצע גיבויים", - "Performance tuning" : "כוונון ביצועים", - "Improving the config.php" : "שיפור קובץ config.php", - "Theming" : "ערכת נושא", - "Hardening and security guidance" : "הדרכת הקשחה ואבטחה", - "You are using %s of %s" : "הנך משתמש ב- %s מתוך %s", - "Profile picture" : "תמונת פרופיל", - "Upload new" : "העלאת חדש", - "Select from Files" : "בחירה מתוך קבצים", - "Remove image" : "הסרת תמונה", - "png or jpg, max. 20 MB" : "png או jpg, מקסימום 20 מגה-בייט", - "Picture provided by original account" : "תמונה סופקה על ידי חשבון מקור", - "Cancel" : "ביטול", - "Choose as profile picture" : "יש לבחור כתמונת פרופיל", - "Full name" : "שם מלא", - "No display name set" : "לא נקבע שם תצוגה", - "Email" : "דואר אלקטרוני", - "Your email address" : "כתובת הדואר האלקטרוני שלך", - "No email address set" : "לא נקבעה כתובת דואר אלקטרוני", - "You are member of the following groups:" : "הקבוצות הבאות כוללות אותך:", - "Language" : "שפה", - "Help translate" : "עזרה בתרגום", - "Password" : "סיסמא", - "Current password" : "סיסמא נוכחית", - "New password" : "סיסמא חדשה", - "Change password" : "שינוי סיסמא", - "App name" : "שם יישום", - "Create new app password" : "יצירת סיסמת יישום חדשה", - "Username" : "שם משתמש", - "Done" : "הסתיים", - "Show storage location" : "הצגת מיקום אחסון", - "Show user backend" : "הצגת צד אחורי למשתמש", - "Show email address" : "הצגת כתובת דואר אלקטרוני", - "Send email to new user" : "שליחת דואר אלקטרוני למשתמש חדש", - "E-Mail" : "דואר אלקטרוני", - "Create" : "יצירה", - "Admin Recovery Password" : "סיסמת השחזור של המנהל", - "Enter the recovery password in order to recover the users files during password change" : "יש להכניס את סיסמת השחזור לצורך שחזור של קבצי המשתמש במהלך החלפת סיסמא", - "Everyone" : "כולם", - "Admins" : "מנהלים", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "יש להכניס מכסת אחסון (לדוגמא: \"512 MB\" or \"12 GB\")", - "Unlimited" : "ללא הגבלה", - "Other" : "אחר", - "Quota" : "מכסה", - "change full name" : "שינוי שם מלא", - "set new password" : "הגדרת סיסמא חדשה", - "change email address" : "שינוי כתובת דואר אלקטרוני", - "Default" : "ברירת מחדל" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/he.json b/settings/l10n/he.json deleted file mode 100644 index b65704f38451e..0000000000000 --- a/settings/l10n/he.json +++ /dev/null @@ -1,204 +0,0 @@ -{ "translations": { - "Wrong password" : "סיסמא שגוייה", - "Saved" : "נשמר", - "No user supplied" : "לא סופק שם משתמש", - "Unable to change password" : "לא ניתן לשנות את הסיסמא", - "Authentication error" : "שגיאת הזדהות", - "Wrong admin recovery password. Please check the password and try again." : "סיסמת המנהל לשחזור שגוייה. יש לבדוק את הסיסמא ולנסות שוב.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "התקנה ועדכון היישום דרך חנות היישומים או ענן שיתוף מאוגד", - "Federated Cloud Sharing" : "ענן שיתוף מאוגד", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL משתמש בגרסה %s ישנה (%s). יש לעדכן את מערכת ההפעלה או שתכונות כדוגמת %s לא יעבדו באופן מהימן.", - "A problem occurred, please check your log files (Error: %s)" : "אירעה בעיה, יש לבדוק את לוג הקבצים (שגיאה: %s)", - "Migration Completed" : "המרה הושלמה", - "Group already exists." : "קבוצה כבר קיימת.", - "Unable to add group." : "לא ניתן להוסיף קבוצה.", - "Unable to delete group." : "לא ניתן למחוק קבוצה.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "בעיה אירעה בשליחת הדואר האלקטרוני. יש לשנות את ההגדרות שלך. (שגיאה: %s)", - "You need to set your user email before being able to send test emails." : "יש להגדיר כתובת דואר אלקטרוני לפני שניתן יהיה לשלוח דואר אלקטרוני לבדיקה.", - "Invalid mail address" : "כתובת דואר אלקטרוני לא חוקית", - "A user with that name already exists." : "משתמש בשם זה כבר קיים.", - "Unable to create user." : "לא ניתן ליצור משתמש.", - "Unable to delete user." : "לא ניתן למחוק משתמש.", - "Unable to change full name" : "לא ניתן לשנות שם מלא", - "Your full name has been changed." : "השם המלא שלך הוחלף", - "Forbidden" : "חסום", - "Invalid user" : "שם משתמש לא חוקי", - "Unable to change mail address" : "לא ניתן לשנות כתובת דואר אלקטרוני", - "Email saved" : "הדואר האלקטרוני נשמר", - "Your %s account was created" : "חשבון %s שלך נוצר", - "Couldn't remove app." : "לא ניתן להסיר את היישום.", - "Couldn't update app." : "לא ניתן לעדכן את היישום.", - "Add trusted domain" : "הוספת שם מתחם מהימן", - "Migration in progress. Please wait until the migration is finished" : "המרה בביצוע. יש להמתין עד סיום ההמרה", - "Migration started …" : "המרה החלה...", - "Email sent" : "הודעת הדואר האלקטרוני נשלחה", - "Official" : "רישמי", - "All" : "הכל", - "Update to %s" : "עדכון ל- %s", - "No apps found for your version" : "לא נמצאו יישומים לגרסה שלך", - "The app will be downloaded from the app store" : "היישום ירד מחנות היישומים", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "יישומים מאושרים מפותחים על ידי מפתחים מהימנים ועברו בדיקת הבטחה ראשונית. הם נשמרים באופן פעיל במאגר קוד פתוח והמתזקים שלהם מייעדים אותם לשימוש מזדמן ורגיל.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "יישום זה לא נבדק לבעיות אבטחה והוא חדש או ידוע כלא יציב. התקנת יישום זה הנה על אחריותך בלבד.", - "Error while disabling app" : "אירעה שגיאה בעת נטרול היישום", - "Disable" : "ניטרול", - "Enable" : "הפעלה", - "Error while enabling app" : "שגיאה בעת הפעלת יישום", - "Error while disabling broken app" : "שגיאה בזמן נטרול יישום פגום", - "Updated" : "מעודכן", - "Approved" : "מאושר", - "Experimental" : "ניסיוני", - "No apps found for {query}" : "לא נמצא יישום עבור {query}", - "Disconnect" : "ניתוק", - "Error while loading browser sessions and device tokens" : "שגיאה בזמן טעינת שיחת דפדפן ומחרוזת התקן", - "Error while creating device token" : "שגיאה בזמן יצירת מחרוזת התקן", - "Error while deleting the token" : "שגיאה בזמן מחיקת המחרוזת", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "אירעה שגיאה. יש להעלות תעודת ASCII-encoded PEM.", - "Valid until {date}" : "בתוקף עד ל- {date}", - "Delete" : "מחיקה", - "Select a profile picture" : "יש לבחור תמונת פרופיל", - "Very weak password" : "סיסמא מאוד חלשה", - "Weak password" : "סיסמא חלשה", - "So-so password" : "סיסמא ככה-ככה", - "Good password" : "סיסמא טובה", - "Strong password" : "סיסמא חזקה", - "Groups" : "קבוצות", - "Unable to delete {objName}" : "לא ניתן למחיקה {objName}", - "Error creating group: {message}" : "שגיאה ביצירת קבוצה: {message}", - "A valid group name must be provided" : "יש לספק שם קבוצה תקני", - "deleted {groupName}" : "נמחק {groupName}", - "undo" : "ביטול", - "never" : "לעולם לא", - "deleted {userName}" : "נמחק {userName}", - "Changing the password will result in data loss, because data recovery is not available for this user" : "שינוי הסיסמא יגרום איבוד מידע, וזאת בגלל ששחזור מידע אינו זמין למשתמש זה", - "A valid username must be provided" : "יש לספק שם משתמש תקני", - "Error creating user: {message}" : "שגיאה ביצירת משתמש: {message}", - "A valid password must be provided" : "יש לספק סיסמא תקנית", - "A valid email must be provided" : "יש לספק כתובת דואר אלקטרוני תקנית", - "Developer documentation" : "תיעוד מפתח", - "by %s" : "על ידי %s", - "%s-licensed" : "%s-בעל רישיון", - "Documentation:" : "תיעוד", - "User documentation" : "תיעוד משתמש", - "Admin documentation" : "תיעוד מנהל", - "Visit website" : "ביקור באתר האינטרנט", - "Report a bug" : "דיווח על באג", - "Show description …" : "הצגת תיאור ...", - "Hide description …" : "הסתרת תיאור ...", - "This app has an update available." : "ליישום זה קיים עדכון זמין.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "לא ניתן להתקין את יישום זה כיוון שייחסי התלות הבאים לא התקיימו:", - "Enable only for specific groups" : "אפשר רק לקבוצות מסויימות", - "SSL Root Certificates" : "אישורי אבטחת SSL לנתיב יסוד", - "Common Name" : "שם משותף", - "Valid until" : "בתוקף עד", - "Issued By" : "הוצא על ידי", - "Valid until %s" : "בתוקף עד %s", - "Import root certificate" : "יבוא אישור אבטחה לנתיב יסוד", - "Administrator documentation" : "תיעוד מנהל", - "Online documentation" : "תיעוד מקוון", - "Forum" : "פורום", - "Commercial support" : "תמיכה מסחרית", - "None" : "כלום", - "Login" : "התחברות", - "Plain" : "רגיל", - "NT LAN Manager" : "מנהל רשת NT", - "Email server" : "שרת דואר אלקטרוני", - "Open documentation" : "תיעוד פתוח", - "Send mode" : "מצב שליחה", - "Encryption" : "הצפנה", - "From address" : "מכתובת", - "mail" : "mail", - "Authentication method" : "שיטת אימות", - "Authentication required" : "נדרש אימות", - "Server address" : "כתובת שרת", - "Port" : "שער", - "Credentials" : "פרטי גישה", - "SMTP Username" : "שם משתמש SMTP ", - "SMTP Password" : "סיסמת SMTP", - "Store credentials" : "שמירת אישורים", - "Test email settings" : "בדיקת הגדרות דואר אלקטרוני", - "Send email" : "שליחת דואר אלקטרוני", - "Server-side encryption" : "הצפנת צד שרת", - "Enable server-side encryption" : "הפעלת הצפנה בצד שרת", - "Please read carefully before activating server-side encryption: " : "יש לקרוא בתשומת לב רבה לפני שמפעילים הצפנת צד שרת:", - "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "ברגע שהצפנה מופעלת, כל הקבצים שיועלו לשרת מרגע זה יהיו מוצפנים בשרת. ניתן יהיה לנטרל את ההצפנה בעתיד רק אם מודול ההצפנה תומך בפונקציה זו, וכל התנאים המוקדמים (דהיינו הגדרת מפתח השחזור) מתקיימים.", - "Be aware that encryption always increases the file size." : "תשומת לב לכך שהצפנה בהכרח מגדילה את גודל הקובץ.", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "תמיד טוב ליצור גיבוי קבוע למידע , במקרה של הצפנה יש לוודא שגם מפתחות ההצפנה מגובים עם המידע שלך.", - "This is the final warning: Do you really want to enable encryption?" : "זו הזהרה אחרונה: האם באמת ברצונך להפעיל הצפנה?", - "Enable encryption" : "אפשר הצפנה", - "No encryption module loaded, please enable an encryption module in the app menu." : "לא נמצא מודול הצפנה, יש לאפשר מודול הצפנה בתפריט היישומים.", - "Select default encryption module:" : "יש לבחור מודול הצפנת ברירת מחדל:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה. יש לאפשר את \"מודול הצפנה ברירת מחדש\" ולהריץ 'occ encryption:migrate'", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה.", - "Start migration" : "התחלת המרה", - "Security & setup warnings" : "הזהרות אבטחה והתקנה", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "תצורת קריאה בלבד הופעלה. תצורה זו מונעת קביעת מספר הגדרות באמצעות ממשק האינטרנט. יתר על כן, יש צורך להגדיר ההרשאות כתיבה באופן ידני לכל עדכון.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "זה ככל הנראה נגרם על ידי מאיץ/מטמון כמו Zend OPcache או eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "הגדרות שפה לא יכולות להקבע ככאלה שתומכות ב- UTF-8.", - "All checks passed." : "כל הבדיקות עברו", - "Execute one task with each page loaded" : "יש להפעיל משימה אחת עם כל עמוד שנטען", - "Version" : "גרסה", - "Sharing" : "שיתוף", - "Allow apps to use the Share API" : "לאפשר ליישום להשתמש ב־API השיתוף", - "Allow users to share via link" : "אפשר למשתמשים לשתף באמצעות קישור", - "Allow public uploads" : "אפשר העלאות ציבוריות", - "Enforce password protection" : "חייב הגנת סיסמא", - "Set default expiration date" : "הגדרת תאריך תפוגה ברירת מחדל", - "Expire after " : "פג אחרי", - "days" : "ימים", - "Enforce expiration date" : "חייב תאריך תפוגה", - "Allow resharing" : "לאפשר שיתוף מחדש", - "Allow sharing with groups" : "מאפשר שיתוף עם קבוצות", - "Restrict users to only share with users in their groups" : "הגבלת משתמשים לשתף רק עם משתמשים בקבוצה שלהם", - "Exclude groups from sharing" : "מניעת קבוצות משיתוף", - "These groups will still be able to receive shares, but not to initiate them." : "קבוצות אלו עדיין יוכלו לקבל שיתופים, אך לא לשתף בעצמם.", - "Tips & tricks" : "עצות ותחבולות", - "How to do backups" : "איך לבצע גיבויים", - "Performance tuning" : "כוונון ביצועים", - "Improving the config.php" : "שיפור קובץ config.php", - "Theming" : "ערכת נושא", - "Hardening and security guidance" : "הדרכת הקשחה ואבטחה", - "You are using %s of %s" : "הנך משתמש ב- %s מתוך %s", - "Profile picture" : "תמונת פרופיל", - "Upload new" : "העלאת חדש", - "Select from Files" : "בחירה מתוך קבצים", - "Remove image" : "הסרת תמונה", - "png or jpg, max. 20 MB" : "png או jpg, מקסימום 20 מגה-בייט", - "Picture provided by original account" : "תמונה סופקה על ידי חשבון מקור", - "Cancel" : "ביטול", - "Choose as profile picture" : "יש לבחור כתמונת פרופיל", - "Full name" : "שם מלא", - "No display name set" : "לא נקבע שם תצוגה", - "Email" : "דואר אלקטרוני", - "Your email address" : "כתובת הדואר האלקטרוני שלך", - "No email address set" : "לא נקבעה כתובת דואר אלקטרוני", - "You are member of the following groups:" : "הקבוצות הבאות כוללות אותך:", - "Language" : "שפה", - "Help translate" : "עזרה בתרגום", - "Password" : "סיסמא", - "Current password" : "סיסמא נוכחית", - "New password" : "סיסמא חדשה", - "Change password" : "שינוי סיסמא", - "App name" : "שם יישום", - "Create new app password" : "יצירת סיסמת יישום חדשה", - "Username" : "שם משתמש", - "Done" : "הסתיים", - "Show storage location" : "הצגת מיקום אחסון", - "Show user backend" : "הצגת צד אחורי למשתמש", - "Show email address" : "הצגת כתובת דואר אלקטרוני", - "Send email to new user" : "שליחת דואר אלקטרוני למשתמש חדש", - "E-Mail" : "דואר אלקטרוני", - "Create" : "יצירה", - "Admin Recovery Password" : "סיסמת השחזור של המנהל", - "Enter the recovery password in order to recover the users files during password change" : "יש להכניס את סיסמת השחזור לצורך שחזור של קבצי המשתמש במהלך החלפת סיסמא", - "Everyone" : "כולם", - "Admins" : "מנהלים", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "יש להכניס מכסת אחסון (לדוגמא: \"512 MB\" or \"12 GB\")", - "Unlimited" : "ללא הגבלה", - "Other" : "אחר", - "Quota" : "מכסה", - "change full name" : "שינוי שם מלא", - "set new password" : "הגדרת סיסמא חדשה", - "change email address" : "שינוי כתובת דואר אלקטרוני", - "Default" : "ברירת מחדל" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/hr.js b/settings/l10n/hr.js deleted file mode 100644 index 3d378ca791995..0000000000000 --- a/settings/l10n/hr.js +++ /dev/null @@ -1,109 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Pogrešna lozinka", - "Saved" : "Spremljeno", - "No user supplied" : "Nijedan korisnik nije dostavljen", - "Unable to change password" : "Promjena lozinke nije moguća", - "Authentication error" : "Pogrešna autentikacija", - "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za oporavak. Molimo provjerite lozinku i pokušajte ponovno.", - "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu e-poštu trebate postaviti svoj korisnički email.", - "Unable to change full name" : "Puno ime nije moguće promijeniti.", - "Your full name has been changed." : "Vaše puno ime je promijenjeno.", - "Email saved" : "E-pošta spremljena", - "Couldn't remove app." : "Nije moguće ukloniti app.", - "Couldn't update app." : "Ažuriranje aplikacija nije moguće", - "Add trusted domain" : "Dodajte pouzdanu domenu", - "Email sent" : "E-pošta je poslana", - "All" : "Sve", - "Error while disabling app" : "Pogreška pri onemogućavanju app", - "Disable" : "Onemogućite", - "Enable" : "Omogućite", - "Error while enabling app" : "Pogreška pri omogućavanju app", - "Updated" : "Ažurirano", - "Valid until {date}" : "Valid until {date}", - "Delete" : "Izbrišite", - "Select a profile picture" : "Odaberite sliku profila", - "Very weak password" : "Lozinka vrlo slaba", - "Weak password" : "Lozinka slaba", - "So-so password" : "Lozinka tako-tako", - "Good password" : "Lozinka dobra", - "Strong password" : "Lozinka snažna", - "Groups" : "Grupe", - "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", - "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", - "deleted {groupName}" : "izbrisana {groupName}", - "undo" : "poništite", - "never" : "nikad", - "deleted {userName}" : "izbrisano {userName}", - "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", - "A valid password must be provided" : "Nužno je navesti valjanu lozinku", - "Documentation:" : "Dokumentacija:", - "Enable only for specific groups" : "Omogućite samo za specifične grupe", - "Common Name" : "Common Name", - "Valid until" : "Valid until", - "Issued By" : "Issued By", - "Valid until %s" : "Valid until %s", - "Forum" : "Forum", - "None" : "Ništa", - "Login" : "Prijava", - "Plain" : "Čisti tekst", - "NT LAN Manager" : "NT LAN Manager", - "Send mode" : "Način rada za slanje", - "Encryption" : "Šifriranje", - "From address" : "S adrese", - "mail" : "pošta", - "Authentication method" : "Postupak autentikacije", - "Authentication required" : "Potrebna autentikacija", - "Server address" : "Adresa poslužitelja", - "Port" : "Priključak", - "Credentials" : "Vjerodajnice", - "SMTP Username" : "Korisničko ime SMTP", - "SMTP Password" : "Lozinka SMPT", - "Test email settings" : "Postavke za testnu e-poštu", - "Send email" : "Pošaljite e-poštu", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemoriranja kao što je Zend OPcache ilieAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Regionalnu shemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", - "Execute one task with each page loaded" : "Izvršite jedan zadatak sa svakom učitanom stranicom", - "Version" : "Verzija", - "Sharing" : "Dijeljenje zajedničkih resursa", - "Allow apps to use the Share API" : "Dopustite apps korištenje Share API", - "Allow users to share via link" : "Dopustite korisnicia dijeljenje putem veze", - "Allow public uploads" : "Dopustite javno učitavanje sadržaja", - "Enforce password protection" : "Nametnite zaštitu lozinki", - "Set default expiration date" : "Postavite zadani datum isteka", - "Expire after " : "Istek nakon", - "days" : "dana", - "Enforce expiration date" : "Nametnite datum isteka", - "Allow resharing" : "Dopustite ponovno dijeljenje zajedničkih resursa", - "Restrict users to only share with users in their groups" : "Ograničite korisnike na meusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", - "Exclude groups from sharing" : "Isključite grupe iz dijeljenja zajedničkih resursa", - "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe još uvijek moći primati dijeljene resurse, ali ne i inicirati ih", - "Profile picture" : "Slika profila", - "Upload new" : "Učitajte novu", - "Remove image" : "Uklonite sliku", - "Cancel" : "Odustanite", - "Email" : "E-pošta", - "Your email address" : "Vaša adresa e-pošte", - "Language" : "Jezik", - "Help translate" : "Pomozite prevesti", - "Password" : "Lozinka", - "Current password" : "Trenutna lozinka", - "New password" : "Nova lozinka", - "Change password" : "Promijenite lozinku", - "Username" : "Korisničko ime", - "Show storage location" : "Prikaži mjesto pohrane", - "Create" : "Kreirajte", - "Admin Recovery Password" : "Admin lozinka za oporavak", - "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tijekom promjene lozinke", - "Everyone" : "Svi", - "Admins" : "Admins", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molimo unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", - "Unlimited" : "Neograničeno", - "Other" : "Ostalo", - "Quota" : "Kvota", - "change full name" : "promijenite puno ime", - "set new password" : "postavite novu lozinku", - "Default" : "Zadano" -}, -"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); diff --git a/settings/l10n/hr.json b/settings/l10n/hr.json deleted file mode 100644 index 27e488e7e367a..0000000000000 --- a/settings/l10n/hr.json +++ /dev/null @@ -1,107 +0,0 @@ -{ "translations": { - "Wrong password" : "Pogrešna lozinka", - "Saved" : "Spremljeno", - "No user supplied" : "Nijedan korisnik nije dostavljen", - "Unable to change password" : "Promjena lozinke nije moguća", - "Authentication error" : "Pogrešna autentikacija", - "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za oporavak. Molimo provjerite lozinku i pokušajte ponovno.", - "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu e-poštu trebate postaviti svoj korisnički email.", - "Unable to change full name" : "Puno ime nije moguće promijeniti.", - "Your full name has been changed." : "Vaše puno ime je promijenjeno.", - "Email saved" : "E-pošta spremljena", - "Couldn't remove app." : "Nije moguće ukloniti app.", - "Couldn't update app." : "Ažuriranje aplikacija nije moguće", - "Add trusted domain" : "Dodajte pouzdanu domenu", - "Email sent" : "E-pošta je poslana", - "All" : "Sve", - "Error while disabling app" : "Pogreška pri onemogućavanju app", - "Disable" : "Onemogućite", - "Enable" : "Omogućite", - "Error while enabling app" : "Pogreška pri omogućavanju app", - "Updated" : "Ažurirano", - "Valid until {date}" : "Valid until {date}", - "Delete" : "Izbrišite", - "Select a profile picture" : "Odaberite sliku profila", - "Very weak password" : "Lozinka vrlo slaba", - "Weak password" : "Lozinka slaba", - "So-so password" : "Lozinka tako-tako", - "Good password" : "Lozinka dobra", - "Strong password" : "Lozinka snažna", - "Groups" : "Grupe", - "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", - "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", - "deleted {groupName}" : "izbrisana {groupName}", - "undo" : "poništite", - "never" : "nikad", - "deleted {userName}" : "izbrisano {userName}", - "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", - "A valid password must be provided" : "Nužno je navesti valjanu lozinku", - "Documentation:" : "Dokumentacija:", - "Enable only for specific groups" : "Omogućite samo za specifične grupe", - "Common Name" : "Common Name", - "Valid until" : "Valid until", - "Issued By" : "Issued By", - "Valid until %s" : "Valid until %s", - "Forum" : "Forum", - "None" : "Ništa", - "Login" : "Prijava", - "Plain" : "Čisti tekst", - "NT LAN Manager" : "NT LAN Manager", - "Send mode" : "Način rada za slanje", - "Encryption" : "Šifriranje", - "From address" : "S adrese", - "mail" : "pošta", - "Authentication method" : "Postupak autentikacije", - "Authentication required" : "Potrebna autentikacija", - "Server address" : "Adresa poslužitelja", - "Port" : "Priključak", - "Credentials" : "Vjerodajnice", - "SMTP Username" : "Korisničko ime SMTP", - "SMTP Password" : "Lozinka SMPT", - "Test email settings" : "Postavke za testnu e-poštu", - "Send email" : "Pošaljite e-poštu", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemoriranja kao što je Zend OPcache ilieAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Regionalnu shemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", - "Execute one task with each page loaded" : "Izvršite jedan zadatak sa svakom učitanom stranicom", - "Version" : "Verzija", - "Sharing" : "Dijeljenje zajedničkih resursa", - "Allow apps to use the Share API" : "Dopustite apps korištenje Share API", - "Allow users to share via link" : "Dopustite korisnicia dijeljenje putem veze", - "Allow public uploads" : "Dopustite javno učitavanje sadržaja", - "Enforce password protection" : "Nametnite zaštitu lozinki", - "Set default expiration date" : "Postavite zadani datum isteka", - "Expire after " : "Istek nakon", - "days" : "dana", - "Enforce expiration date" : "Nametnite datum isteka", - "Allow resharing" : "Dopustite ponovno dijeljenje zajedničkih resursa", - "Restrict users to only share with users in their groups" : "Ograničite korisnike na meusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", - "Exclude groups from sharing" : "Isključite grupe iz dijeljenja zajedničkih resursa", - "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe još uvijek moći primati dijeljene resurse, ali ne i inicirati ih", - "Profile picture" : "Slika profila", - "Upload new" : "Učitajte novu", - "Remove image" : "Uklonite sliku", - "Cancel" : "Odustanite", - "Email" : "E-pošta", - "Your email address" : "Vaša adresa e-pošte", - "Language" : "Jezik", - "Help translate" : "Pomozite prevesti", - "Password" : "Lozinka", - "Current password" : "Trenutna lozinka", - "New password" : "Nova lozinka", - "Change password" : "Promijenite lozinku", - "Username" : "Korisničko ime", - "Show storage location" : "Prikaži mjesto pohrane", - "Create" : "Kreirajte", - "Admin Recovery Password" : "Admin lozinka za oporavak", - "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tijekom promjene lozinke", - "Everyone" : "Svi", - "Admins" : "Admins", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molimo unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", - "Unlimited" : "Neograničeno", - "Other" : "Ostalo", - "Quota" : "Kvota", - "change full name" : "promijenite puno ime", - "set new password" : "postavite novu lozinku", - "Default" : "Zadano" -},"pluralForm" :"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;" -} \ No newline at end of file diff --git a/settings/l10n/hy.js b/settings/l10n/hy.js deleted file mode 100644 index 5395b53505a67..0000000000000 --- a/settings/l10n/hy.js +++ /dev/null @@ -1,26 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Սխալ գաղտնաբառ", - "Saved" : "Պահված", - "Unable to change password" : "Չկարողացա փոխել գաղտնաբառը", - "Delete" : "Ջնջել", - "Very weak password" : "Շատ թույլ գաղտնաբառ", - "Weak password" : "Թույլ գաղտնաբառ", - "So-so password" : "Միջինոտ գաղտնաբառ", - "Good password" : "Լավ գաղտնաբառ", - "Strong password" : "Ուժեղ գաղտնաբառ", - "Groups" : "Խմբեր", - "never" : "երբեք", - "days" : "օր", - "Cancel" : "Չեղարկել", - "Email" : "Էլ. հասցե", - "Language" : "Լեզու", - "Help translate" : "Օգնել թարգմանել", - "Password" : "Գաղտնաբառ", - "New password" : "Նոր գաղտնաբառ", - "Change password" : "Փոխել գաղտնաբառը", - "Username" : "Օգտանուն", - "Other" : "Այլ" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/hy.json b/settings/l10n/hy.json deleted file mode 100644 index d315d9bbc63ab..0000000000000 --- a/settings/l10n/hy.json +++ /dev/null @@ -1,24 +0,0 @@ -{ "translations": { - "Wrong password" : "Սխալ գաղտնաբառ", - "Saved" : "Պահված", - "Unable to change password" : "Չկարողացա փոխել գաղտնաբառը", - "Delete" : "Ջնջել", - "Very weak password" : "Շատ թույլ գաղտնաբառ", - "Weak password" : "Թույլ գաղտնաբառ", - "So-so password" : "Միջինոտ գաղտնաբառ", - "Good password" : "Լավ գաղտնաբառ", - "Strong password" : "Ուժեղ գաղտնաբառ", - "Groups" : "Խմբեր", - "never" : "երբեք", - "days" : "օր", - "Cancel" : "Չեղարկել", - "Email" : "Էլ. հասցե", - "Language" : "Լեզու", - "Help translate" : "Օգնել թարգմանել", - "Password" : "Գաղտնաբառ", - "New password" : "Նոր գաղտնաբառ", - "Change password" : "Փոխել գաղտնաբառը", - "Username" : "Օգտանուն", - "Other" : "Այլ" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/ia.js b/settings/l10n/ia.js deleted file mode 100644 index c6ced685600ad..0000000000000 --- a/settings/l10n/ia.js +++ /dev/null @@ -1,218 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Contrasigno incorrecte", - "Saved" : "Salveguardate", - "No user supplied" : "Nulle usator fornite", - "Unable to change password" : "Impossibile cambiar contrasigno", - "Authentication error" : "Error in authentication", - "Wrong admin recovery password. Please check the password and try again." : "Le contrasigno administrator pro recuperation de datos es incorrecte. Per favor, verifica le contrasigno e tenta de novo.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "Installation e actualisation de applicationes via le App Store o Compartimento del Nube Federate", - "Federated Cloud Sharing" : "Compartimento del Nube Federate", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL usa %s in un version obsolete (%s). Per favor, actualisa tu systema operative, o functiones tal como %s non functionara fidedignemente.", - "A problem occurred, please check your log files (Error: %s)" : "Un problema occurreva, per favor verifica tu files de registro (Error: %s)", - "Migration Completed" : "Migration completate", - "Group already exists." : "Gruppo ja existe.", - "Unable to add group." : "Impossibile adder gruppo.", - "Unable to delete group." : "Impossibile deler gruppo.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Un problema occurreva durante le invio del e-posta. Per favor, revide tu configurationes. (Error: %s)", - "You need to set your user email before being able to send test emails." : "Tu debe configurar tu e-posta de usator ante esser capace a inviar e-posta de test.", - "Invalid mail address" : "Adresse de e-posta non valide", - "No valid group selected" : "Nulle gruppo valide selectionate", - "A user with that name already exists." : "Un usator con iste nomine ja existe.", - "Unable to create user." : "Impossibile crear usator.", - "Unable to delete user." : "Impossibile deler usator.", - "Settings saved" : "Configurationes salveguardate", - "Unable to change full name" : "Impossibile cambiar nomine complete", - "Unable to change email address" : "Impossibile cambiar adresse de e-posta", - "Your full name has been changed." : "Tu nomine complete esseva cambiate.", - "Forbidden" : "Prohibite", - "Invalid user" : "Usator invalide", - "Unable to change mail address" : "Impossibile cambiar adresse de e-posta", - "Email saved" : "E-posta salveguardate", - "Your %s account was created" : "Tu conto %s esseva create", - "Password confirmation is required" : "Un confirmation del contrasigno es necessari", - "Couldn't remove app." : "Impossibile remover application.", - "Couldn't update app." : "Impossibile actualisar application.", - "Are you really sure you want add {domain} as trusted domain?" : "Esque tu es secur que tu vole adder {domain} como dominio fiduciari?", - "Add trusted domain" : "Adder dominio fiduciari", - "Migration in progress. Please wait until the migration is finished" : "Migration in progresso. Per favor, attende usque le migration es finite.", - "Migration started …" : "Migration initiate...", - "Not saved" : "Non salveguardate", - "Email sent" : "Message de e-posta inviate", - "Official" : "Official", - "All" : "Tote", - "Update to %s" : "Actualisar a %s", - "No apps found for your version" : "Nulle application trovate pro tu version", - "Disabling app …" : "Disactivante application ...", - "Error while disabling app" : "Error durante disactivation del application...", - "Disable" : "Disactivar", - "Enable" : "Activar", - "Enabling app …" : "Activante application...", - "Error while enabling app" : "Error durante activation del application...", - "Updated" : "Actualisate", - "Approved" : "Approbate", - "Experimental" : "Experimental", - "No apps found for {query}" : "Nulle application trovate pro {query}", - "Allow filesystem access" : "Permitter accesso a systema de files", - "Disconnect" : "Disconnecter", - "Revoke" : "Revocar", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome pro Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "Cliente iOS", - "Android Client" : "Cliente Android", - "Sync client - {os}" : "Synchronisar cliente - {os}", - "This session" : "Iste session", - "Copy" : "Copiar", - "Copied!" : "Copiate!", - "Not supported!" : "Non supportate!", - "Press ⌘-C to copy." : "Pulsa ⌘-C pro copiar.", - "Press Ctrl-C to copy." : "Pulsa Ctrl-C pro copiar.", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Un error occurreva. Per favor, incarga un certificato PEM codificate in ASCII", - "Valid until {date}" : "Valide usque {date}", - "Delete" : "Deler", - "Local" : "Local", - "Private" : "Private", - "Only visible to local users" : "Solmente visibile a usatores local", - "Only visible to you" : "Solmente visibile a tu", - "Contacts" : "Contactos", - "Visible to local users and to trusted servers" : "Visibile a usatores local e a servitores fiduciari", - "Public" : "Public", - "Select a profile picture" : "Selectiona un pictura de profilo", - "Very weak password" : "Contrasigno multo debile", - "Weak password" : "Contrasigno debile", - "So-so password" : "Contrasigno plus o minus acceptabile", - "Good password" : "Contrasigno bon", - "Strong password" : "Contrasigno forte", - "Groups" : "Gruppos", - "Unable to delete {objName}" : "Impossibile deler {objName}", - "Error creating group: {message}" : "Error durante creation de gruppo: {message}", - "A valid group name must be provided" : "Un nomine de gruppo valide debe esser providite", - "deleted {groupName}" : "{groupName} delite", - "undo" : "disfacer", - "never" : "nunquam", - "deleted {userName}" : "{userName} delite", - "Unable to add user to group {group}" : "Impossibile adder usator a gruppo {group}", - "Unable to remove user from group {group}" : "Impossibile remover usator de gruppo {group}", - "Add group" : "Adder gruppo", - "Invalid quota value \"{val}\"" : "Valor de quota non valide \"{val}\"", - "no group" : "nulle gruppo", - "Password successfully changed" : "Contrasigno cambiate con successo", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Cambiar le contrasigno resultara in perdita de datos, proque le recuperation de datos non es disponibile a iste usator", - "Could not change the users email" : "Impossibile cambiar le adresse de e-posta de usatores", - "A valid username must be provided" : "Un nomine de usator valide debe esser providite", - "Error creating user: {message}" : "Error durante creation de usator: {message}", - "A valid password must be provided" : "Un contrasigno valide debe esser providite", - "A valid email must be provided" : "Un adresse de e-posta valide debe esser providite", - "Developer documentation" : "Documentation de disveloppator", - "by %s" : "per %s", - "%s-licensed" : "Licentiate como %s", - "Documentation:" : "Documentation:", - "User documentation" : "Documentation de usator", - "Admin documentation" : "Documentation de administrator", - "Visit website" : "Visitar sito web", - "Report a bug" : "Reportar un defecto", - "Show description …" : "Monstrar description...", - "Hide description …" : "Celar description...", - "This app has an update available." : "Iste application ha un actualisation disponibile", - "Enable only for specific groups" : "Activar solmente a gruppos specific", - "SSL Root Certificates" : "Certificatos Root SSL", - "Common Name" : "Nomine Commun", - "Valid until" : "Valide usque", - "Issued By" : "Emittite per", - "Valid until %s" : "Valide usque %s", - "Import root certificate" : "Importar certificato root", - "Administrator documentation" : "Documentation de administrator", - "Online documentation" : "Documentation in linea", - "Forum" : "Foro", - "Getting help" : "Obtener adjuta", - "Commercial support" : "Supporto commercial", - "None" : "Nulle", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "Servitor de e-posta", - "Open documentation" : "Aperir documentation", - "Send mode" : "Modo de invio", - "Encryption" : "Cryptographia", - "From address" : "De adresse", - "Authentication method" : "Methodo de authentication", - "Authentication required" : "Authentication requirite", - "Server address" : "Adresse del servitor", - "Port" : "Porto", - "Credentials" : "Datos de authentication", - "SMTP Username" : "Nomine de usator SMTP", - "SMTP Password" : "Contrasigno SMTP", - "Store credentials" : "Salveguardar datos de authentication", - "Test email settings" : "Testar configurationes de e-posta", - "Send email" : "Inviar message de e-posta", - "Enable encryption" : "Activar cryptographia", - "Select default encryption module:" : "Selectionar modulo de cryptographia standard", - "Start migration" : "Initiar migration", - "Security & setup warnings" : "Securitate e advertimentos de configuration", - "Version" : "Version", - "Allow users to share via link" : "Permitter usatores compartir via ligamine", - "Allow public uploads" : "Permitter incargas public", - "Enforce password protection" : "Exiger protection per contrasigno", - "Set default expiration date" : "Assignar data predefinite de expiration", - "Expire after " : "Expirar post", - "days" : "dies", - "Enforce expiration date" : "Exiger data de expiration", - "Tips & tricks" : "Consilios e maneos", - "How to do backups" : "Como facer retrocopias", - "Improving the config.php" : "Meliorante config.php", - "Theming" : "Personalisante themas", - "You are using %s of %s" : "Tu usa %s de %s", - "Profile picture" : "Pictura de profilo", - "Upload new" : "Incargar nove", - "Select from Files" : "Selectionar de Files", - "Remove image" : "Remover imagine", - "png or jpg, max. 20 MB" : "formato png o jpg, dimension maxime 20 MB", - "Picture provided by original account" : "Pictura fornite per conto original", - "Cancel" : "Cancellar", - "Choose as profile picture" : "Selectiona como pictura de profilo", - "Full name" : "Nomine complete", - "Email" : "E-posta", - "Your email address" : "Tu adresse de e-posta", - "No email address set" : "Nulle adresse de e-posta definite", - "For password reset and notifications" : "Pro reinitialisation de contrasigno e invio de notificationes", - "Phone number" : "Numero de telephono", - "Your phone number" : "Tu numero de telephono", - "Address" : "Adresse", - "Your postal address" : "Tu adresse postal", - "Website" : "Sito web", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Tu es membro del sequente gruppos:", - "Language" : "Lingua", - "Help translate" : "Adjuta a traducer", - "Password" : "Contrasigno", - "Current password" : "Contrasigno actual", - "New password" : "Nove contrasigno", - "Change password" : "Cambiar contrasigno", - "Device" : "Dispositivo", - "Last activity" : "Ultime activitate", - "App name" : "Nomine del application", - "Create new app password" : "Crear un nove contrasigno pro application", - "Use the credentials below to configure your app or device." : "Usa le datos de authentication infra pro configurar tu application o dispositivo.", - "Username" : "Nomine de usator", - "Done" : "Preste", - "Show storage location" : "Monstrar loco de immagazinage", - "Show email address" : "Monstrar adresse de e-posta", - "Send email to new user" : "Inviar message de e-posta a nove usator", - "E-Mail" : "E-posta", - "Create" : "Crear", - "Admin Recovery Password" : "Recuperation de Contrasigno del Administrator", - "Everyone" : "Totos", - "Admins" : "Administratores", - "Default quota" : "Quota predefinite", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Per favor, scribe le quota de immagazinage (p.ex. \"512 MB\" o \"12 GB\")", - "Unlimited" : "Ilimitate", - "Other" : "Altere", - "Quota" : "Quota" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ia.json b/settings/l10n/ia.json deleted file mode 100644 index b52fb85501075..0000000000000 --- a/settings/l10n/ia.json +++ /dev/null @@ -1,216 +0,0 @@ -{ "translations": { - "Wrong password" : "Contrasigno incorrecte", - "Saved" : "Salveguardate", - "No user supplied" : "Nulle usator fornite", - "Unable to change password" : "Impossibile cambiar contrasigno", - "Authentication error" : "Error in authentication", - "Wrong admin recovery password. Please check the password and try again." : "Le contrasigno administrator pro recuperation de datos es incorrecte. Per favor, verifica le contrasigno e tenta de novo.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "Installation e actualisation de applicationes via le App Store o Compartimento del Nube Federate", - "Federated Cloud Sharing" : "Compartimento del Nube Federate", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL usa %s in un version obsolete (%s). Per favor, actualisa tu systema operative, o functiones tal como %s non functionara fidedignemente.", - "A problem occurred, please check your log files (Error: %s)" : "Un problema occurreva, per favor verifica tu files de registro (Error: %s)", - "Migration Completed" : "Migration completate", - "Group already exists." : "Gruppo ja existe.", - "Unable to add group." : "Impossibile adder gruppo.", - "Unable to delete group." : "Impossibile deler gruppo.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Un problema occurreva durante le invio del e-posta. Per favor, revide tu configurationes. (Error: %s)", - "You need to set your user email before being able to send test emails." : "Tu debe configurar tu e-posta de usator ante esser capace a inviar e-posta de test.", - "Invalid mail address" : "Adresse de e-posta non valide", - "No valid group selected" : "Nulle gruppo valide selectionate", - "A user with that name already exists." : "Un usator con iste nomine ja existe.", - "Unable to create user." : "Impossibile crear usator.", - "Unable to delete user." : "Impossibile deler usator.", - "Settings saved" : "Configurationes salveguardate", - "Unable to change full name" : "Impossibile cambiar nomine complete", - "Unable to change email address" : "Impossibile cambiar adresse de e-posta", - "Your full name has been changed." : "Tu nomine complete esseva cambiate.", - "Forbidden" : "Prohibite", - "Invalid user" : "Usator invalide", - "Unable to change mail address" : "Impossibile cambiar adresse de e-posta", - "Email saved" : "E-posta salveguardate", - "Your %s account was created" : "Tu conto %s esseva create", - "Password confirmation is required" : "Un confirmation del contrasigno es necessari", - "Couldn't remove app." : "Impossibile remover application.", - "Couldn't update app." : "Impossibile actualisar application.", - "Are you really sure you want add {domain} as trusted domain?" : "Esque tu es secur que tu vole adder {domain} como dominio fiduciari?", - "Add trusted domain" : "Adder dominio fiduciari", - "Migration in progress. Please wait until the migration is finished" : "Migration in progresso. Per favor, attende usque le migration es finite.", - "Migration started …" : "Migration initiate...", - "Not saved" : "Non salveguardate", - "Email sent" : "Message de e-posta inviate", - "Official" : "Official", - "All" : "Tote", - "Update to %s" : "Actualisar a %s", - "No apps found for your version" : "Nulle application trovate pro tu version", - "Disabling app …" : "Disactivante application ...", - "Error while disabling app" : "Error durante disactivation del application...", - "Disable" : "Disactivar", - "Enable" : "Activar", - "Enabling app …" : "Activante application...", - "Error while enabling app" : "Error durante activation del application...", - "Updated" : "Actualisate", - "Approved" : "Approbate", - "Experimental" : "Experimental", - "No apps found for {query}" : "Nulle application trovate pro {query}", - "Allow filesystem access" : "Permitter accesso a systema de files", - "Disconnect" : "Disconnecter", - "Revoke" : "Revocar", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome pro Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "Cliente iOS", - "Android Client" : "Cliente Android", - "Sync client - {os}" : "Synchronisar cliente - {os}", - "This session" : "Iste session", - "Copy" : "Copiar", - "Copied!" : "Copiate!", - "Not supported!" : "Non supportate!", - "Press ⌘-C to copy." : "Pulsa ⌘-C pro copiar.", - "Press Ctrl-C to copy." : "Pulsa Ctrl-C pro copiar.", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Un error occurreva. Per favor, incarga un certificato PEM codificate in ASCII", - "Valid until {date}" : "Valide usque {date}", - "Delete" : "Deler", - "Local" : "Local", - "Private" : "Private", - "Only visible to local users" : "Solmente visibile a usatores local", - "Only visible to you" : "Solmente visibile a tu", - "Contacts" : "Contactos", - "Visible to local users and to trusted servers" : "Visibile a usatores local e a servitores fiduciari", - "Public" : "Public", - "Select a profile picture" : "Selectiona un pictura de profilo", - "Very weak password" : "Contrasigno multo debile", - "Weak password" : "Contrasigno debile", - "So-so password" : "Contrasigno plus o minus acceptabile", - "Good password" : "Contrasigno bon", - "Strong password" : "Contrasigno forte", - "Groups" : "Gruppos", - "Unable to delete {objName}" : "Impossibile deler {objName}", - "Error creating group: {message}" : "Error durante creation de gruppo: {message}", - "A valid group name must be provided" : "Un nomine de gruppo valide debe esser providite", - "deleted {groupName}" : "{groupName} delite", - "undo" : "disfacer", - "never" : "nunquam", - "deleted {userName}" : "{userName} delite", - "Unable to add user to group {group}" : "Impossibile adder usator a gruppo {group}", - "Unable to remove user from group {group}" : "Impossibile remover usator de gruppo {group}", - "Add group" : "Adder gruppo", - "Invalid quota value \"{val}\"" : "Valor de quota non valide \"{val}\"", - "no group" : "nulle gruppo", - "Password successfully changed" : "Contrasigno cambiate con successo", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Cambiar le contrasigno resultara in perdita de datos, proque le recuperation de datos non es disponibile a iste usator", - "Could not change the users email" : "Impossibile cambiar le adresse de e-posta de usatores", - "A valid username must be provided" : "Un nomine de usator valide debe esser providite", - "Error creating user: {message}" : "Error durante creation de usator: {message}", - "A valid password must be provided" : "Un contrasigno valide debe esser providite", - "A valid email must be provided" : "Un adresse de e-posta valide debe esser providite", - "Developer documentation" : "Documentation de disveloppator", - "by %s" : "per %s", - "%s-licensed" : "Licentiate como %s", - "Documentation:" : "Documentation:", - "User documentation" : "Documentation de usator", - "Admin documentation" : "Documentation de administrator", - "Visit website" : "Visitar sito web", - "Report a bug" : "Reportar un defecto", - "Show description …" : "Monstrar description...", - "Hide description …" : "Celar description...", - "This app has an update available." : "Iste application ha un actualisation disponibile", - "Enable only for specific groups" : "Activar solmente a gruppos specific", - "SSL Root Certificates" : "Certificatos Root SSL", - "Common Name" : "Nomine Commun", - "Valid until" : "Valide usque", - "Issued By" : "Emittite per", - "Valid until %s" : "Valide usque %s", - "Import root certificate" : "Importar certificato root", - "Administrator documentation" : "Documentation de administrator", - "Online documentation" : "Documentation in linea", - "Forum" : "Foro", - "Getting help" : "Obtener adjuta", - "Commercial support" : "Supporto commercial", - "None" : "Nulle", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "Servitor de e-posta", - "Open documentation" : "Aperir documentation", - "Send mode" : "Modo de invio", - "Encryption" : "Cryptographia", - "From address" : "De adresse", - "Authentication method" : "Methodo de authentication", - "Authentication required" : "Authentication requirite", - "Server address" : "Adresse del servitor", - "Port" : "Porto", - "Credentials" : "Datos de authentication", - "SMTP Username" : "Nomine de usator SMTP", - "SMTP Password" : "Contrasigno SMTP", - "Store credentials" : "Salveguardar datos de authentication", - "Test email settings" : "Testar configurationes de e-posta", - "Send email" : "Inviar message de e-posta", - "Enable encryption" : "Activar cryptographia", - "Select default encryption module:" : "Selectionar modulo de cryptographia standard", - "Start migration" : "Initiar migration", - "Security & setup warnings" : "Securitate e advertimentos de configuration", - "Version" : "Version", - "Allow users to share via link" : "Permitter usatores compartir via ligamine", - "Allow public uploads" : "Permitter incargas public", - "Enforce password protection" : "Exiger protection per contrasigno", - "Set default expiration date" : "Assignar data predefinite de expiration", - "Expire after " : "Expirar post", - "days" : "dies", - "Enforce expiration date" : "Exiger data de expiration", - "Tips & tricks" : "Consilios e maneos", - "How to do backups" : "Como facer retrocopias", - "Improving the config.php" : "Meliorante config.php", - "Theming" : "Personalisante themas", - "You are using %s of %s" : "Tu usa %s de %s", - "Profile picture" : "Pictura de profilo", - "Upload new" : "Incargar nove", - "Select from Files" : "Selectionar de Files", - "Remove image" : "Remover imagine", - "png or jpg, max. 20 MB" : "formato png o jpg, dimension maxime 20 MB", - "Picture provided by original account" : "Pictura fornite per conto original", - "Cancel" : "Cancellar", - "Choose as profile picture" : "Selectiona como pictura de profilo", - "Full name" : "Nomine complete", - "Email" : "E-posta", - "Your email address" : "Tu adresse de e-posta", - "No email address set" : "Nulle adresse de e-posta definite", - "For password reset and notifications" : "Pro reinitialisation de contrasigno e invio de notificationes", - "Phone number" : "Numero de telephono", - "Your phone number" : "Tu numero de telephono", - "Address" : "Adresse", - "Your postal address" : "Tu adresse postal", - "Website" : "Sito web", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Tu es membro del sequente gruppos:", - "Language" : "Lingua", - "Help translate" : "Adjuta a traducer", - "Password" : "Contrasigno", - "Current password" : "Contrasigno actual", - "New password" : "Nove contrasigno", - "Change password" : "Cambiar contrasigno", - "Device" : "Dispositivo", - "Last activity" : "Ultime activitate", - "App name" : "Nomine del application", - "Create new app password" : "Crear un nove contrasigno pro application", - "Use the credentials below to configure your app or device." : "Usa le datos de authentication infra pro configurar tu application o dispositivo.", - "Username" : "Nomine de usator", - "Done" : "Preste", - "Show storage location" : "Monstrar loco de immagazinage", - "Show email address" : "Monstrar adresse de e-posta", - "Send email to new user" : "Inviar message de e-posta a nove usator", - "E-Mail" : "E-posta", - "Create" : "Crear", - "Admin Recovery Password" : "Recuperation de Contrasigno del Administrator", - "Everyone" : "Totos", - "Admins" : "Administratores", - "Default quota" : "Quota predefinite", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Per favor, scribe le quota de immagazinage (p.ex. \"512 MB\" o \"12 GB\")", - "Unlimited" : "Ilimitate", - "Other" : "Altere", - "Quota" : "Quota" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/id.js b/settings/l10n/id.js deleted file mode 100644 index 70cf248da1bcd..0000000000000 --- a/settings/l10n/id.js +++ /dev/null @@ -1,256 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} ganti kata sandi anda", - "You changed your password" : "Anda mengganti kata sandi", - "Your password was reset by an administrator" : "Kata sandi anda telah diatur ulang oleh administrator", - "{actor} changed your email address" : "{actor} merubah alamat email anda", - "Your apps" : "Aplikasi anda", - "Enabled apps" : "Aktifkan Aplikasi", - "Disabled apps" : "Matikan Aplikasi", - "Wrong password" : "Kata sandi salah", - "Saved" : "Disimpan", - "No user supplied" : "Tidak ada pengguna yang diberikan", - "Unable to change password" : "Tidak dapat mengubah kata sandi", - "Authentication error" : "Terjadi kesalahan saat otentikasi", - "Wrong admin recovery password. Please check the password and try again." : "Kata sandi pemulihan admin salah. Periksa kata sandi dan ulangi kembali.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "memasang dan memperbarui aplikasi via toko aplikasi atau Federated Cloud Sharing", - "Federated Cloud Sharing" : "Federated Cloud Sharing", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL menggunakan versi lawas %s (%s). Silakan perbarui sistem operasi Anda atau fitur-fitur seperti %s tidak akan dapat bekerja dengan benar.", - "A problem occurred, please check your log files (Error: %s)" : "Terjadi masalah, mohon periksa berkas log Anda (Kesalahan: %s)", - "Migration Completed" : "Migrasi Selesai", - "Group already exists." : "Grup sudah ada.", - "Unable to add group." : "Tidak dapat menambah grup.", - "Unable to delete group." : "Tidak dapat menghapus grup.", - "Invalid SMTP password." : "Kata sandi SMTP tidak cocok", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Terjadi masalah saat mengirim email. Mohon periksa kembali pengaturan Anda. (Kesalahan: %s)", - "You need to set your user email before being able to send test emails." : "Anda perlu menetapkan email pengguna Anda sebelum dapat mengirim email percobaan.", - "Invalid mail address" : "Alamat email salah", - "A user with that name already exists." : "Pengguna dengan nama tersebut sudah ada.", - "Unable to create user." : "Tidak dapat membuat pengguna.", - "Unable to delete user." : "Tidak dapat menghapus pengguna.", - "Unable to change full name" : "Tidak dapat mengubah nama lengkap", - "Your full name has been changed." : "Nama lengkap Anda telah diubah", - "Forbidden" : "Terlarang", - "Invalid user" : "Pengguna salah", - "Unable to change mail address" : "Tidak dapat mengubah alamat email", - "Email saved" : "Email disimpan", - "Your %s account was created" : "Akun %s Anda telah dibuat", - "Couldn't remove app." : "Tidak dapat menghapus aplikasi.", - "Couldn't update app." : "Tidak dapat memperbarui aplikasi.", - "Add trusted domain" : "Tambah domain terpercaya", - "Migration in progress. Please wait until the migration is finished" : "Migrasi sedang dalam proses. Mohon tunggu sampai migrasi selesai.", - "Migration started …" : "Migrasi dimulai ...", - "Sending…" : "Mengirim...", - "Email sent" : "Email terkirim", - "Official" : "Resmi", - "All" : "Semua", - "Update to %s" : "Perbarui ke %s", - "No apps found for your version" : "Aplikasi tidak ditemukan untuk versi ini.", - "The app will be downloaded from the app store" : "Aplikasi akan diunduh melalui toko aplikasi", - "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Aplikasi resmi dikembangkan oleh dan didalam komunitas. Mereka menawarkan fungsi sentral dan siap untuk penggunaan produksi.", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Aplikasi tersetujui dikembangkan oleh pengembang terpercaya dan telah lulus pemeriksaan keamanan. Mereka secara aktif dipelihara direpositori kode terbuka dan pemelihara sudah memastikan mereka stabil untuk penggunaan normal.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Apl ini belum diperiksa masalah keamanannya dan masih baru atau biasanya tidak stabil. Instal dengan resiko Anda sendiri.", - "Error while disabling app" : "Terjadi kesalahan saat menonaktifkan aplikasi", - "Disable" : "Nonaktifkan", - "Enable" : "Aktifkan", - "Error while enabling app" : "Terjadi kesalahan saat mengakifkan aplikasi", - "Error while disabling broken app" : "Terjadi kesalahan saat menonaktifkan aplikasi rusak", - "Updated" : "Diperbarui", - "Remove" : "Hapus", - "Approved" : "Disetujui", - "Experimental" : "Uji Coba", - "No apps found for {query}" : "Tidak ditemukan aplikasi untuk {query}", - "Disconnect" : "Putuskan", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome untuk Android", - "iOS Client" : "Klien iOS", - "Android Client" : "Klien Android", - "Sync client - {os}" : "Klien sync - {os}", - "This session" : "Sesi ini", - "Copy" : "Salin", - "Copied!" : "Tersalin!", - "Not supported!" : "Tidak didukung!", - "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", - "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", - "Error while loading browser sessions and device tokens" : "Terjadi kesalahan saat memuat sesi browser dan token perangkat", - "Error while creating device token" : "Terjadi kesalahan saat membuat token perangkat", - "Error while deleting the token" : "Terjadi kesalahan saat menghapus token", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Terjadi kesalahan. Mohon unggah sertifikat PEM terenkode-ASCII.", - "Valid until {date}" : "Berlaku sampai {date}", - "Delete" : "Hapus", - "Local" : "Lokal", - "Private" : "Pribadi", - "Contacts" : "Kontak", - "Public" : "Publik", - "Verify" : "Verifikasi", - "Verifying …" : "Sedang memferivikasi...", - "Select a profile picture" : "Pilih foto profil", - "Very weak password" : "Kata sandi sangat lemah", - "Weak password" : "Kata sandi lemah", - "So-so password" : "Kata sandi lumayan", - "Good password" : "Kata sandi baik", - "Strong password" : "Kata sandi kuat", - "Groups" : "Grup", - "Unable to delete {objName}" : "Tidak dapat menghapus {objName}", - "Error creating group: {message}" : "Kesalahan membuat grup: {message}", - "A valid group name must be provided" : "Harus memberikan nama grup yang benar.", - "deleted {groupName}" : "menghapus {groupName}", - "undo" : "urungkan", - "never" : "tidak pernah", - "deleted {userName}" : "menghapus {userName}", - "Add group" : "Tambah grup", - "Invalid quota value \"{val}\"" : "Jumlah kuota tidak valid \"{val}\"", - "no group" : "tanpa grup", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Pengubahan kata sandi akan ditampilkan di data kehilangan, karena data pemulihan tidak tersedia bagi pengguna ini", - "A valid username must be provided" : "Harus memberikan nama pengguna yang benar", - "Error creating user: {message}" : "Gagal membuat pengguna: {message}", - "A valid password must be provided" : "Harus memberikan kata sandi yang benar", - "A valid email must be provided" : "Email yang benar harus diberikan", - "Developer documentation" : "Dokumentasi pengembang", - "by %s" : "oleh %s", - "%s-licensed" : "dilisensikan %s", - "Documentation:" : "Dokumentasi:", - "User documentation" : "Dokumentasi pengguna.", - "Admin documentation" : "Dokumentasi admin", - "Visit website" : "Kunjungi laman web", - "Report a bug" : "Laporkan kerusakan", - "Show description …" : "Tampilkan deskripsi ...", - "Hide description …" : "Sembunyikan deskripsi ...", - "This app has an update available." : "Aplikasi ini dapat diperbarui.", - "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi minimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", - "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi maksimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Apl ini tidak dapat diinstal karena ketergantungan berikut belum terpenuhi:", - "Enable only for specific groups" : "Aktifkan hanya untuk grup tertentu", - "SSL Root Certificates" : "Sertifikat Root SSL", - "Common Name" : "Nama umum", - "Valid until" : "Berlaku sampai", - "Issued By" : "Diterbitkan oleh", - "Valid until %s" : "Berlaku sampai %s", - "Import root certificate" : "Impor sertifikat root", - "Administrator documentation" : "Dokumentasi administrator", - "Online documentation" : "Dokumentasi online", - "Forum" : "Forum", - "Commercial support" : "Dukungan komersial", - "None" : "Tidak ada", - "Login" : "Masuk", - "Plain" : "Biasa", - "NT LAN Manager" : "Manajer NT LAN", - "Email server" : "Server email", - "Open documentation" : "Buka dokumentasi", - "Send mode" : "Modus kirim", - "Encryption" : "Enkripsi", - "From address" : "Dari alamat", - "mail" : "email", - "Authentication method" : "Metode otentikasi", - "Authentication required" : "Diperlukan otentikasi", - "Server address" : "Alamat server", - "Port" : "Port", - "Credentials" : "Kredensial", - "SMTP Username" : "Nama pengguna SMTP", - "SMTP Password" : "Kata sandi SMTP", - "Store credentials" : "Simpan kredensial", - "Test email settings" : "Pengaturan email percobaan", - "Send email" : "Kirim email", - "Server-side encryption" : "Enkripsi sisi-server", - "Enable server-side encryption" : "Aktifkan enkripsi sisi-server", - "Please read carefully before activating server-side encryption: " : "Mohon baca dengan teliti sebelum mengaktifkan enkripsi server-side:", - "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Setelah enkripsi diaktifkan, semua berkas yang diunggah pada server mulai saat ini akan dienkripsi saat singgah pada server. Penonaktifan enkripsi hanya mungkin berhasil jika modul enkripsi yang aktif mendukung fungsi ini dan semua prasyarat (misalnya pengaturan kunci pemulihan) sudah terpenuhi.", - "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Enkripsi saja tidak dapat menjamin keamanan sistem. Silakan lihat dokumentasi untuk informasi lebih lanjut dalam bagaimana aplikasi enkripsi bekerja, dan kasus pendukung.", - "Be aware that encryption always increases the file size." : "Ingat bahwa enkripsi selalu menambah ukuran berkas.", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Alangkah baiknya untuk membuat cadangan data secara rutin, dalam kasus enkripsi, pastikan untuk mencadangkan kunci enkripsi bersama dengan data Anda.", - "This is the final warning: Do you really want to enable encryption?" : "Ini adalah peringatan terakhir: Apakah Anda yakin ingin mengaktifkan enkripsi?", - "Enable encryption" : "Aktifkan enkripsi", - "No encryption module loaded, please enable an encryption module in the app menu." : "Tidak ada modul enkripsi yang dimuat, mohon aktifkan modul enkripsi di menu aplikasi.", - "Select default encryption module:" : "Pilih modul enkripsi baku:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Anda perlu mengganti kunci enkrispi Anda dari enkripsi lama (ownCloud <= 8.0) ke yang baru. Mohon aktifkan \"Modul enkripsi standar\" dan jalankan 'occ encryption:migrate'", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Anda perlu untuk mengubah kunci enkripsi dari enkripsi lama (ownCloud <= 8.0) ke yang baru.", - "Start migration" : "Mulai migrasi", - "Security & setup warnings" : "Peringatan Keamanan & Pengaturan", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Konfig Hanya-Baca telah diaktifkan. Ini akan mencegah setelan beberapa konfigurasi melalui antarmuka-web. Selanjutnya, berkas perlu dibuat dapat-dibaca secara manual untuk setiap pembaruan.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hal ini kemungkinan disebabkan oleh cache/akselerator seperti Zend OPcache atau eAccelerator.", - "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Database Anda tidak dijalankan dengan isolasi transaksi level \"READ COMMITED\". Ini dapat menyebabkan masalah saat banyak tindakan dilakukan secara paralel.", - "System locale can not be set to a one which supports UTF-8." : "Sistem lokal tidak dapat diatur untuk satu yang mendukung UTF-8.", - "All checks passed." : "Semua pemeriksaan lulus.", - "Execute one task with each page loaded" : "Jalankan tugas setiap kali halaman dimuat", - "Version" : "Versi", - "Sharing" : "Berbagi", - "Allow apps to use the Share API" : "Izinkan aplikasi untuk menggunakan API Pembagian", - "Allow users to share via link" : "Izinkan pengguna untuk membagikan via tautan", - "Allow public uploads" : "Izinkan unggahan publik", - "Enforce password protection" : "Berlakukan perlindungan sandi", - "Set default expiration date" : "Atur tanggal kadaluarsa default", - "Expire after " : "Kadaluarsa setelah", - "days" : "hari", - "Enforce expiration date" : "Berlakukan tanggal kadaluarsa", - "Allow resharing" : "Izinkan pembagian ulang", - "Allow sharing with groups" : "Izinkan pembagian dengan grup", - "Restrict users to only share with users in their groups" : "Batasi pengguna untuk hanya membagikan dengan pengguna didalam grup mereka", - "Exclude groups from sharing" : "Tidak termasuk grup untuk berbagi", - "These groups will still be able to receive shares, but not to initiate them." : "Grup ini akan tetap dapat menerima berbagi, tatapi tidak dapat membagikan.", - "Tips & tricks" : "Tips & trik", - "How to do backups" : "Bagaimana cara membuat cadangan", - "Performance tuning" : "Pemeliharaan performa", - "Improving the config.php" : "Memperbaiki config.php", - "Theming" : "Tema", - "Hardening and security guidance" : "Panduan Keselamatan dan Keamanan", - "You are using %s of %s" : "Anda sedang menggunakan %s dari %s", - "Profile picture" : "Foto profil", - "Upload new" : "Unggah baru", - "Select from Files" : "Pilih dari berkas", - "Remove image" : "Hapus gambar", - "png or jpg, max. 20 MB" : "png atau jpg, maks. 20 MB", - "Picture provided by original account" : "Gambar disediakan oleh akun asli", - "Cancel" : "Batal", - "Choose as profile picture" : "Pilih sebagai gambar profil", - "Full name" : "Nama lengkap", - "No display name set" : "Nama tampilan tidak diatur", - "Email" : "Email", - "Your email address" : "Alamat email Anda", - "No email address set" : "Alamat email tidak diatur", - "You are member of the following groups:" : "Anda adalah anggota dari grup berikut:", - "Language" : "Bahasa", - "Help translate" : "Bantu menerjemahkan", - "Password" : "Kata sandi", - "Current password" : "Kata sandi saat ini", - "New password" : "Kata sandi baru", - "Change password" : "Ubah kata sandi", - "Web, desktop and mobile clients currently logged in to your account." : "Klien web, desktop dan mobile yang sedang login di akun Anda.", - "Device" : "Perangkat", - "Last activity" : "Aktivitas terakhir", - "App name" : "Nama aplikasi", - "Create new app password" : "Buat kata sandi aplikasi baru", - "Use the credentials below to configure your app or device." : "Gunakan kredensial berikut untuk mengkonfigurasi aplikasi atau perangkat.", - "For security reasons this password will only be shown once." : "Untuk alasan keamanan kata sandi ini akan ditunjukkan hanya sekali.", - "Username" : "Nama pengguna", - "Done" : "Selesai", - "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Dikembangkan oleh {commmunityopen}komunitas Nextcloud{linkclose}, {githubopen}sumber kode{linkclose} dilisensikan dibawah {licenseopen}AGPL{linkclose}.", - "Show storage location" : "Tampilkan kolasi penyimpanan", - "Show user backend" : "Tampilkan pengguna backend", - "Show email address" : "Tampilkan alamat email", - "Send email to new user" : "Kirim email kepada pengguna baru", - "E-Mail" : "E-Mail", - "Create" : "Buat", - "Admin Recovery Password" : "Kata Sandi Pemulihan Admin", - "Enter the recovery password in order to recover the users files during password change" : "Masukkan kata sandi pemulihan untuk memulihkan berkas pengguna saat penggantian kata sandi", - "Everyone" : "Semua orang", - "Admins" : "Admin", - "Default quota" : "Kuota standar", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Silakan masukkan jumlah penyimpanan (contoh: \"512 MB\" atau \"12 GB\")", - "Unlimited" : "Tak terbatas", - "Other" : "Lainnya", - "Group admin for" : "Grup admin untuk", - "Quota" : "Kuota", - "Storage location" : "Lokasi penyimpanan", - "User backend" : "Backend pengguna", - "Last login" : "Log masuk terakhir", - "change full name" : "ubah nama lengkap", - "set new password" : "setel kata sandi baru", - "change email address" : "ubah alamat email", - "Default" : "Default" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/id.json b/settings/l10n/id.json deleted file mode 100644 index 25a3ba228d670..0000000000000 --- a/settings/l10n/id.json +++ /dev/null @@ -1,254 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} ganti kata sandi anda", - "You changed your password" : "Anda mengganti kata sandi", - "Your password was reset by an administrator" : "Kata sandi anda telah diatur ulang oleh administrator", - "{actor} changed your email address" : "{actor} merubah alamat email anda", - "Your apps" : "Aplikasi anda", - "Enabled apps" : "Aktifkan Aplikasi", - "Disabled apps" : "Matikan Aplikasi", - "Wrong password" : "Kata sandi salah", - "Saved" : "Disimpan", - "No user supplied" : "Tidak ada pengguna yang diberikan", - "Unable to change password" : "Tidak dapat mengubah kata sandi", - "Authentication error" : "Terjadi kesalahan saat otentikasi", - "Wrong admin recovery password. Please check the password and try again." : "Kata sandi pemulihan admin salah. Periksa kata sandi dan ulangi kembali.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "memasang dan memperbarui aplikasi via toko aplikasi atau Federated Cloud Sharing", - "Federated Cloud Sharing" : "Federated Cloud Sharing", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL menggunakan versi lawas %s (%s). Silakan perbarui sistem operasi Anda atau fitur-fitur seperti %s tidak akan dapat bekerja dengan benar.", - "A problem occurred, please check your log files (Error: %s)" : "Terjadi masalah, mohon periksa berkas log Anda (Kesalahan: %s)", - "Migration Completed" : "Migrasi Selesai", - "Group already exists." : "Grup sudah ada.", - "Unable to add group." : "Tidak dapat menambah grup.", - "Unable to delete group." : "Tidak dapat menghapus grup.", - "Invalid SMTP password." : "Kata sandi SMTP tidak cocok", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Terjadi masalah saat mengirim email. Mohon periksa kembali pengaturan Anda. (Kesalahan: %s)", - "You need to set your user email before being able to send test emails." : "Anda perlu menetapkan email pengguna Anda sebelum dapat mengirim email percobaan.", - "Invalid mail address" : "Alamat email salah", - "A user with that name already exists." : "Pengguna dengan nama tersebut sudah ada.", - "Unable to create user." : "Tidak dapat membuat pengguna.", - "Unable to delete user." : "Tidak dapat menghapus pengguna.", - "Unable to change full name" : "Tidak dapat mengubah nama lengkap", - "Your full name has been changed." : "Nama lengkap Anda telah diubah", - "Forbidden" : "Terlarang", - "Invalid user" : "Pengguna salah", - "Unable to change mail address" : "Tidak dapat mengubah alamat email", - "Email saved" : "Email disimpan", - "Your %s account was created" : "Akun %s Anda telah dibuat", - "Couldn't remove app." : "Tidak dapat menghapus aplikasi.", - "Couldn't update app." : "Tidak dapat memperbarui aplikasi.", - "Add trusted domain" : "Tambah domain terpercaya", - "Migration in progress. Please wait until the migration is finished" : "Migrasi sedang dalam proses. Mohon tunggu sampai migrasi selesai.", - "Migration started …" : "Migrasi dimulai ...", - "Sending…" : "Mengirim...", - "Email sent" : "Email terkirim", - "Official" : "Resmi", - "All" : "Semua", - "Update to %s" : "Perbarui ke %s", - "No apps found for your version" : "Aplikasi tidak ditemukan untuk versi ini.", - "The app will be downloaded from the app store" : "Aplikasi akan diunduh melalui toko aplikasi", - "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Aplikasi resmi dikembangkan oleh dan didalam komunitas. Mereka menawarkan fungsi sentral dan siap untuk penggunaan produksi.", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Aplikasi tersetujui dikembangkan oleh pengembang terpercaya dan telah lulus pemeriksaan keamanan. Mereka secara aktif dipelihara direpositori kode terbuka dan pemelihara sudah memastikan mereka stabil untuk penggunaan normal.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Apl ini belum diperiksa masalah keamanannya dan masih baru atau biasanya tidak stabil. Instal dengan resiko Anda sendiri.", - "Error while disabling app" : "Terjadi kesalahan saat menonaktifkan aplikasi", - "Disable" : "Nonaktifkan", - "Enable" : "Aktifkan", - "Error while enabling app" : "Terjadi kesalahan saat mengakifkan aplikasi", - "Error while disabling broken app" : "Terjadi kesalahan saat menonaktifkan aplikasi rusak", - "Updated" : "Diperbarui", - "Remove" : "Hapus", - "Approved" : "Disetujui", - "Experimental" : "Uji Coba", - "No apps found for {query}" : "Tidak ditemukan aplikasi untuk {query}", - "Disconnect" : "Putuskan", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome untuk Android", - "iOS Client" : "Klien iOS", - "Android Client" : "Klien Android", - "Sync client - {os}" : "Klien sync - {os}", - "This session" : "Sesi ini", - "Copy" : "Salin", - "Copied!" : "Tersalin!", - "Not supported!" : "Tidak didukung!", - "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", - "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", - "Error while loading browser sessions and device tokens" : "Terjadi kesalahan saat memuat sesi browser dan token perangkat", - "Error while creating device token" : "Terjadi kesalahan saat membuat token perangkat", - "Error while deleting the token" : "Terjadi kesalahan saat menghapus token", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Terjadi kesalahan. Mohon unggah sertifikat PEM terenkode-ASCII.", - "Valid until {date}" : "Berlaku sampai {date}", - "Delete" : "Hapus", - "Local" : "Lokal", - "Private" : "Pribadi", - "Contacts" : "Kontak", - "Public" : "Publik", - "Verify" : "Verifikasi", - "Verifying …" : "Sedang memferivikasi...", - "Select a profile picture" : "Pilih foto profil", - "Very weak password" : "Kata sandi sangat lemah", - "Weak password" : "Kata sandi lemah", - "So-so password" : "Kata sandi lumayan", - "Good password" : "Kata sandi baik", - "Strong password" : "Kata sandi kuat", - "Groups" : "Grup", - "Unable to delete {objName}" : "Tidak dapat menghapus {objName}", - "Error creating group: {message}" : "Kesalahan membuat grup: {message}", - "A valid group name must be provided" : "Harus memberikan nama grup yang benar.", - "deleted {groupName}" : "menghapus {groupName}", - "undo" : "urungkan", - "never" : "tidak pernah", - "deleted {userName}" : "menghapus {userName}", - "Add group" : "Tambah grup", - "Invalid quota value \"{val}\"" : "Jumlah kuota tidak valid \"{val}\"", - "no group" : "tanpa grup", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Pengubahan kata sandi akan ditampilkan di data kehilangan, karena data pemulihan tidak tersedia bagi pengguna ini", - "A valid username must be provided" : "Harus memberikan nama pengguna yang benar", - "Error creating user: {message}" : "Gagal membuat pengguna: {message}", - "A valid password must be provided" : "Harus memberikan kata sandi yang benar", - "A valid email must be provided" : "Email yang benar harus diberikan", - "Developer documentation" : "Dokumentasi pengembang", - "by %s" : "oleh %s", - "%s-licensed" : "dilisensikan %s", - "Documentation:" : "Dokumentasi:", - "User documentation" : "Dokumentasi pengguna.", - "Admin documentation" : "Dokumentasi admin", - "Visit website" : "Kunjungi laman web", - "Report a bug" : "Laporkan kerusakan", - "Show description …" : "Tampilkan deskripsi ...", - "Hide description …" : "Sembunyikan deskripsi ...", - "This app has an update available." : "Aplikasi ini dapat diperbarui.", - "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi minimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", - "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi maksimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Apl ini tidak dapat diinstal karena ketergantungan berikut belum terpenuhi:", - "Enable only for specific groups" : "Aktifkan hanya untuk grup tertentu", - "SSL Root Certificates" : "Sertifikat Root SSL", - "Common Name" : "Nama umum", - "Valid until" : "Berlaku sampai", - "Issued By" : "Diterbitkan oleh", - "Valid until %s" : "Berlaku sampai %s", - "Import root certificate" : "Impor sertifikat root", - "Administrator documentation" : "Dokumentasi administrator", - "Online documentation" : "Dokumentasi online", - "Forum" : "Forum", - "Commercial support" : "Dukungan komersial", - "None" : "Tidak ada", - "Login" : "Masuk", - "Plain" : "Biasa", - "NT LAN Manager" : "Manajer NT LAN", - "Email server" : "Server email", - "Open documentation" : "Buka dokumentasi", - "Send mode" : "Modus kirim", - "Encryption" : "Enkripsi", - "From address" : "Dari alamat", - "mail" : "email", - "Authentication method" : "Metode otentikasi", - "Authentication required" : "Diperlukan otentikasi", - "Server address" : "Alamat server", - "Port" : "Port", - "Credentials" : "Kredensial", - "SMTP Username" : "Nama pengguna SMTP", - "SMTP Password" : "Kata sandi SMTP", - "Store credentials" : "Simpan kredensial", - "Test email settings" : "Pengaturan email percobaan", - "Send email" : "Kirim email", - "Server-side encryption" : "Enkripsi sisi-server", - "Enable server-side encryption" : "Aktifkan enkripsi sisi-server", - "Please read carefully before activating server-side encryption: " : "Mohon baca dengan teliti sebelum mengaktifkan enkripsi server-side:", - "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Setelah enkripsi diaktifkan, semua berkas yang diunggah pada server mulai saat ini akan dienkripsi saat singgah pada server. Penonaktifan enkripsi hanya mungkin berhasil jika modul enkripsi yang aktif mendukung fungsi ini dan semua prasyarat (misalnya pengaturan kunci pemulihan) sudah terpenuhi.", - "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Enkripsi saja tidak dapat menjamin keamanan sistem. Silakan lihat dokumentasi untuk informasi lebih lanjut dalam bagaimana aplikasi enkripsi bekerja, dan kasus pendukung.", - "Be aware that encryption always increases the file size." : "Ingat bahwa enkripsi selalu menambah ukuran berkas.", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Alangkah baiknya untuk membuat cadangan data secara rutin, dalam kasus enkripsi, pastikan untuk mencadangkan kunci enkripsi bersama dengan data Anda.", - "This is the final warning: Do you really want to enable encryption?" : "Ini adalah peringatan terakhir: Apakah Anda yakin ingin mengaktifkan enkripsi?", - "Enable encryption" : "Aktifkan enkripsi", - "No encryption module loaded, please enable an encryption module in the app menu." : "Tidak ada modul enkripsi yang dimuat, mohon aktifkan modul enkripsi di menu aplikasi.", - "Select default encryption module:" : "Pilih modul enkripsi baku:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Anda perlu mengganti kunci enkrispi Anda dari enkripsi lama (ownCloud <= 8.0) ke yang baru. Mohon aktifkan \"Modul enkripsi standar\" dan jalankan 'occ encryption:migrate'", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Anda perlu untuk mengubah kunci enkripsi dari enkripsi lama (ownCloud <= 8.0) ke yang baru.", - "Start migration" : "Mulai migrasi", - "Security & setup warnings" : "Peringatan Keamanan & Pengaturan", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Konfig Hanya-Baca telah diaktifkan. Ini akan mencegah setelan beberapa konfigurasi melalui antarmuka-web. Selanjutnya, berkas perlu dibuat dapat-dibaca secara manual untuk setiap pembaruan.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hal ini kemungkinan disebabkan oleh cache/akselerator seperti Zend OPcache atau eAccelerator.", - "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Database Anda tidak dijalankan dengan isolasi transaksi level \"READ COMMITED\". Ini dapat menyebabkan masalah saat banyak tindakan dilakukan secara paralel.", - "System locale can not be set to a one which supports UTF-8." : "Sistem lokal tidak dapat diatur untuk satu yang mendukung UTF-8.", - "All checks passed." : "Semua pemeriksaan lulus.", - "Execute one task with each page loaded" : "Jalankan tugas setiap kali halaman dimuat", - "Version" : "Versi", - "Sharing" : "Berbagi", - "Allow apps to use the Share API" : "Izinkan aplikasi untuk menggunakan API Pembagian", - "Allow users to share via link" : "Izinkan pengguna untuk membagikan via tautan", - "Allow public uploads" : "Izinkan unggahan publik", - "Enforce password protection" : "Berlakukan perlindungan sandi", - "Set default expiration date" : "Atur tanggal kadaluarsa default", - "Expire after " : "Kadaluarsa setelah", - "days" : "hari", - "Enforce expiration date" : "Berlakukan tanggal kadaluarsa", - "Allow resharing" : "Izinkan pembagian ulang", - "Allow sharing with groups" : "Izinkan pembagian dengan grup", - "Restrict users to only share with users in their groups" : "Batasi pengguna untuk hanya membagikan dengan pengguna didalam grup mereka", - "Exclude groups from sharing" : "Tidak termasuk grup untuk berbagi", - "These groups will still be able to receive shares, but not to initiate them." : "Grup ini akan tetap dapat menerima berbagi, tatapi tidak dapat membagikan.", - "Tips & tricks" : "Tips & trik", - "How to do backups" : "Bagaimana cara membuat cadangan", - "Performance tuning" : "Pemeliharaan performa", - "Improving the config.php" : "Memperbaiki config.php", - "Theming" : "Tema", - "Hardening and security guidance" : "Panduan Keselamatan dan Keamanan", - "You are using %s of %s" : "Anda sedang menggunakan %s dari %s", - "Profile picture" : "Foto profil", - "Upload new" : "Unggah baru", - "Select from Files" : "Pilih dari berkas", - "Remove image" : "Hapus gambar", - "png or jpg, max. 20 MB" : "png atau jpg, maks. 20 MB", - "Picture provided by original account" : "Gambar disediakan oleh akun asli", - "Cancel" : "Batal", - "Choose as profile picture" : "Pilih sebagai gambar profil", - "Full name" : "Nama lengkap", - "No display name set" : "Nama tampilan tidak diatur", - "Email" : "Email", - "Your email address" : "Alamat email Anda", - "No email address set" : "Alamat email tidak diatur", - "You are member of the following groups:" : "Anda adalah anggota dari grup berikut:", - "Language" : "Bahasa", - "Help translate" : "Bantu menerjemahkan", - "Password" : "Kata sandi", - "Current password" : "Kata sandi saat ini", - "New password" : "Kata sandi baru", - "Change password" : "Ubah kata sandi", - "Web, desktop and mobile clients currently logged in to your account." : "Klien web, desktop dan mobile yang sedang login di akun Anda.", - "Device" : "Perangkat", - "Last activity" : "Aktivitas terakhir", - "App name" : "Nama aplikasi", - "Create new app password" : "Buat kata sandi aplikasi baru", - "Use the credentials below to configure your app or device." : "Gunakan kredensial berikut untuk mengkonfigurasi aplikasi atau perangkat.", - "For security reasons this password will only be shown once." : "Untuk alasan keamanan kata sandi ini akan ditunjukkan hanya sekali.", - "Username" : "Nama pengguna", - "Done" : "Selesai", - "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Dikembangkan oleh {commmunityopen}komunitas Nextcloud{linkclose}, {githubopen}sumber kode{linkclose} dilisensikan dibawah {licenseopen}AGPL{linkclose}.", - "Show storage location" : "Tampilkan kolasi penyimpanan", - "Show user backend" : "Tampilkan pengguna backend", - "Show email address" : "Tampilkan alamat email", - "Send email to new user" : "Kirim email kepada pengguna baru", - "E-Mail" : "E-Mail", - "Create" : "Buat", - "Admin Recovery Password" : "Kata Sandi Pemulihan Admin", - "Enter the recovery password in order to recover the users files during password change" : "Masukkan kata sandi pemulihan untuk memulihkan berkas pengguna saat penggantian kata sandi", - "Everyone" : "Semua orang", - "Admins" : "Admin", - "Default quota" : "Kuota standar", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Silakan masukkan jumlah penyimpanan (contoh: \"512 MB\" atau \"12 GB\")", - "Unlimited" : "Tak terbatas", - "Other" : "Lainnya", - "Group admin for" : "Grup admin untuk", - "Quota" : "Kuota", - "Storage location" : "Lokasi penyimpanan", - "User backend" : "Backend pengguna", - "Last login" : "Log masuk terakhir", - "change full name" : "ubah nama lengkap", - "set new password" : "setel kata sandi baru", - "change email address" : "ubah alamat email", - "Default" : "Default" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/km.js b/settings/l10n/km.js deleted file mode 100644 index 4329ee7480873..0000000000000 --- a/settings/l10n/km.js +++ /dev/null @@ -1,61 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "ខុស​ពាក្យ​សម្ងាត់", - "Saved" : "បាន​រក្សាទុក", - "Authentication error" : "កំហុស​ការ​ផ្ទៀង​ផ្ទាត់​ភាព​ត្រឹម​ត្រូវ", - "You need to set your user email before being able to send test emails." : "អ្នក​ត្រូវ​តែ​កំណត់​អ៊ីមែល​របស់​អ្នក​មុន​នឹង​អាច​ផ្ញើ​អ៊ីមែល​សាកល្បង​បាន។", - "Email saved" : "បាន​រក្សា​ទុក​អ៊ីមែល", - "Couldn't update app." : "មិន​អាច​ធ្វើ​បច្ចុប្បន្នភាព​កម្មវិធី។", - "Email sent" : "បាន​ផ្ញើ​អ៊ីមែល", - "All" : "ទាំងអស់", - "Error while disabling app" : "មាន​កំហុស​ពេល​កំពុង​បិទកម្មវិធី", - "Disable" : "បិទ", - "Enable" : "បើក", - "Updated" : "បាន​ធ្វើ​បច្ចុប្បន្នភាព", - "Delete" : "លុប", - "Select a profile picture" : "ជ្រើស​រូបភាព​ប្រវត្តិរូប", - "Very weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ​ណាស់", - "Weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ", - "So-so password" : "ពាក្យ​សម្ងាត់​ធម្មតា", - "Good password" : "ពាក្យ​សម្ងាត់​ល្អ", - "Strong password" : "ពាក្យ​សម្ងាត់​ខ្លាំង", - "Groups" : "ក្រុ", - "undo" : "មិន​ធ្វើ​វិញ", - "never" : "មិនដែរ", - "A valid username must be provided" : "ត្រូវ​ផ្ដល់​ឈ្មោះ​អ្នក​ប្រើ​ឲ្យ​បាន​ត្រឹម​ត្រូវ", - "A valid password must be provided" : "ត្រូវ​ផ្ដល់​ពាក្យ​សម្ងាត់​ឲ្យ​បាន​ត្រឹម​ត្រូវ", - "Forum" : "វេទិកាពិភាក្សា", - "None" : "គ្មាន", - "Login" : "ចូល", - "Encryption" : "កូដនីយកម្ម", - "From address" : "ពី​អាសយដ្ឋាន", - "Server address" : "អាសយដ្ឋាន​ម៉ាស៊ីន​បម្រើ", - "Port" : "ច្រក", - "Send email" : "ផ្ញើ​អ៊ីមែល", - "Version" : "កំណែ", - "Sharing" : "ការ​ចែក​រំលែក", - "Allow apps to use the Share API" : "អនុញ្ញាត​ឲ្យ​កម្មវិធី​ប្រើ API ចែក​រំលែក", - "Allow public uploads" : "អនុញ្ញាត​ការ​ផ្ទុក​ឡើង​ជា​សាធារណៈ", - "Allow resharing" : "អនុញ្ញាត​ការ​ចែក​រំលែក​ម្ដង​ទៀត", - "Profile picture" : "រូបភាព​ប្រវត្តិរូប", - "Upload new" : "ផ្ទុកឡើង​ថ្មី", - "Remove image" : "ដក​រូបភាព​ចេញ", - "Cancel" : "លើកលែង", - "Email" : "អ៊ីមែល", - "Your email address" : "អ៊ីម៉ែល​របស់​អ្នក", - "Language" : "ភាសា", - "Help translate" : "ជួយ​បក​ប្រែ", - "Password" : "ពាក្យសម្ងាត់", - "Current password" : "ពាក្យសម្ងាត់​បច្ចុប្បន្ន", - "New password" : "ពាក្យ​សម្ងាត់​ថ្មី", - "Change password" : "ប្តូរ​ពាក្យសម្ងាត់", - "Username" : "ឈ្មោះ​អ្នកប្រើ", - "Create" : "បង្កើត", - "Admin Recovery Password" : "ការ​ស្វែង​រក​ពាក្យ​សម្ងាត់របស់ប្រធាន​វេបសាយ", - "Unlimited" : "មិន​កំណត់", - "Other" : "ផ្សេងៗ", - "set new password" : "កំណត់​ពាក្យ​សម្ងាត់​ថ្មី", - "Default" : "លំនាំ​ដើម" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/km.json b/settings/l10n/km.json deleted file mode 100644 index bb327c8635a91..0000000000000 --- a/settings/l10n/km.json +++ /dev/null @@ -1,59 +0,0 @@ -{ "translations": { - "Wrong password" : "ខុស​ពាក្យ​សម្ងាត់", - "Saved" : "បាន​រក្សាទុក", - "Authentication error" : "កំហុស​ការ​ផ្ទៀង​ផ្ទាត់​ភាព​ត្រឹម​ត្រូវ", - "You need to set your user email before being able to send test emails." : "អ្នក​ត្រូវ​តែ​កំណត់​អ៊ីមែល​របស់​អ្នក​មុន​នឹង​អាច​ផ្ញើ​អ៊ីមែល​សាកល្បង​បាន។", - "Email saved" : "បាន​រក្សា​ទុក​អ៊ីមែល", - "Couldn't update app." : "មិន​អាច​ធ្វើ​បច្ចុប្បន្នភាព​កម្មវិធី។", - "Email sent" : "បាន​ផ្ញើ​អ៊ីមែល", - "All" : "ទាំងអស់", - "Error while disabling app" : "មាន​កំហុស​ពេល​កំពុង​បិទកម្មវិធី", - "Disable" : "បិទ", - "Enable" : "បើក", - "Updated" : "បាន​ធ្វើ​បច្ចុប្បន្នភាព", - "Delete" : "លុប", - "Select a profile picture" : "ជ្រើស​រូបភាព​ប្រវត្តិរូប", - "Very weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ​ណាស់", - "Weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ", - "So-so password" : "ពាក្យ​សម្ងាត់​ធម្មតា", - "Good password" : "ពាក្យ​សម្ងាត់​ល្អ", - "Strong password" : "ពាក្យ​សម្ងាត់​ខ្លាំង", - "Groups" : "ក្រុ", - "undo" : "មិន​ធ្វើ​វិញ", - "never" : "មិនដែរ", - "A valid username must be provided" : "ត្រូវ​ផ្ដល់​ឈ្មោះ​អ្នក​ប្រើ​ឲ្យ​បាន​ត្រឹម​ត្រូវ", - "A valid password must be provided" : "ត្រូវ​ផ្ដល់​ពាក្យ​សម្ងាត់​ឲ្យ​បាន​ត្រឹម​ត្រូវ", - "Forum" : "វេទិកាពិភាក្សា", - "None" : "គ្មាន", - "Login" : "ចូល", - "Encryption" : "កូដនីយកម្ម", - "From address" : "ពី​អាសយដ្ឋាន", - "Server address" : "អាសយដ្ឋាន​ម៉ាស៊ីន​បម្រើ", - "Port" : "ច្រក", - "Send email" : "ផ្ញើ​អ៊ីមែល", - "Version" : "កំណែ", - "Sharing" : "ការ​ចែក​រំលែក", - "Allow apps to use the Share API" : "អនុញ្ញាត​ឲ្យ​កម្មវិធី​ប្រើ API ចែក​រំលែក", - "Allow public uploads" : "អនុញ្ញាត​ការ​ផ្ទុក​ឡើង​ជា​សាធារណៈ", - "Allow resharing" : "អនុញ្ញាត​ការ​ចែក​រំលែក​ម្ដង​ទៀត", - "Profile picture" : "រូបភាព​ប្រវត្តិរូប", - "Upload new" : "ផ្ទុកឡើង​ថ្មី", - "Remove image" : "ដក​រូបភាព​ចេញ", - "Cancel" : "លើកលែង", - "Email" : "អ៊ីមែល", - "Your email address" : "អ៊ីម៉ែល​របស់​អ្នក", - "Language" : "ភាសា", - "Help translate" : "ជួយ​បក​ប្រែ", - "Password" : "ពាក្យសម្ងាត់", - "Current password" : "ពាក្យសម្ងាត់​បច្ចុប្បន្ន", - "New password" : "ពាក្យ​សម្ងាត់​ថ្មី", - "Change password" : "ប្តូរ​ពាក្យសម្ងាត់", - "Username" : "ឈ្មោះ​អ្នកប្រើ", - "Create" : "បង្កើត", - "Admin Recovery Password" : "ការ​ស្វែង​រក​ពាក្យ​សម្ងាត់របស់ប្រធាន​វេបសាយ", - "Unlimited" : "មិន​កំណត់", - "Other" : "ផ្សេងៗ", - "set new password" : "កំណត់​ពាក្យ​សម្ងាត់​ថ្មី", - "Default" : "លំនាំ​ដើម" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/kn.js b/settings/l10n/kn.js deleted file mode 100644 index 890eb4f36bdd9..0000000000000 --- a/settings/l10n/kn.js +++ /dev/null @@ -1,94 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", - "Saved" : "ಉಳಿಸಿದ", - "No user supplied" : "ಯಾವುದೇ ಬಳಕೆದಾರನ ಹೆಸರನ್ನು ನೀಡಿರುವುದಿಲ್ಲ", - "Unable to change password" : "ಗುಪ್ತಪದವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", - "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ", - "Group already exists." : "ಗುಂಪು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.", - "Unable to add group." : "ಗುಂಪುನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ.", - "Unable to delete group." : "ಗುಂಪುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", - "You need to set your user email before being able to send test emails." : "ನೀವು ಪರೀಕ್ಷಾ ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ಮುನ್ನ ನಿಮ್ಮ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಹೊಂದಿಸಬೇಕಾಗುತ್ತದೆ.", - "Invalid mail address" : "ಅಮಾನ್ಯ ಇ-ಅಂಚೆ ವಿಳಾಸ", - "Unable to create user." : "ಬಳಕೆದಾರನ ಖಾತೆ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ.", - "Unable to delete user." : "ಬಳಕೆದಾರನ ಹೆಸರುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", - "Unable to change full name" : "ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ", - "Your full name has been changed." : "ನಿಮ್ಮ ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲಾಗಿದೆ.", - "Forbidden" : "ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ", - "Invalid user" : "ಅಮಾನ್ಯ ಬಳಕೆದಾರ", - "Unable to change mail address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", - "Email saved" : "ಇ-ಅಂಚೆಯನ್ನು ಉಳಿಸಿದೆ", - "Your %s account was created" : "ನಿಮ್ಮ%s ಖಾತೆಯನ್ನು ಸ್ಥಾಪಿಸಲಾಗಿದೆ", - "Couldn't remove app." : "ಅಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", - "Couldn't update app." : " ಕಾಯಕ್ರಮವನ್ನು ನವೀಕರಿಸಲ ಸಾದ್ಯವಾಗುತ್ತಿಲ್ಲ.", - "Email sent" : "ಇ-ಅಂಚೆ ಕಳುಹಿಸಲಾಗಿದೆ", - "All" : "ಎಲ್ಲಾ", - "Error while disabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", - "Disable" : "ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ", - "Enable" : "ಸಕ್ರಿಯಗೊಳಿಸು", - "Error while enabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", - "Updated" : "ಆಧುನೀಕರಿಸಲಾಗಿದೆ", - "Valid until {date}" : "{date} ವರೆಗೆ ಚಾಲ್ತಿಯಲ್ಲಿರುತ್ತದೆ", - "Delete" : "ಅಳಿಸಿ", - "Select a profile picture" : "ಸಂಕ್ಷಿಪ್ತ ವ್ಯಕ್ತಿಚಿತ್ರ ಒಂದನ್ನು ಆಯ್ಕೆ ಮಾಡಿ", - "Very weak password" : "ಅತೀ ದುರ್ಬಲ ಗುಪ್ತಪದ", - "Weak password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", - "So-so password" : "ಊಹಿಸಬಹುದಾದ ಗುಪ್ತಪದ", - "Good password" : "ಉತ್ತಮ ಗುಪ್ತಪದ", - "Strong password" : "ಪ್ರಬಲ ಗುಪ್ತಪದ", - "Groups" : "ಗುಂಪುಗಳು", - "Unable to delete {objName}" : "{objName} ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ", - "A valid group name must be provided" : "ಮಾನ್ಯ ಗುಂಪಿನ ಹೆಸರನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", - "deleted {groupName}" : "ಅಳಿಸಲಾಗಿದೆ {groupName}", - "undo" : "ಹಿಂದಿರುಗಿಸು", - "never" : "ಎಂದಿಗೂ", - "deleted {userName}" : "{userName} ಬಳಕೆಯ ಹೆಸರುನ್ನು ಅಳಿಸಲಾಗಿದೆ ", - "A valid username must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", - "A valid password must be provided" : "ಸರಿಯಾದ ಬಳಕೆದಾರ ಗುಪ್ತಪದ ಒದಗಿಸಬೇಕಾಗಿದೆ", - "A valid email must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", - "Documentation:" : "ದಾಖಲೆ:", - "Enable only for specific groups" : "ಕೇವಲ ನಿರ್ದಿಷ್ಟ ಗುಂಪುಗಳಿಗೆ ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Forum" : "ವೇದಿಕೆ", - "None" : "ಯಾವುದೂ ಇಲ್ಲ", - "Login" : "ಖಾತೆ ಪ್ರವೇಶಿಸು", - "Plain" : "ಸರಳ", - "Send mode" : "ಕಳುಹಿಸುವ ಕ್ರಮ", - "Encryption" : "ರಹಸ್ಯ ಸಂಕೇತೀಕರಿಸು", - "mail" : "ಅಂಚೆ", - "Authentication method" : "ದೃಢೀಕರಣ ವಿಧಾನ", - "Authentication required" : "ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ", - "Server address" : "ಪರಿಚಾರಕ ಗಣಕಯಂತ್ರದ ವಿಳಾಸ", - "Port" : "ರೇವು", - "Credentials" : "ರುಜುವಾತುಗಳು", - "SMTP Username" : "SMTP ಬಳಕೆದಾರ ಹೆಸರು", - "SMTP Password" : "SMTP ಗುಪ್ತ ಪದ", - "Test email settings" : "ಪರೀರ್ಕ್ಷಾತ ಇ-ಅಂಚೆಯ ಆಯ್ಕೇ", - "Send email" : "ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸಿ", - "Version" : "ಆವೃತ್ತಿ", - "Sharing" : "ಹಂಚಿಕೆ", - "Expire after " : "ನಿಶ್ವಸಿಸುವ ಅವಧಿ", - "days" : "ದಿನಗಳು", - "Enforce expiration date" : "ಮುಕ್ತಾಯ ದಿನಾಂಕವನ್ನು ಬಲವ೦ತವಾಗಿ ಜಾರಿಗೆ ಮಾಡಿ", - "Cancel" : "ರದ್ದು", - "Email" : "ಇ-ಅಂಚೆ", - "Your email address" : "ನಿಮ್ಮ ಇ-ಅಂಚೆ ವಿಳಾಸ", - "Language" : "ಭಾಷೆ", - "Help translate" : "ಭಾಷಾಂತರಿಸಲು ಸಹಾಯ ಮಾಡಿ", - "Password" : "ಗುಪ್ತ ಪದ", - "Current password" : "ಪ್ರಸ್ತುತ ಗುಪ್ತಪದ", - "New password" : "ಹೊಸ ಗುಪ್ತಪದ", - "Change password" : "ಗುಪ್ತ ಪದವನ್ನು ಬದಲಾಯಿಸಿ", - "Username" : "ಬಳಕೆಯ ಹೆಸರು", - "E-Mail" : "ಇ-ಅಂಚೆ ವಿಳಾಸ", - "Create" : "ಸೃಷ್ಟಿಸಿ", - "Everyone" : "ಪ್ರತಿಯೊಬ್ಬರೂ", - "Admins" : "ನಿರ್ವಾಹಕರು", - "Other" : "ಇತರೆ", - "Quota" : "ಪಾಲು", - "change full name" : "ಪೂರ್ಣ ಹೆಸರು ಬದಲಾಯಿಸಬಹುದು", - "set new password" : "ಹೊಸ ಗುಪ್ತಪದವನ್ನು ಹೊಂದಿಸಿ", - "change email address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಿ", - "Default" : "ಆರಂಭದ ಪ್ರತಿ" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/kn.json b/settings/l10n/kn.json deleted file mode 100644 index ba283c59ab5ad..0000000000000 --- a/settings/l10n/kn.json +++ /dev/null @@ -1,92 +0,0 @@ -{ "translations": { - "Wrong password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", - "Saved" : "ಉಳಿಸಿದ", - "No user supplied" : "ಯಾವುದೇ ಬಳಕೆದಾರನ ಹೆಸರನ್ನು ನೀಡಿರುವುದಿಲ್ಲ", - "Unable to change password" : "ಗುಪ್ತಪದವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", - "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ", - "Group already exists." : "ಗುಂಪು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.", - "Unable to add group." : "ಗುಂಪುನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ.", - "Unable to delete group." : "ಗುಂಪುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", - "You need to set your user email before being able to send test emails." : "ನೀವು ಪರೀಕ್ಷಾ ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ಮುನ್ನ ನಿಮ್ಮ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಹೊಂದಿಸಬೇಕಾಗುತ್ತದೆ.", - "Invalid mail address" : "ಅಮಾನ್ಯ ಇ-ಅಂಚೆ ವಿಳಾಸ", - "Unable to create user." : "ಬಳಕೆದಾರನ ಖಾತೆ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ.", - "Unable to delete user." : "ಬಳಕೆದಾರನ ಹೆಸರುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", - "Unable to change full name" : "ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ", - "Your full name has been changed." : "ನಿಮ್ಮ ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲಾಗಿದೆ.", - "Forbidden" : "ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ", - "Invalid user" : "ಅಮಾನ್ಯ ಬಳಕೆದಾರ", - "Unable to change mail address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", - "Email saved" : "ಇ-ಅಂಚೆಯನ್ನು ಉಳಿಸಿದೆ", - "Your %s account was created" : "ನಿಮ್ಮ%s ಖಾತೆಯನ್ನು ಸ್ಥಾಪಿಸಲಾಗಿದೆ", - "Couldn't remove app." : "ಅಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", - "Couldn't update app." : " ಕಾಯಕ್ರಮವನ್ನು ನವೀಕರಿಸಲ ಸಾದ್ಯವಾಗುತ್ತಿಲ್ಲ.", - "Email sent" : "ಇ-ಅಂಚೆ ಕಳುಹಿಸಲಾಗಿದೆ", - "All" : "ಎಲ್ಲಾ", - "Error while disabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", - "Disable" : "ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ", - "Enable" : "ಸಕ್ರಿಯಗೊಳಿಸು", - "Error while enabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", - "Updated" : "ಆಧುನೀಕರಿಸಲಾಗಿದೆ", - "Valid until {date}" : "{date} ವರೆಗೆ ಚಾಲ್ತಿಯಲ್ಲಿರುತ್ತದೆ", - "Delete" : "ಅಳಿಸಿ", - "Select a profile picture" : "ಸಂಕ್ಷಿಪ್ತ ವ್ಯಕ್ತಿಚಿತ್ರ ಒಂದನ್ನು ಆಯ್ಕೆ ಮಾಡಿ", - "Very weak password" : "ಅತೀ ದುರ್ಬಲ ಗುಪ್ತಪದ", - "Weak password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", - "So-so password" : "ಊಹಿಸಬಹುದಾದ ಗುಪ್ತಪದ", - "Good password" : "ಉತ್ತಮ ಗುಪ್ತಪದ", - "Strong password" : "ಪ್ರಬಲ ಗುಪ್ತಪದ", - "Groups" : "ಗುಂಪುಗಳು", - "Unable to delete {objName}" : "{objName} ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ", - "A valid group name must be provided" : "ಮಾನ್ಯ ಗುಂಪಿನ ಹೆಸರನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", - "deleted {groupName}" : "ಅಳಿಸಲಾಗಿದೆ {groupName}", - "undo" : "ಹಿಂದಿರುಗಿಸು", - "never" : "ಎಂದಿಗೂ", - "deleted {userName}" : "{userName} ಬಳಕೆಯ ಹೆಸರುನ್ನು ಅಳಿಸಲಾಗಿದೆ ", - "A valid username must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", - "A valid password must be provided" : "ಸರಿಯಾದ ಬಳಕೆದಾರ ಗುಪ್ತಪದ ಒದಗಿಸಬೇಕಾಗಿದೆ", - "A valid email must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", - "Documentation:" : "ದಾಖಲೆ:", - "Enable only for specific groups" : "ಕೇವಲ ನಿರ್ದಿಷ್ಟ ಗುಂಪುಗಳಿಗೆ ಸಕ್ರಿಯಗೊಳಿಸಿ", - "Forum" : "ವೇದಿಕೆ", - "None" : "ಯಾವುದೂ ಇಲ್ಲ", - "Login" : "ಖಾತೆ ಪ್ರವೇಶಿಸು", - "Plain" : "ಸರಳ", - "Send mode" : "ಕಳುಹಿಸುವ ಕ್ರಮ", - "Encryption" : "ರಹಸ್ಯ ಸಂಕೇತೀಕರಿಸು", - "mail" : "ಅಂಚೆ", - "Authentication method" : "ದೃಢೀಕರಣ ವಿಧಾನ", - "Authentication required" : "ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ", - "Server address" : "ಪರಿಚಾರಕ ಗಣಕಯಂತ್ರದ ವಿಳಾಸ", - "Port" : "ರೇವು", - "Credentials" : "ರುಜುವಾತುಗಳು", - "SMTP Username" : "SMTP ಬಳಕೆದಾರ ಹೆಸರು", - "SMTP Password" : "SMTP ಗುಪ್ತ ಪದ", - "Test email settings" : "ಪರೀರ್ಕ್ಷಾತ ಇ-ಅಂಚೆಯ ಆಯ್ಕೇ", - "Send email" : "ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸಿ", - "Version" : "ಆವೃತ್ತಿ", - "Sharing" : "ಹಂಚಿಕೆ", - "Expire after " : "ನಿಶ್ವಸಿಸುವ ಅವಧಿ", - "days" : "ದಿನಗಳು", - "Enforce expiration date" : "ಮುಕ್ತಾಯ ದಿನಾಂಕವನ್ನು ಬಲವ೦ತವಾಗಿ ಜಾರಿಗೆ ಮಾಡಿ", - "Cancel" : "ರದ್ದು", - "Email" : "ಇ-ಅಂಚೆ", - "Your email address" : "ನಿಮ್ಮ ಇ-ಅಂಚೆ ವಿಳಾಸ", - "Language" : "ಭಾಷೆ", - "Help translate" : "ಭಾಷಾಂತರಿಸಲು ಸಹಾಯ ಮಾಡಿ", - "Password" : "ಗುಪ್ತ ಪದ", - "Current password" : "ಪ್ರಸ್ತುತ ಗುಪ್ತಪದ", - "New password" : "ಹೊಸ ಗುಪ್ತಪದ", - "Change password" : "ಗುಪ್ತ ಪದವನ್ನು ಬದಲಾಯಿಸಿ", - "Username" : "ಬಳಕೆಯ ಹೆಸರು", - "E-Mail" : "ಇ-ಅಂಚೆ ವಿಳಾಸ", - "Create" : "ಸೃಷ್ಟಿಸಿ", - "Everyone" : "ಪ್ರತಿಯೊಬ್ಬರೂ", - "Admins" : "ನಿರ್ವಾಹಕರು", - "Other" : "ಇತರೆ", - "Quota" : "ಪಾಲು", - "change full name" : "ಪೂರ್ಣ ಹೆಸರು ಬದಲಾಯಿಸಬಹುದು", - "set new password" : "ಹೊಸ ಗುಪ್ತಪದವನ್ನು ಹೊಂದಿಸಿ", - "change email address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಿ", - "Default" : "ಆರಂಭದ ಪ್ರತಿ" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/lb.js b/settings/l10n/lb.js deleted file mode 100644 index 40aec2b1e82a4..0000000000000 --- a/settings/l10n/lb.js +++ /dev/null @@ -1,44 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Falscht Passwuert", - "Saved" : "Gespäichert", - "Authentication error" : "Authentifikatioun's Fehler", - "Email saved" : "E-mail gespäichert", - "Not saved" : "Nët gespäichert", - "Email sent" : "Email geschéckt", - "All" : "All", - "The app will be downloaded from the app store" : "D'App gett aus dem App Store erofgelueden", - "Disable" : "Ofschalten", - "Enable" : "Aschalten", - "Error while enabling app" : "Fehler beim Aktivéieren vun der App", - "Delete" : "Läschen", - "Groups" : "Gruppen", - "undo" : "réckgängeg man", - "never" : "ni", - "None" : "Keng", - "Login" : "Login", - "Open documentation" : "Dokumentatioun opmaachen", - "Authentication required" : "Authentifizéierung néideg", - "Server address" : "Server Adress", - "Port" : "Port", - "Sharing" : "Gedeelt", - "Allow apps to use the Share API" : "Erlab Apps d'Share API ze benotzen", - "days" : "Deeg", - "Allow resharing" : "Resharing erlaben", - "Cancel" : "Ofbriechen", - "Email" : "Email", - "Your email address" : "Deng Email Adress", - "Language" : "Sprooch", - "Help translate" : "Hëllef iwwersetzen", - "Password" : "Passwuert", - "Current password" : "Momentan 't Passwuert", - "New password" : "Neit Passwuert", - "Change password" : "Passwuert änneren", - "Username" : "Benotzernumm", - "E-Mail" : "E-Mail", - "Create" : "Erstellen", - "Other" : "Aner", - "Quota" : "Quota" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/lb.json b/settings/l10n/lb.json deleted file mode 100644 index c3a1cd3c6d5b6..0000000000000 --- a/settings/l10n/lb.json +++ /dev/null @@ -1,42 +0,0 @@ -{ "translations": { - "Wrong password" : "Falscht Passwuert", - "Saved" : "Gespäichert", - "Authentication error" : "Authentifikatioun's Fehler", - "Email saved" : "E-mail gespäichert", - "Not saved" : "Nët gespäichert", - "Email sent" : "Email geschéckt", - "All" : "All", - "The app will be downloaded from the app store" : "D'App gett aus dem App Store erofgelueden", - "Disable" : "Ofschalten", - "Enable" : "Aschalten", - "Error while enabling app" : "Fehler beim Aktivéieren vun der App", - "Delete" : "Läschen", - "Groups" : "Gruppen", - "undo" : "réckgängeg man", - "never" : "ni", - "None" : "Keng", - "Login" : "Login", - "Open documentation" : "Dokumentatioun opmaachen", - "Authentication required" : "Authentifizéierung néideg", - "Server address" : "Server Adress", - "Port" : "Port", - "Sharing" : "Gedeelt", - "Allow apps to use the Share API" : "Erlab Apps d'Share API ze benotzen", - "days" : "Deeg", - "Allow resharing" : "Resharing erlaben", - "Cancel" : "Ofbriechen", - "Email" : "Email", - "Your email address" : "Deng Email Adress", - "Language" : "Sprooch", - "Help translate" : "Hëllef iwwersetzen", - "Password" : "Passwuert", - "Current password" : "Momentan 't Passwuert", - "New password" : "Neit Passwuert", - "Change password" : "Passwuert änneren", - "Username" : "Benotzernumm", - "E-Mail" : "E-Mail", - "Create" : "Erstellen", - "Other" : "Aner", - "Quota" : "Quota" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/lt_LT.js b/settings/l10n/lt_LT.js deleted file mode 100644 index 3c7d6dbf09371..0000000000000 --- a/settings/l10n/lt_LT.js +++ /dev/null @@ -1,200 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} pakeitė jūsų slaptažodį", - "You changed your password" : "Jūs pakeitėte savo slaptažodį", - "Your password was reset by an administrator" : "Administratorius atstatė jūsų slaptažodį", - "{actor} changed your email address" : "{actor} pakeitė jūsų el. pašto adresą", - "You changed your email address" : "Jūs pakeitėte savo el. pašto adresą", - "Your email address was changed by an administrator" : "Administratorius pakeitė jūsų el. pašto adresą", - "Security" : "Saugumas", - "You successfully logged in using two-factor authentication (%1$s)" : "Jūs sėkmingai prisijungėte, naudodami dviejų faktorių tapatybės nustatymą (%1$s)", - "A login attempt using two-factor authentication failed (%1$s)" : "Nepavyko prisijungti, naudojant dviejų faktorių tapatybės nustatymą (%1$s)", - "Your password or email was modified" : "Jūsų slaptažodis ar el. paštas buvo pakeisti", - "Your apps" : "Jūsų programėlės", - "Updates" : "Atnaujinimai", - "Enabled apps" : "Įjungtos programėlės", - "Disabled apps" : "Išjungtos programėlės", - "App bundles" : "Programėlių rinkiniai", - "Wrong password" : "Neteisingas slaptažodis", - "Saved" : "Įrašyta", - "No user supplied" : "Nepateiktas naudotojas", - "Unable to change password" : "Nepavyksta pakeisti slaptažodžio", - "Authentication error" : "Tapatybės nustatymo klaida", - "Wrong admin recovery password. Please check the password and try again." : "Netinkamas administratoriaus atkūrimo slaptažodis. Prašome pasitikrinti ir bandyti vėl.", - "A problem occurred, please check your log files (Error: %s)" : "Atsirado problema, prašome patikrinti savo žurnalo failus (Klaida: %s)", - "Migration Completed" : "Perkėlimas baigtas", - "Group already exists." : "Grupė jau yra.", - "Unable to add group." : "Nepavyko pridėti grupės.", - "Unable to delete group." : "Nepavyko ištrinti grupės.", - "Invalid SMTP password." : "Neteisingas SMTP slaptažodis.", - "Email setting test" : "El. pašto nustatymo testas", - "Email could not be sent. Check your mail server log" : "El. laiškas nebuvo išsiųstas. Peržiūrėkite savo pašto serverio žurnalą.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Įvyko klaida išsiunčiant laišką. Prašome peržiūrėkite savo nustatymus. (Klaida: %s)", - "You need to set your user email before being able to send test emails." : "Jūs turite nurodyti elektroninio pašto adresą, kad galėtumėte siųsti testinius el. laiškus.", - "Invalid mail address" : "Neteisingas pašto adresas", - "No valid group selected" : "Pasirinkta neteisinga grupė", - "A user with that name already exists." : "Toks naudotojas jau yra.", - "To send a password link to the user an email address is required." : "Norint persiųsti slaptažodžio nuorodą, būtinas el. pašto adresas.", - "Unable to create user." : "Nepavyko sukurti naudotojo.", - "Unable to delete user." : "Nepavyko ištrinti naudotojo.", - "Error while enabling user." : "Klaida įjungiant naudotoją.", - "Error while disabling user." : "Klaida išjungiant naudotoją.", - "Settings saved" : "Nustatymai įrašyti", - "Unable to change full name" : "Nepavyko pakeisti pilno vardo", - "Unable to change email address" : "Nepavyko pakeisti el. pašto adresą", - "Your full name has been changed." : "Pilnas vardas pakeistas.", - "Forbidden" : "Uždrausta", - "Invalid user" : "Neteisingas naudotojas", - "Unable to change mail address" : "Nepavyko pakeisti el. pašto adresą", - "Email saved" : "El. paštas įrašytas", - "%1$s changed your password on %2$s." : "%1$s pakeitė jūsų slaptažodį %2$s", - "The new email address is %s" : "Naujasis el. pašto adresas yra %s", - "Your %s account was created" : "Jūsų paskyra %s sukurta", - "Your username is: %s" : "Jūsų naudotojo vardas yra: %s", - "Password confirmation is required" : "Reikalingas slaptažodžio patvirtinimas", - "Couldn't remove app." : "Nepavyko pašalinti programėlės.", - "Couldn't update app." : "Nepavyko atnaujinti programėlės.", - "Add trusted domain" : "Pridėti patikimą domeną", - "Migration in progress. Please wait until the migration is finished" : "Vyksta perkėlimas. Palaukite, kol perkėlimas bus užbaigtas", - "Migration started …" : "Perkėlimas pradėtas …", - "Not saved" : "Neįrašyta", - "Sending…" : "Siunčiama…", - "Email sent" : "El. paštas išsiųstas", - "Official" : "Oficiali", - "All" : "Viskas", - "Update to %s" : "Atnaujinti į %s", - "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Oficialios programėlės yra kuriamos bendruomenės viduje ir jas kuria bendruomenė. Šios programėlės siūlo centrinį funkcionalumą ir yra paruoštos kasdieniam naudojimui.", - "Disabling app …" : "Išjungiama programėlė …", - "Error while disabling app" : "Klaida, išjungiant programėlę", - "Disable" : "Išjungti", - "Enable" : "Įjungti", - "Enabling app …" : "Programėlė įjungiama", - "Error while enabling app" : "Klaida, įjungiant programėlę", - "Updated" : "Atnaujinta", - "Removing …" : "Šalinama …", - "Remove" : "Šalinti", - "Approved" : "Patvirtinta", - "Experimental" : "Eksperimentinė", - "Disconnect" : "Atjungti", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome, skirta Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS klientas", - "Android Client" : "Android klientas", - "This session" : "Šis seansas", - "Copy" : "Kopijuoti", - "Copied!" : "Nukopijuota!", - "Not supported!" : "Nepalaikoma!", - "Press ⌘-C to copy." : "Norėdami nukopijuoti, paspauskite ⌘-C.", - "Error while loading browser sessions and device tokens" : "Klaida, įkeliant naršyklės seansus ir įrenginio prieigos raktus", - "Error while creating device token" : "Klaida, kuriant įrenginio prieigos raktą", - "Error while deleting the token" : "Klaida, ištrinant prieigos raktą", - "Valid until {date}" : "Galioja iki {date}", - "Delete" : "Ištrinti", - "Only visible to local users" : "Matoma tik vietiniams naudotojams", - "Only visible to you" : "Matoma tik jums", - "Visible to local users and to trusted servers" : "Matoma tik vietiniams naudotojams ir patikimiems serveriams", - "Public" : "Viešai", - "Select a profile picture" : "Pasirinkite profilio paveikslą", - "Very weak password" : "Labai silpnas slaptažodis", - "Weak password" : "Silpnas slaptažodis", - "So-so password" : "Neblogas slaptažodis", - "Good password" : "Geras slaptažodis", - "Strong password" : "Stiprus slaptažodis", - "Groups" : "Grupės", - "Error creating group: {message}" : "Klaida kuriant grupę: {message}", - "undo" : "anuliuoti", - "never" : "niekada", - "Add group" : "Pridėti grupę", - "Password successfully changed" : "Slaptažodis sėkmingai pakeistas", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Slaptažodžio pakeitimas sąlygos duomenų praradimą, kadangi šiam naudotojui nėra prieinamas duomenų atkūrimas", - "A valid username must be provided" : "Privalo būti pateiktas tinkamas naudotojo vardas", - "A valid password must be provided" : "Slaptažodis turi būti tinkamas", - "Documentation:" : "Dokumentacija:", - "User documentation" : "Naudotojo dokumentacija", - "Admin documentation" : "Administratoriaus dokumentacija", - "Report a bug" : "Pranešti apie klaidą", - "Show description …" : "Rodyti aprašą …", - "Hide description …" : "Slėpti aprašą …", - "This app has an update available." : "Šiai programėlei yra prieinamas atnaujinimas.", - "Online documentation" : "Dokumentacija internete", - "Forum" : "Forumas", - "None" : "Nieko", - "Login" : "Prisijungti", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "El. pašto serveris", - "Open documentation" : "Atverti dokumentaciją", - "Encryption" : "Šifravimas", - "Authentication required" : "Reikalingas tapatybės nustatymas", - "Server address" : "Serverio adresas", - "Port" : "Prievadas", - "SMTP Username" : "SMTP naudotojo vardas", - "SMTP Password" : "SMTP slaptažodis", - "Server-side encryption" : "Šifravimas serveryje", - "Be aware that encryption always increases the file size." : "Turėkite omenyje, kad šifravimas visada padidina failų dydį.", - "This is the final warning: Do you really want to enable encryption?" : "Tai yra paskutinis įspėjimas: Ar tikrai norite įjungti šifravimą?", - "Enable encryption" : "Įjungti šifravimą", - "Select default encryption module:" : "Pasirinkite numatytąjį šifravimo modulį:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį. Prašome įjungti \"Numatytąjį šifravimo modulį\" ir įvykdyti \"occ encryption:migrate\"", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį.", - "Start migration" : "Pradėti perkėlimą", - "Security & setup warnings" : "Saugos ir diegimo perspėjimai", - "Execute one task with each page loaded" : "Įvykdyti vieną užduotį su kiekvieno puslapio įkėlimu", - "Version" : "Versija", - "Sharing" : "Dalijimasis", - "Allow apps to use the Share API" : "Leidžia programoms naudoti Share API", - "Allow public uploads" : "Leisti viešus įkėlimus", - "days" : "dienos", - "Allow resharing" : "Leisti dalintis", - "Tips & tricks" : "Patarimai ir gudrybės", - "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", - "You are using %s of %s" : "Jūs naudojate %s%s", - "Profile picture" : "Profilio paveikslas", - "Upload new" : "Įkelti naują", - "Remove image" : "Šalinti paveikslą", - "png or jpg, max. 20 MB" : "png arba jpg, daugiausiai 20 MB", - "Cancel" : "Atsisakyti", - "Email" : "El. Paštas", - "Your email address" : "Jūsų el. pašto adresas", - "No email address set" : "Nenustatytas joks el. pašto adresas", - "Phone number" : "Telefono numeris", - "Your phone number" : "Jūsų telefono numeris", - "Address" : "Adresas", - "Website" : "Svetainė", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Jūs esate šių grupių narys:", - "Language" : "Kalba", - "Help translate" : "Padėkite išversti", - "Password" : "Slaptažodis", - "Current password" : "Dabartinis slaptažodis", - "New password" : "Naujas slaptažodis", - "Change password" : "Pakeisti slaptažodį", - "Web, desktop and mobile clients currently logged in to your account." : "Saityno, darbalaukio ir mobilieji klientai, kurie šiuo metu yra prisijungę prie jūsų paskyros.", - "Device" : "Įrenginys", - "Last activity" : "Paskutinė veikla", - "App name" : "Programėlės pavadinimas", - "Create new app password" : "Sukurti naują programėlės slaptažodį", - "For security reasons this password will only be shown once." : "Saugumo sumetimais šis slaptažodis bus parodytas tik vieną kartą.", - "Username" : "Naudotojo vardas", - "Done" : "Atlikta", - "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Sukurta {communityopen}Nextcloud bendruomenės{linkclose}, {githubopen}pirminis kodas{linkclose} yra licencijuotas pagal {licenseopen}AGPL{linkclose}.", - "Settings" : "Nustatymai", - "Create" : "Sukurti", - "Admin Recovery Password" : "Administracinis atkūrimo slaptažodis", - "Enter the recovery password in order to recover the users files during password change" : "Įveskite atkūrimo slaptažodį, kad atkurtumėte naudotojo failus keičiant slaptažodį", - "Unlimited" : "Neribotai", - "Other" : "Kita", - "Quota" : "Limitas", - "change full name" : "keisti pilną vardą", - "set new password" : "nustatyti naują slaptažodį", - "Default" : "Numatytasis", - "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗." -}, -"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/lt_LT.json b/settings/l10n/lt_LT.json deleted file mode 100644 index e070ff944a9f9..0000000000000 --- a/settings/l10n/lt_LT.json +++ /dev/null @@ -1,198 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} pakeitė jūsų slaptažodį", - "You changed your password" : "Jūs pakeitėte savo slaptažodį", - "Your password was reset by an administrator" : "Administratorius atstatė jūsų slaptažodį", - "{actor} changed your email address" : "{actor} pakeitė jūsų el. pašto adresą", - "You changed your email address" : "Jūs pakeitėte savo el. pašto adresą", - "Your email address was changed by an administrator" : "Administratorius pakeitė jūsų el. pašto adresą", - "Security" : "Saugumas", - "You successfully logged in using two-factor authentication (%1$s)" : "Jūs sėkmingai prisijungėte, naudodami dviejų faktorių tapatybės nustatymą (%1$s)", - "A login attempt using two-factor authentication failed (%1$s)" : "Nepavyko prisijungti, naudojant dviejų faktorių tapatybės nustatymą (%1$s)", - "Your password or email was modified" : "Jūsų slaptažodis ar el. paštas buvo pakeisti", - "Your apps" : "Jūsų programėlės", - "Updates" : "Atnaujinimai", - "Enabled apps" : "Įjungtos programėlės", - "Disabled apps" : "Išjungtos programėlės", - "App bundles" : "Programėlių rinkiniai", - "Wrong password" : "Neteisingas slaptažodis", - "Saved" : "Įrašyta", - "No user supplied" : "Nepateiktas naudotojas", - "Unable to change password" : "Nepavyksta pakeisti slaptažodžio", - "Authentication error" : "Tapatybės nustatymo klaida", - "Wrong admin recovery password. Please check the password and try again." : "Netinkamas administratoriaus atkūrimo slaptažodis. Prašome pasitikrinti ir bandyti vėl.", - "A problem occurred, please check your log files (Error: %s)" : "Atsirado problema, prašome patikrinti savo žurnalo failus (Klaida: %s)", - "Migration Completed" : "Perkėlimas baigtas", - "Group already exists." : "Grupė jau yra.", - "Unable to add group." : "Nepavyko pridėti grupės.", - "Unable to delete group." : "Nepavyko ištrinti grupės.", - "Invalid SMTP password." : "Neteisingas SMTP slaptažodis.", - "Email setting test" : "El. pašto nustatymo testas", - "Email could not be sent. Check your mail server log" : "El. laiškas nebuvo išsiųstas. Peržiūrėkite savo pašto serverio žurnalą.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Įvyko klaida išsiunčiant laišką. Prašome peržiūrėkite savo nustatymus. (Klaida: %s)", - "You need to set your user email before being able to send test emails." : "Jūs turite nurodyti elektroninio pašto adresą, kad galėtumėte siųsti testinius el. laiškus.", - "Invalid mail address" : "Neteisingas pašto adresas", - "No valid group selected" : "Pasirinkta neteisinga grupė", - "A user with that name already exists." : "Toks naudotojas jau yra.", - "To send a password link to the user an email address is required." : "Norint persiųsti slaptažodžio nuorodą, būtinas el. pašto adresas.", - "Unable to create user." : "Nepavyko sukurti naudotojo.", - "Unable to delete user." : "Nepavyko ištrinti naudotojo.", - "Error while enabling user." : "Klaida įjungiant naudotoją.", - "Error while disabling user." : "Klaida išjungiant naudotoją.", - "Settings saved" : "Nustatymai įrašyti", - "Unable to change full name" : "Nepavyko pakeisti pilno vardo", - "Unable to change email address" : "Nepavyko pakeisti el. pašto adresą", - "Your full name has been changed." : "Pilnas vardas pakeistas.", - "Forbidden" : "Uždrausta", - "Invalid user" : "Neteisingas naudotojas", - "Unable to change mail address" : "Nepavyko pakeisti el. pašto adresą", - "Email saved" : "El. paštas įrašytas", - "%1$s changed your password on %2$s." : "%1$s pakeitė jūsų slaptažodį %2$s", - "The new email address is %s" : "Naujasis el. pašto adresas yra %s", - "Your %s account was created" : "Jūsų paskyra %s sukurta", - "Your username is: %s" : "Jūsų naudotojo vardas yra: %s", - "Password confirmation is required" : "Reikalingas slaptažodžio patvirtinimas", - "Couldn't remove app." : "Nepavyko pašalinti programėlės.", - "Couldn't update app." : "Nepavyko atnaujinti programėlės.", - "Add trusted domain" : "Pridėti patikimą domeną", - "Migration in progress. Please wait until the migration is finished" : "Vyksta perkėlimas. Palaukite, kol perkėlimas bus užbaigtas", - "Migration started …" : "Perkėlimas pradėtas …", - "Not saved" : "Neįrašyta", - "Sending…" : "Siunčiama…", - "Email sent" : "El. paštas išsiųstas", - "Official" : "Oficiali", - "All" : "Viskas", - "Update to %s" : "Atnaujinti į %s", - "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Oficialios programėlės yra kuriamos bendruomenės viduje ir jas kuria bendruomenė. Šios programėlės siūlo centrinį funkcionalumą ir yra paruoštos kasdieniam naudojimui.", - "Disabling app …" : "Išjungiama programėlė …", - "Error while disabling app" : "Klaida, išjungiant programėlę", - "Disable" : "Išjungti", - "Enable" : "Įjungti", - "Enabling app …" : "Programėlė įjungiama", - "Error while enabling app" : "Klaida, įjungiant programėlę", - "Updated" : "Atnaujinta", - "Removing …" : "Šalinama …", - "Remove" : "Šalinti", - "Approved" : "Patvirtinta", - "Experimental" : "Eksperimentinė", - "Disconnect" : "Atjungti", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome, skirta Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS klientas", - "Android Client" : "Android klientas", - "This session" : "Šis seansas", - "Copy" : "Kopijuoti", - "Copied!" : "Nukopijuota!", - "Not supported!" : "Nepalaikoma!", - "Press ⌘-C to copy." : "Norėdami nukopijuoti, paspauskite ⌘-C.", - "Error while loading browser sessions and device tokens" : "Klaida, įkeliant naršyklės seansus ir įrenginio prieigos raktus", - "Error while creating device token" : "Klaida, kuriant įrenginio prieigos raktą", - "Error while deleting the token" : "Klaida, ištrinant prieigos raktą", - "Valid until {date}" : "Galioja iki {date}", - "Delete" : "Ištrinti", - "Only visible to local users" : "Matoma tik vietiniams naudotojams", - "Only visible to you" : "Matoma tik jums", - "Visible to local users and to trusted servers" : "Matoma tik vietiniams naudotojams ir patikimiems serveriams", - "Public" : "Viešai", - "Select a profile picture" : "Pasirinkite profilio paveikslą", - "Very weak password" : "Labai silpnas slaptažodis", - "Weak password" : "Silpnas slaptažodis", - "So-so password" : "Neblogas slaptažodis", - "Good password" : "Geras slaptažodis", - "Strong password" : "Stiprus slaptažodis", - "Groups" : "Grupės", - "Error creating group: {message}" : "Klaida kuriant grupę: {message}", - "undo" : "anuliuoti", - "never" : "niekada", - "Add group" : "Pridėti grupę", - "Password successfully changed" : "Slaptažodis sėkmingai pakeistas", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Slaptažodžio pakeitimas sąlygos duomenų praradimą, kadangi šiam naudotojui nėra prieinamas duomenų atkūrimas", - "A valid username must be provided" : "Privalo būti pateiktas tinkamas naudotojo vardas", - "A valid password must be provided" : "Slaptažodis turi būti tinkamas", - "Documentation:" : "Dokumentacija:", - "User documentation" : "Naudotojo dokumentacija", - "Admin documentation" : "Administratoriaus dokumentacija", - "Report a bug" : "Pranešti apie klaidą", - "Show description …" : "Rodyti aprašą …", - "Hide description …" : "Slėpti aprašą …", - "This app has an update available." : "Šiai programėlei yra prieinamas atnaujinimas.", - "Online documentation" : "Dokumentacija internete", - "Forum" : "Forumas", - "None" : "Nieko", - "Login" : "Prisijungti", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "El. pašto serveris", - "Open documentation" : "Atverti dokumentaciją", - "Encryption" : "Šifravimas", - "Authentication required" : "Reikalingas tapatybės nustatymas", - "Server address" : "Serverio adresas", - "Port" : "Prievadas", - "SMTP Username" : "SMTP naudotojo vardas", - "SMTP Password" : "SMTP slaptažodis", - "Server-side encryption" : "Šifravimas serveryje", - "Be aware that encryption always increases the file size." : "Turėkite omenyje, kad šifravimas visada padidina failų dydį.", - "This is the final warning: Do you really want to enable encryption?" : "Tai yra paskutinis įspėjimas: Ar tikrai norite įjungti šifravimą?", - "Enable encryption" : "Įjungti šifravimą", - "Select default encryption module:" : "Pasirinkite numatytąjį šifravimo modulį:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį. Prašome įjungti \"Numatytąjį šifravimo modulį\" ir įvykdyti \"occ encryption:migrate\"", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį.", - "Start migration" : "Pradėti perkėlimą", - "Security & setup warnings" : "Saugos ir diegimo perspėjimai", - "Execute one task with each page loaded" : "Įvykdyti vieną užduotį su kiekvieno puslapio įkėlimu", - "Version" : "Versija", - "Sharing" : "Dalijimasis", - "Allow apps to use the Share API" : "Leidžia programoms naudoti Share API", - "Allow public uploads" : "Leisti viešus įkėlimus", - "days" : "dienos", - "Allow resharing" : "Leisti dalintis", - "Tips & tricks" : "Patarimai ir gudrybės", - "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", - "You are using %s of %s" : "Jūs naudojate %s%s", - "Profile picture" : "Profilio paveikslas", - "Upload new" : "Įkelti naują", - "Remove image" : "Šalinti paveikslą", - "png or jpg, max. 20 MB" : "png arba jpg, daugiausiai 20 MB", - "Cancel" : "Atsisakyti", - "Email" : "El. Paštas", - "Your email address" : "Jūsų el. pašto adresas", - "No email address set" : "Nenustatytas joks el. pašto adresas", - "Phone number" : "Telefono numeris", - "Your phone number" : "Jūsų telefono numeris", - "Address" : "Adresas", - "Website" : "Svetainė", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Jūs esate šių grupių narys:", - "Language" : "Kalba", - "Help translate" : "Padėkite išversti", - "Password" : "Slaptažodis", - "Current password" : "Dabartinis slaptažodis", - "New password" : "Naujas slaptažodis", - "Change password" : "Pakeisti slaptažodį", - "Web, desktop and mobile clients currently logged in to your account." : "Saityno, darbalaukio ir mobilieji klientai, kurie šiuo metu yra prisijungę prie jūsų paskyros.", - "Device" : "Įrenginys", - "Last activity" : "Paskutinė veikla", - "App name" : "Programėlės pavadinimas", - "Create new app password" : "Sukurti naują programėlės slaptažodį", - "For security reasons this password will only be shown once." : "Saugumo sumetimais šis slaptažodis bus parodytas tik vieną kartą.", - "Username" : "Naudotojo vardas", - "Done" : "Atlikta", - "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Sukurta {communityopen}Nextcloud bendruomenės{linkclose}, {githubopen}pirminis kodas{linkclose} yra licencijuotas pagal {licenseopen}AGPL{linkclose}.", - "Settings" : "Nustatymai", - "Create" : "Sukurti", - "Admin Recovery Password" : "Administracinis atkūrimo slaptažodis", - "Enter the recovery password in order to recover the users files during password change" : "Įveskite atkūrimo slaptažodį, kad atkurtumėte naudotojo failus keičiant slaptažodį", - "Unlimited" : "Neribotai", - "Other" : "Kita", - "Quota" : "Limitas", - "change full name" : "keisti pilną vardą", - "set new password" : "nustatyti naują slaptažodį", - "Default" : "Numatytasis", - "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗." -},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" -} \ No newline at end of file diff --git a/settings/l10n/lv.js b/settings/l10n/lv.js deleted file mode 100644 index 2e85805c6ce2d..0000000000000 --- a/settings/l10n/lv.js +++ /dev/null @@ -1,244 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Nepareiza parole", - "Saved" : "Saglabāts", - "No user supplied" : "Nav norādīts lietotājs", - "Unable to change password" : "Nav iespējams nomainīt paroli", - "Authentication error" : "Autentifikācijas kļūda", - "Wrong admin recovery password. Please check the password and try again." : "Nepareiza administratora atjaunošanas parole. Lūdzu pārbaudiet paroli un mēģiniet vēlreiz.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "programmu instalēšana un atjaunināšana, izmantojot programmu veikalu vai Federatīvajām Cloud koplietošanu", - "Federated Cloud Sharing" : "Federatīva mākoņkoplietošana", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL izmanto novecojušu %s versiju (%s). Lūdzu, atjauniniet operētājsistēmu vai funkcijām, piem., %s nedarbosies pareizi.", - "A problem occurred, please check your log files (Error: %s)" : "Radusies problēma, lūdzu, pārbaudiet žurnāla failus (Kļūda: %s)", - "Migration Completed" : "Migrācija ir pabeigta", - "Group already exists." : "Grupa jau eksistē.", - "Unable to add group." : "Nevar pievienot grupu.", - "Unable to delete group." : "Nevar izdzēst grupu.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Radās kļūda, nosūtot e-pastu. Lūdzu, pārskatiet savus iestatījumus. (Kļūda: %s)", - "You need to set your user email before being able to send test emails." : "Nepieciešams norādīt sava lietotāja e-pasta adresi, lai nosūtīta testa e-pastus.", - "Invalid mail address" : "Nepareiza e-pasta adrese", - "No valid group selected" : "Atlasītā grupa nav derīga", - "A user with that name already exists." : "Jau pastāv lietotājs ar šo vārdu.", - "To send a password link to the user an email address is required." : "Lai nosūtītu paroles saites lietotājam, e-pasta adrese jānorāda obligāti.", - "Unable to create user." : "Nevar izveidot lietotāju.", - "Unable to delete user." : "Nevar izdzēst lietotāju.", - "Settings saved" : "Iestatījumi saglabāti", - "Unable to change full name" : "Nav iespējams nomainīt jūsu pilno vārdu", - "Unable to change email address" : "Nevar mainīt e-pasta adresi", - "Your full name has been changed." : "Jūsu pilnais vārds tika mainīts.", - "Forbidden" : "Pieeja liegta", - "Invalid user" : "Nepareizs lietotājs", - "Unable to change mail address" : "Nevar nomainīt e-pasta adresi", - "Email saved" : "E-pasts tika saglabāts", - "Your %s account was created" : "Konts %s ir izveidots", - "Password confirmation is required" : "Nepieciešams paroles apstiprinājums", - "Couldn't remove app." : "Nebija iespējams atslēgt programmu.", - "Couldn't update app." : "Nevarēja atjaunināt programmu.", - "Are you really sure you want add {domain} as trusted domain?" : "Tu tiešām esi pārliecināta, ka vēlies pievienot {domain} kā uzticamu domēnu?", - "Add trusted domain" : "Pievienot uzticamu domēnu", - "Migration in progress. Please wait until the migration is finished" : "Notiek migrācija. Lūdzu, pagaidiet, līdz migrēšana ir pabeigta", - "Migration started …" : "Uzsākta migrācija...", - "Not saved" : "Nav saglabāts", - "Email sent" : "Vēstule nosūtīta", - "All" : "Visi", - "Update to %s" : "Atjaunināts uz %s", - "No apps found for your version" : "Neatrada programmu jūsu versijai", - "Error while disabling app" : "Kļūda, atvienojot programmu", - "Disable" : "Deaktivēt", - "Enable" : "Aktivēt", - "Enabling app …" : "Iespējojot programmu …", - "Error while enabling app" : "Kļūda, pievienojot programmu", - "Updated" : "Atjaunināta", - "Approved" : "Apstiprināts", - "Experimental" : "Eksperimentāls", - "Disconnect" : "Atvienot", - "Revoke" : "Atsaukt", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome for Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS Klients", - "Android Client" : "Android Klients", - "Sync client - {os}" : "Sync klients - {os}", - "This session" : "Šajā sesijā", - "Copy" : "Kopēt", - "Copied!" : "Nokopēts!", - "Not supported!" : "Nav atbalstīts!", - "Press ⌘-C to copy." : "Spied ⌘-C lai kopētu.", - "Press Ctrl-C to copy." : "Spied Ctrl-C lai kopētu.", - "Valid until {date}" : "Valīds līdz {date}", - "Delete" : "Dzēst", - "Local" : "Lokāls", - "Private" : "Privāts", - "Only visible to local users" : "Redzami tikai lokālajiem lietotājiem", - "Only visible to you" : "Redzams tikai jums", - "Contacts" : "Kontakti", - "Visible to local users and to trusted servers" : "Redzama uz vietējiem lietotājiem un uzticamiem serveriem", - "Public" : "Publisks", - "Will be synced to a global and public address book" : "Tiks sinhronizēts ar globālu un publisku adrešu grāmatu", - "Select a profile picture" : "Izvēlieties profila attēlu", - "Very weak password" : "Ļoti vāja parole", - "Weak password" : "Vāja parole", - "So-so password" : "Normāla parole", - "Good password" : "Laba parole", - "Strong password" : "Lieliska parole", - "Groups" : "Grupas", - "Unable to delete {objName}" : "Nevar izdzēst {objName}", - "Error creating group: {message}" : "Kļūda, veidojot grupu: {message}", - "A valid group name must be provided" : "Jānorāda derīgs grupas nosaukums", - "deleted {groupName}" : "grupa {groupName} dzēsta", - "undo" : "atsaukt", - "never" : "nekad", - "deleted {userName}" : "lietotājs {userName} dzēsts", - "Unable to add user to group {group}" : "Nevar pievienot lietotāju grupai {group}", - "Unable to remove user from group {group}" : "Nevar noņemt lietotāju no grupas {group}", - "Add group" : "Pievienot grupu", - "Invalid quota value \"{val}\"" : "Nederīga kvotas vērtība \"{val}\"", - "no group" : "neviena grupa", - "Password successfully changed" : "Parole veiksmīgi nomainīta", - "Could not change the users email" : "Nevarēja mainīt lietotāja e-pasta adrese", - "A valid username must be provided" : "Jānorāda derīgs lietotājvārds", - "Error creating user: {message}" : "Kļūda, veidojot lietotāju: {message}", - "A valid password must be provided" : "Jānorāda derīga parole", - "A valid email must be provided" : "Jānorāda derīga e-pasta adrese", - "Developer documentation" : "Izstrādātāja dokumentācija", - "%s-licensed" : "%s-licencēts", - "Documentation:" : "Dokumentācija:", - "User documentation" : "Lietotāja dokumentācija", - "Admin documentation" : "Administratora dokumentācija", - "Visit website" : "Apmeklējiet vietni", - "Report a bug" : "Ziņot par kļūdu", - "Show description …" : "Rādīt aprakstu …", - "Hide description …" : "Slēpt aprakstu …", - "This app has an update available." : "Šai programmai ir pieejams jauninājums", - "Enable only for specific groups" : "Iespējot tikai konkrētām grupām", - "SSL Root Certificates" : "SSL Root Sertifikāti", - "Common Name" : "Kopīgais nosaukums", - "Valid until" : "Derīgs līdz", - "Issued By" : "Izsniedza", - "Valid until %s" : "Derīgs līdz %s", - "Import root certificate" : "Importēt root sertifikātu", - "Administrator documentation" : "Administratora dokumentācija", - "Online documentation" : "Tiešsaistes dokumentācija", - "Forum" : "Forums", - "Getting help" : "Saņemt palīdzību", - "None" : "Nav", - "Login" : "Autorizēties", - "Plain" : "vienkāršs teksts", - "NT LAN Manager" : "NT LAN Pārvaldnieks", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "E-pasta serveris", - "Open documentation" : "Atvērt dokumentāciju", - "Send mode" : "Sūtīšanas metode", - "Encryption" : "Šifrēšana", - "From address" : "No adreses", - "mail" : "e-pasts", - "Authentication method" : "Autentifikācijas metode", - "Authentication required" : "Nepieciešama autentifikācija", - "Server address" : "Servera adrese", - "Port" : "Ports", - "Credentials" : "Akreditācijas dati", - "SMTP Username" : "SMTP lietotājvārds", - "SMTP Password" : "SMTP parole", - "Store credentials" : "Saglabāt akreditācijas datus", - "Test email settings" : "Izmēģināt e-pasta iestatījumus", - "Send email" : "Sūtīt e-pastu", - "Server-side encryption" : "Servera šifrēšana", - "Enable server-side encryption" : "Ieslēgt servera šifrēšanu", - "Please read carefully before activating server-side encryption: " : "Lūdzu, izlasiet uzmanīgi pirms aktivējiet servera šifrēšanu:", - "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Šifrēšana vien negarantē sistēmas drošību. Skatiet dokumentāciju, lai iegūtu papildinformāciju par šifrēšanas programmu izmantošana, kā arī citu darbību gadījumos.", - "Be aware that encryption always increases the file size." : "Jāapzinās, ka šifrēšanas vienmēr palielina faila lielumu.", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Vienmēr ir ieteicams regulāri veidot dublējumkopijas datu šifrēšanas gadījumam, pārliecinieties, lai dublētu, šifrēšanas atslēgas ir kopā ar jūsu datiem.", - "This is the final warning: Do you really want to enable encryption?" : "Šis ir pēdējais brīdinājums: vai tiešām vēlaties iespējot šifrēšanu?", - "Enable encryption" : "Ieslēgt šifrēšanu", - "No encryption module loaded, please enable an encryption module in the app menu." : "Nav ielādēts šifrēšanas moduļis, lūdzu, aktivizējiet šifrēšanas moduli programmu izvēlnē.", - "Select default encryption module:" : "Atlasiet noklusēto šifrēšanas moduli:", - "Start migration" : "Sākt migrāciju", - "Security & setup warnings" : "Drošības un iestatījumu brīdinājumi", - "All checks passed." : "Visas pārbaudes veiksmīgas.", - "Execute one task with each page loaded" : "Izpildīt vienu uzdevumu ar katru ielādēto lapu", - "Version" : "Versija", - "Sharing" : "Koplietošana", - "Allow apps to use the Share API" : "Ļaut programmām izmantot koplietošanas API", - "Allow users to share via link" : "Ļaut lietotājiem koplietot caur saitēm", - "Allow public uploads" : "Atļaut publisko augšupielādi", - "Enforce password protection" : "Ieviest paroles aizsardzību", - "Set default expiration date" : "Iestatīt noklusējuma beigu datumu", - "Expire after " : "Nederīga pēc", - "days" : "dienas", - "Enforce expiration date" : "Uzspiest beigu termiņu", - "Allow resharing" : "Atļaut atkārtotu koplietošanu", - "Allow sharing with groups" : "Atļaut koplietošanu ar grupu", - "Restrict users to only share with users in their groups" : "Ierobežot lietotājiem koplietot tikai ar lietotājiem savās grupās", - "Exclude groups from sharing" : "Izslēgt grupu no koplietošanas", - "Tips & tricks" : "Padomi un ieteikumi", - "This is particularly recommended when using the desktop client for file synchronisation." : "Tas ir īpaši ieteicams, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju.", - "How to do backups" : "Kā veikt dublēšanu", - "Performance tuning" : "Veiktspējas uzstādīšana", - "Improving the config.php" : "Uzlabot config.php", - "Theming" : "Dizains", - "Hardening and security guidance" : "Aizsardzības un drošības norādījumi", - "You are using %s of %s" : "Jūs izmantojiet %s no %s", - "Profile picture" : "Profila attēls", - "Upload new" : "Ielādēt jaunu", - "Select from Files" : "Izvēlēties no faila", - "Remove image" : "Novākt attēlu", - "png or jpg, max. 20 MB" : "png vai jpg, max. 20 MB", - "Cancel" : "Atcelt", - "Choose as profile picture" : "Izvēlēties kā profila attēlu", - "Full name" : "Pilns vārds", - "No display name set" : "Nav norādīts ekrāna vārds", - "Email" : "E-pasts", - "Your email address" : "Jūsu e-pasta adrese", - "No email address set" : "Nav norādīts e-pasts", - "Phone number" : "Tālruņa numurs", - "Your phone number" : "Jūsu tālruņa numurs", - "Address" : "Adrese", - "Your postal address" : "Jūsu pasta adrese", - "Website" : "Mājaslapa", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Jūs esat šādu grupu biedrs:", - "Language" : "Valoda", - "Help translate" : "Palīdzi tulkot", - "Password" : "Parole", - "Current password" : "Pašreizējā parole", - "New password" : "Jauna parole", - "Change password" : "Mainīt paroli", - "Device" : "Ierīce", - "Last activity" : "Pēdējā aktivitāte", - "App name" : "Programmas nosaukums", - "Create new app password" : "Izveidot jaunu programmas paroli", - "Use the credentials below to configure your app or device." : "Izmantot akreditācijas datus, lai konfigurētu savu programmu vai ierīci.", - "For security reasons this password will only be shown once." : "Drošības apsvērumu dēļ šī parole, tiks parādīta tikai vienreiz.", - "Username" : "Lietotājvārds", - "Done" : "Pabeigts", - "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Izstrādātās {communityopen}Nextcloud kopiena {linkclose}, {githubopen} avota kods {linkclose} licencēts saskaņā ar {licenseopen}AGPL{linkclose}.", - "Show storage location" : "Rādīt krātuves atrašanās vietu", - "Show email address" : "Rādīt e-pasta adreses", - "Send email to new user" : "Sūtīt e-pastu jaunajam lietotājam", - "E-Mail" : "E-pasts", - "Create" : "Izveidot", - "Admin Recovery Password" : "Administratora atgūšanas parole", - "Enter the recovery password in order to recover the users files during password change" : "Ievadiet atgūšanas paroli, lai varētu atgūt lietotāja failus paroles maiņas laikā.", - "Everyone" : "Visi", - "Admins" : "Admins", - "Default quota" : "Apjoms pēc noklusējuma", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Lūdzu, ievadiet krātuves kvotu (piem: \"512 MB\" vai \"12 GB\")", - "Unlimited" : "Neierobežota", - "Other" : "Cits", - "Group admin for" : "Admin grupa", - "Quota" : "Apjoms", - "Storage location" : "Krātuves atrašanās vieta", - "Last login" : "Pēdējā pieteikšanās", - "change full name" : "mainīt vārdu", - "set new password" : "iestatīt jaunu paroli", - "change email address" : "mainīt e-pasta adresi", - "Default" : "Noklusējuma" -}, -"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/settings/l10n/lv.json b/settings/l10n/lv.json deleted file mode 100644 index 768ec3553d24f..0000000000000 --- a/settings/l10n/lv.json +++ /dev/null @@ -1,242 +0,0 @@ -{ "translations": { - "Wrong password" : "Nepareiza parole", - "Saved" : "Saglabāts", - "No user supplied" : "Nav norādīts lietotājs", - "Unable to change password" : "Nav iespējams nomainīt paroli", - "Authentication error" : "Autentifikācijas kļūda", - "Wrong admin recovery password. Please check the password and try again." : "Nepareiza administratora atjaunošanas parole. Lūdzu pārbaudiet paroli un mēģiniet vēlreiz.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "programmu instalēšana un atjaunināšana, izmantojot programmu veikalu vai Federatīvajām Cloud koplietošanu", - "Federated Cloud Sharing" : "Federatīva mākoņkoplietošana", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL izmanto novecojušu %s versiju (%s). Lūdzu, atjauniniet operētājsistēmu vai funkcijām, piem., %s nedarbosies pareizi.", - "A problem occurred, please check your log files (Error: %s)" : "Radusies problēma, lūdzu, pārbaudiet žurnāla failus (Kļūda: %s)", - "Migration Completed" : "Migrācija ir pabeigta", - "Group already exists." : "Grupa jau eksistē.", - "Unable to add group." : "Nevar pievienot grupu.", - "Unable to delete group." : "Nevar izdzēst grupu.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Radās kļūda, nosūtot e-pastu. Lūdzu, pārskatiet savus iestatījumus. (Kļūda: %s)", - "You need to set your user email before being able to send test emails." : "Nepieciešams norādīt sava lietotāja e-pasta adresi, lai nosūtīta testa e-pastus.", - "Invalid mail address" : "Nepareiza e-pasta adrese", - "No valid group selected" : "Atlasītā grupa nav derīga", - "A user with that name already exists." : "Jau pastāv lietotājs ar šo vārdu.", - "To send a password link to the user an email address is required." : "Lai nosūtītu paroles saites lietotājam, e-pasta adrese jānorāda obligāti.", - "Unable to create user." : "Nevar izveidot lietotāju.", - "Unable to delete user." : "Nevar izdzēst lietotāju.", - "Settings saved" : "Iestatījumi saglabāti", - "Unable to change full name" : "Nav iespējams nomainīt jūsu pilno vārdu", - "Unable to change email address" : "Nevar mainīt e-pasta adresi", - "Your full name has been changed." : "Jūsu pilnais vārds tika mainīts.", - "Forbidden" : "Pieeja liegta", - "Invalid user" : "Nepareizs lietotājs", - "Unable to change mail address" : "Nevar nomainīt e-pasta adresi", - "Email saved" : "E-pasts tika saglabāts", - "Your %s account was created" : "Konts %s ir izveidots", - "Password confirmation is required" : "Nepieciešams paroles apstiprinājums", - "Couldn't remove app." : "Nebija iespējams atslēgt programmu.", - "Couldn't update app." : "Nevarēja atjaunināt programmu.", - "Are you really sure you want add {domain} as trusted domain?" : "Tu tiešām esi pārliecināta, ka vēlies pievienot {domain} kā uzticamu domēnu?", - "Add trusted domain" : "Pievienot uzticamu domēnu", - "Migration in progress. Please wait until the migration is finished" : "Notiek migrācija. Lūdzu, pagaidiet, līdz migrēšana ir pabeigta", - "Migration started …" : "Uzsākta migrācija...", - "Not saved" : "Nav saglabāts", - "Email sent" : "Vēstule nosūtīta", - "All" : "Visi", - "Update to %s" : "Atjaunināts uz %s", - "No apps found for your version" : "Neatrada programmu jūsu versijai", - "Error while disabling app" : "Kļūda, atvienojot programmu", - "Disable" : "Deaktivēt", - "Enable" : "Aktivēt", - "Enabling app …" : "Iespējojot programmu …", - "Error while enabling app" : "Kļūda, pievienojot programmu", - "Updated" : "Atjaunināta", - "Approved" : "Apstiprināts", - "Experimental" : "Eksperimentāls", - "Disconnect" : "Atvienot", - "Revoke" : "Atsaukt", - "Internet Explorer" : "Internet Explorer", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome for Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS Klients", - "Android Client" : "Android Klients", - "Sync client - {os}" : "Sync klients - {os}", - "This session" : "Šajā sesijā", - "Copy" : "Kopēt", - "Copied!" : "Nokopēts!", - "Not supported!" : "Nav atbalstīts!", - "Press ⌘-C to copy." : "Spied ⌘-C lai kopētu.", - "Press Ctrl-C to copy." : "Spied Ctrl-C lai kopētu.", - "Valid until {date}" : "Valīds līdz {date}", - "Delete" : "Dzēst", - "Local" : "Lokāls", - "Private" : "Privāts", - "Only visible to local users" : "Redzami tikai lokālajiem lietotājiem", - "Only visible to you" : "Redzams tikai jums", - "Contacts" : "Kontakti", - "Visible to local users and to trusted servers" : "Redzama uz vietējiem lietotājiem un uzticamiem serveriem", - "Public" : "Publisks", - "Will be synced to a global and public address book" : "Tiks sinhronizēts ar globālu un publisku adrešu grāmatu", - "Select a profile picture" : "Izvēlieties profila attēlu", - "Very weak password" : "Ļoti vāja parole", - "Weak password" : "Vāja parole", - "So-so password" : "Normāla parole", - "Good password" : "Laba parole", - "Strong password" : "Lieliska parole", - "Groups" : "Grupas", - "Unable to delete {objName}" : "Nevar izdzēst {objName}", - "Error creating group: {message}" : "Kļūda, veidojot grupu: {message}", - "A valid group name must be provided" : "Jānorāda derīgs grupas nosaukums", - "deleted {groupName}" : "grupa {groupName} dzēsta", - "undo" : "atsaukt", - "never" : "nekad", - "deleted {userName}" : "lietotājs {userName} dzēsts", - "Unable to add user to group {group}" : "Nevar pievienot lietotāju grupai {group}", - "Unable to remove user from group {group}" : "Nevar noņemt lietotāju no grupas {group}", - "Add group" : "Pievienot grupu", - "Invalid quota value \"{val}\"" : "Nederīga kvotas vērtība \"{val}\"", - "no group" : "neviena grupa", - "Password successfully changed" : "Parole veiksmīgi nomainīta", - "Could not change the users email" : "Nevarēja mainīt lietotāja e-pasta adrese", - "A valid username must be provided" : "Jānorāda derīgs lietotājvārds", - "Error creating user: {message}" : "Kļūda, veidojot lietotāju: {message}", - "A valid password must be provided" : "Jānorāda derīga parole", - "A valid email must be provided" : "Jānorāda derīga e-pasta adrese", - "Developer documentation" : "Izstrādātāja dokumentācija", - "%s-licensed" : "%s-licencēts", - "Documentation:" : "Dokumentācija:", - "User documentation" : "Lietotāja dokumentācija", - "Admin documentation" : "Administratora dokumentācija", - "Visit website" : "Apmeklējiet vietni", - "Report a bug" : "Ziņot par kļūdu", - "Show description …" : "Rādīt aprakstu …", - "Hide description …" : "Slēpt aprakstu …", - "This app has an update available." : "Šai programmai ir pieejams jauninājums", - "Enable only for specific groups" : "Iespējot tikai konkrētām grupām", - "SSL Root Certificates" : "SSL Root Sertifikāti", - "Common Name" : "Kopīgais nosaukums", - "Valid until" : "Derīgs līdz", - "Issued By" : "Izsniedza", - "Valid until %s" : "Derīgs līdz %s", - "Import root certificate" : "Importēt root sertifikātu", - "Administrator documentation" : "Administratora dokumentācija", - "Online documentation" : "Tiešsaistes dokumentācija", - "Forum" : "Forums", - "Getting help" : "Saņemt palīdzību", - "None" : "Nav", - "Login" : "Autorizēties", - "Plain" : "vienkāršs teksts", - "NT LAN Manager" : "NT LAN Pārvaldnieks", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "E-pasta serveris", - "Open documentation" : "Atvērt dokumentāciju", - "Send mode" : "Sūtīšanas metode", - "Encryption" : "Šifrēšana", - "From address" : "No adreses", - "mail" : "e-pasts", - "Authentication method" : "Autentifikācijas metode", - "Authentication required" : "Nepieciešama autentifikācija", - "Server address" : "Servera adrese", - "Port" : "Ports", - "Credentials" : "Akreditācijas dati", - "SMTP Username" : "SMTP lietotājvārds", - "SMTP Password" : "SMTP parole", - "Store credentials" : "Saglabāt akreditācijas datus", - "Test email settings" : "Izmēģināt e-pasta iestatījumus", - "Send email" : "Sūtīt e-pastu", - "Server-side encryption" : "Servera šifrēšana", - "Enable server-side encryption" : "Ieslēgt servera šifrēšanu", - "Please read carefully before activating server-side encryption: " : "Lūdzu, izlasiet uzmanīgi pirms aktivējiet servera šifrēšanu:", - "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Šifrēšana vien negarantē sistēmas drošību. Skatiet dokumentāciju, lai iegūtu papildinformāciju par šifrēšanas programmu izmantošana, kā arī citu darbību gadījumos.", - "Be aware that encryption always increases the file size." : "Jāapzinās, ka šifrēšanas vienmēr palielina faila lielumu.", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Vienmēr ir ieteicams regulāri veidot dublējumkopijas datu šifrēšanas gadījumam, pārliecinieties, lai dublētu, šifrēšanas atslēgas ir kopā ar jūsu datiem.", - "This is the final warning: Do you really want to enable encryption?" : "Šis ir pēdējais brīdinājums: vai tiešām vēlaties iespējot šifrēšanu?", - "Enable encryption" : "Ieslēgt šifrēšanu", - "No encryption module loaded, please enable an encryption module in the app menu." : "Nav ielādēts šifrēšanas moduļis, lūdzu, aktivizējiet šifrēšanas moduli programmu izvēlnē.", - "Select default encryption module:" : "Atlasiet noklusēto šifrēšanas moduli:", - "Start migration" : "Sākt migrāciju", - "Security & setup warnings" : "Drošības un iestatījumu brīdinājumi", - "All checks passed." : "Visas pārbaudes veiksmīgas.", - "Execute one task with each page loaded" : "Izpildīt vienu uzdevumu ar katru ielādēto lapu", - "Version" : "Versija", - "Sharing" : "Koplietošana", - "Allow apps to use the Share API" : "Ļaut programmām izmantot koplietošanas API", - "Allow users to share via link" : "Ļaut lietotājiem koplietot caur saitēm", - "Allow public uploads" : "Atļaut publisko augšupielādi", - "Enforce password protection" : "Ieviest paroles aizsardzību", - "Set default expiration date" : "Iestatīt noklusējuma beigu datumu", - "Expire after " : "Nederīga pēc", - "days" : "dienas", - "Enforce expiration date" : "Uzspiest beigu termiņu", - "Allow resharing" : "Atļaut atkārtotu koplietošanu", - "Allow sharing with groups" : "Atļaut koplietošanu ar grupu", - "Restrict users to only share with users in their groups" : "Ierobežot lietotājiem koplietot tikai ar lietotājiem savās grupās", - "Exclude groups from sharing" : "Izslēgt grupu no koplietošanas", - "Tips & tricks" : "Padomi un ieteikumi", - "This is particularly recommended when using the desktop client for file synchronisation." : "Tas ir īpaši ieteicams, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju.", - "How to do backups" : "Kā veikt dublēšanu", - "Performance tuning" : "Veiktspējas uzstādīšana", - "Improving the config.php" : "Uzlabot config.php", - "Theming" : "Dizains", - "Hardening and security guidance" : "Aizsardzības un drošības norādījumi", - "You are using %s of %s" : "Jūs izmantojiet %s no %s", - "Profile picture" : "Profila attēls", - "Upload new" : "Ielādēt jaunu", - "Select from Files" : "Izvēlēties no faila", - "Remove image" : "Novākt attēlu", - "png or jpg, max. 20 MB" : "png vai jpg, max. 20 MB", - "Cancel" : "Atcelt", - "Choose as profile picture" : "Izvēlēties kā profila attēlu", - "Full name" : "Pilns vārds", - "No display name set" : "Nav norādīts ekrāna vārds", - "Email" : "E-pasts", - "Your email address" : "Jūsu e-pasta adrese", - "No email address set" : "Nav norādīts e-pasts", - "Phone number" : "Tālruņa numurs", - "Your phone number" : "Jūsu tālruņa numurs", - "Address" : "Adrese", - "Your postal address" : "Jūsu pasta adrese", - "Website" : "Mājaslapa", - "Twitter" : "Twitter", - "You are member of the following groups:" : "Jūs esat šādu grupu biedrs:", - "Language" : "Valoda", - "Help translate" : "Palīdzi tulkot", - "Password" : "Parole", - "Current password" : "Pašreizējā parole", - "New password" : "Jauna parole", - "Change password" : "Mainīt paroli", - "Device" : "Ierīce", - "Last activity" : "Pēdējā aktivitāte", - "App name" : "Programmas nosaukums", - "Create new app password" : "Izveidot jaunu programmas paroli", - "Use the credentials below to configure your app or device." : "Izmantot akreditācijas datus, lai konfigurētu savu programmu vai ierīci.", - "For security reasons this password will only be shown once." : "Drošības apsvērumu dēļ šī parole, tiks parādīta tikai vienreiz.", - "Username" : "Lietotājvārds", - "Done" : "Pabeigts", - "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Izstrādātās {communityopen}Nextcloud kopiena {linkclose}, {githubopen} avota kods {linkclose} licencēts saskaņā ar {licenseopen}AGPL{linkclose}.", - "Show storage location" : "Rādīt krātuves atrašanās vietu", - "Show email address" : "Rādīt e-pasta adreses", - "Send email to new user" : "Sūtīt e-pastu jaunajam lietotājam", - "E-Mail" : "E-pasts", - "Create" : "Izveidot", - "Admin Recovery Password" : "Administratora atgūšanas parole", - "Enter the recovery password in order to recover the users files during password change" : "Ievadiet atgūšanas paroli, lai varētu atgūt lietotāja failus paroles maiņas laikā.", - "Everyone" : "Visi", - "Admins" : "Admins", - "Default quota" : "Apjoms pēc noklusējuma", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Lūdzu, ievadiet krātuves kvotu (piem: \"512 MB\" vai \"12 GB\")", - "Unlimited" : "Neierobežota", - "Other" : "Cits", - "Group admin for" : "Admin grupa", - "Quota" : "Apjoms", - "Storage location" : "Krātuves atrašanās vieta", - "Last login" : "Pēdējā pieteikšanās", - "change full name" : "mainīt vārdu", - "set new password" : "iestatīt jaunu paroli", - "change email address" : "mainīt e-pasta adresi", - "Default" : "Noklusējuma" -},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" -} \ No newline at end of file diff --git a/settings/l10n/mk.js b/settings/l10n/mk.js deleted file mode 100644 index db4ee5b704c76..0000000000000 --- a/settings/l10n/mk.js +++ /dev/null @@ -1,139 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Погрешна лозинка", - "Saved" : "Снимено", - "No user supplied" : "Нема корисничко име", - "Unable to change password" : "Вашата лозинка неможе да се смени", - "Authentication error" : "Грешка во автентикација", - "Wrong admin recovery password. Please check the password and try again." : "Погрешна лозинка за поврат на администраторот. Ве молам проверете ја лозинката и пробајте повторно.", - "Federated Cloud Sharing" : "Федерирано клауд споделување", - "A problem occurred, please check your log files (Error: %s)" : "Се случи грешка, ве молам проверете ги вашите датотеки за логови (Грешка: %s)", - "Migration Completed" : "Миграцијата заврши", - "Group already exists." : "Групата веќе постои.", - "Unable to add group." : "Не можам да додадам група.", - "Unable to delete group." : "Не можам да избришам група.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Се случи грешка при праќање на порака. Ве молам проверете ги вашите подесувања. (Error: %s)", - "Invalid mail address" : "Неправилна електронска адреса/пошта", - "A user with that name already exists." : "Корисник со ова име веќе постои.", - "Unable to create user." : "Неможе да додадам корисник.", - "Unable to delete user." : "Неможам да избришам корисник", - "Unable to change full name" : "Не можам да го променам целото име", - "Your full name has been changed." : "Вашето целосно име е променето.", - "Forbidden" : "Забрането", - "Invalid user" : "Неправилен корисник", - "Unable to change mail address" : "Не можам да ја променам електронската адреса/пошта", - "Email saved" : "Електронската пошта е снимена", - "Your %s account was created" : "Вашата %s сметка е креирана", - "Couldn't remove app." : "Не можам да ја отстранам апликацијата.", - "Couldn't update app." : "Не можам да ја надградам апликацијата.", - "Add trusted domain" : "Додади доверлив домејн", - "Migration started …" : "Миграцијата е започнаа ...", - "Email sent" : "Е-порака пратена", - "Official" : "Официјален", - "All" : "Сите", - "Update to %s" : "Надгради на %s", - "No apps found for your version" : "За вашата верзија не се пронајдени апликации", - "Error while disabling app" : "Грешка при исклучувањето на апликацијата", - "Disable" : "Оневозможи", - "Enable" : "Овозможи", - "Error while enabling app" : "Грешка при вклучувањето на апликацијата", - "Updated" : "Надграден", - "Approved" : "Одобрен", - "Experimental" : "Експериментален", - "Valid until {date}" : "Валидно до {date}", - "Delete" : "Избриши", - "Select a profile picture" : "Одбери фотографија за профилот", - "Very weak password" : "Многу слаба лозинка", - "Weak password" : "Слаба лозинка", - "So-so password" : "Така така лозинка", - "Good password" : "Добра лозинка", - "Strong password" : "Јака лозинка", - "Groups" : "Групи", - "Unable to delete {objName}" : "Не можам да избришам {objName}", - "Error creating group: {message}" : "Грешка при креирање на група: {message}", - "A valid group name must be provided" : "Мора да се обезбеди валидно име на група", - "deleted {groupName}" : "избришано {groupName}", - "undo" : "врати", - "never" : "никогаш", - "deleted {userName}" : "избришан {userName}", - "A valid username must be provided" : "Мора да се обезбеди валидно корисничко име ", - "Error creating user: {message}" : "Грешка при креирање на корисник: {message}", - "A valid password must be provided" : "Мора да се обезбеди валидна лозинка", - "A valid email must be provided" : "Мора да се обезбеди валидна електронска пошта", - "Developer documentation" : "Документација за програмери", - "Documentation:" : "Документација:", - "Enable only for specific groups" : "Овозможи само на специфицирани групи", - "Forum" : "Форум", - "None" : "Ништо", - "Login" : "Најава", - "Plain" : "Чиста", - "NT LAN Manager" : "NT LAN Менаџер", - "Email server" : "Сервер за е-пошта", - "Open documentation" : "Отвори ја документацијата", - "Send mode" : "Мод на испраќање", - "Encryption" : "Енкрипција", - "From address" : "Од адреса", - "mail" : "Електронска пошта", - "Authentication method" : "Метод на автентификација", - "Authentication required" : "Потребна е автентификација", - "Server address" : "Адреса на сервер", - "Port" : "Порта", - "Credentials" : "Акредитиви", - "SMTP Username" : "SMTP корисничко име", - "SMTP Password" : "SMTP лозинка", - "Test email settings" : "Провери ги нагодувањаа за електронска пошта", - "Send email" : "Испрати пошта", - "Server-side encryption" : "Енкрипција на страна на серверот", - "Enable server-side encryption" : "Овозможи енкрипција на страна на серверот", - "Enable encryption" : "Овозможи енкрипција", - "Start migration" : "Започни ја миграцијата", - "Security & setup warnings" : "Предупредувања за сигурност и подесувања", - "All checks passed." : "Сите проверки се поминати.", - "Execute one task with each page loaded" : "Изврши по една задача со секоја вчитана страница", - "Version" : "Верзија", - "Sharing" : "Споделување", - "Allow apps to use the Share API" : "Дозволете апликациите да го користат API-то за споделување", - "Allow users to share via link" : "Допушти корисниците да споделуваат со линкови", - "Allow public uploads" : "Дозволи јавен аплоуд", - "Enforce password protection" : "Наметни заштита на лозинка", - "Set default expiration date" : "Постави основен датум на истекување", - "Expire after " : "Истекува по", - "days" : "денови", - "Enforce expiration date" : "Наметни датум на траење", - "Allow resharing" : "Овозможи повторно споделување", - "Allow sharing with groups" : "Овозможи споделување со групи", - "Restrict users to only share with users in their groups" : "Ограничи корисниците да споделуваат со корисници во своите групи", - "Exclude groups from sharing" : "Исклучи групи од споделување", - "Tips & tricks" : "Совети и трикови", - "How to do backups" : "Како да правам резервни копии", - "Performance tuning" : "Нагодување на перформансите", - "Improving the config.php" : "Подобруваер на config.php", - "Theming" : "Поставување на тема", - "Hardening and security guidance" : "Заштита и насоки за безбедност", - "Profile picture" : "Фотографија за профил", - "Upload new" : "Префрли нова", - "Remove image" : "Отстрани ја фотографијата", - "Cancel" : "Откажи", - "Email" : "Е-пошта", - "Your email address" : "Вашата адреса за е-пошта", - "Language" : "Јазик", - "Help translate" : "Помогни во преводот", - "Password" : "Лозинка", - "Current password" : "Моментална лозинка", - "New password" : "Нова лозинка", - "Change password" : "Смени лозинка", - "Username" : "Корисничко име", - "Create" : "Создај", - "Admin Recovery Password" : "Обновување на Admin лозинката", - "Everyone" : "Секој", - "Admins" : "Администратори", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Ве молам внесете квота за просторот (нпр: \"512 MB\" или \"12 GB\")", - "Unlimited" : "Неограничено", - "Other" : "Останато", - "Quota" : "Квота", - "change full name" : "промена на целото име", - "set new password" : "постави нова лозинка", - "Default" : "Предефиниран" -}, -"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/settings/l10n/mk.json b/settings/l10n/mk.json deleted file mode 100644 index 24f50593a39d3..0000000000000 --- a/settings/l10n/mk.json +++ /dev/null @@ -1,137 +0,0 @@ -{ "translations": { - "Wrong password" : "Погрешна лозинка", - "Saved" : "Снимено", - "No user supplied" : "Нема корисничко име", - "Unable to change password" : "Вашата лозинка неможе да се смени", - "Authentication error" : "Грешка во автентикација", - "Wrong admin recovery password. Please check the password and try again." : "Погрешна лозинка за поврат на администраторот. Ве молам проверете ја лозинката и пробајте повторно.", - "Federated Cloud Sharing" : "Федерирано клауд споделување", - "A problem occurred, please check your log files (Error: %s)" : "Се случи грешка, ве молам проверете ги вашите датотеки за логови (Грешка: %s)", - "Migration Completed" : "Миграцијата заврши", - "Group already exists." : "Групата веќе постои.", - "Unable to add group." : "Не можам да додадам група.", - "Unable to delete group." : "Не можам да избришам група.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Се случи грешка при праќање на порака. Ве молам проверете ги вашите подесувања. (Error: %s)", - "Invalid mail address" : "Неправилна електронска адреса/пошта", - "A user with that name already exists." : "Корисник со ова име веќе постои.", - "Unable to create user." : "Неможе да додадам корисник.", - "Unable to delete user." : "Неможам да избришам корисник", - "Unable to change full name" : "Не можам да го променам целото име", - "Your full name has been changed." : "Вашето целосно име е променето.", - "Forbidden" : "Забрането", - "Invalid user" : "Неправилен корисник", - "Unable to change mail address" : "Не можам да ја променам електронската адреса/пошта", - "Email saved" : "Електронската пошта е снимена", - "Your %s account was created" : "Вашата %s сметка е креирана", - "Couldn't remove app." : "Не можам да ја отстранам апликацијата.", - "Couldn't update app." : "Не можам да ја надградам апликацијата.", - "Add trusted domain" : "Додади доверлив домејн", - "Migration started …" : "Миграцијата е започнаа ...", - "Email sent" : "Е-порака пратена", - "Official" : "Официјален", - "All" : "Сите", - "Update to %s" : "Надгради на %s", - "No apps found for your version" : "За вашата верзија не се пронајдени апликации", - "Error while disabling app" : "Грешка при исклучувањето на апликацијата", - "Disable" : "Оневозможи", - "Enable" : "Овозможи", - "Error while enabling app" : "Грешка при вклучувањето на апликацијата", - "Updated" : "Надграден", - "Approved" : "Одобрен", - "Experimental" : "Експериментален", - "Valid until {date}" : "Валидно до {date}", - "Delete" : "Избриши", - "Select a profile picture" : "Одбери фотографија за профилот", - "Very weak password" : "Многу слаба лозинка", - "Weak password" : "Слаба лозинка", - "So-so password" : "Така така лозинка", - "Good password" : "Добра лозинка", - "Strong password" : "Јака лозинка", - "Groups" : "Групи", - "Unable to delete {objName}" : "Не можам да избришам {objName}", - "Error creating group: {message}" : "Грешка при креирање на група: {message}", - "A valid group name must be provided" : "Мора да се обезбеди валидно име на група", - "deleted {groupName}" : "избришано {groupName}", - "undo" : "врати", - "never" : "никогаш", - "deleted {userName}" : "избришан {userName}", - "A valid username must be provided" : "Мора да се обезбеди валидно корисничко име ", - "Error creating user: {message}" : "Грешка при креирање на корисник: {message}", - "A valid password must be provided" : "Мора да се обезбеди валидна лозинка", - "A valid email must be provided" : "Мора да се обезбеди валидна електронска пошта", - "Developer documentation" : "Документација за програмери", - "Documentation:" : "Документација:", - "Enable only for specific groups" : "Овозможи само на специфицирани групи", - "Forum" : "Форум", - "None" : "Ништо", - "Login" : "Најава", - "Plain" : "Чиста", - "NT LAN Manager" : "NT LAN Менаџер", - "Email server" : "Сервер за е-пошта", - "Open documentation" : "Отвори ја документацијата", - "Send mode" : "Мод на испраќање", - "Encryption" : "Енкрипција", - "From address" : "Од адреса", - "mail" : "Електронска пошта", - "Authentication method" : "Метод на автентификација", - "Authentication required" : "Потребна е автентификација", - "Server address" : "Адреса на сервер", - "Port" : "Порта", - "Credentials" : "Акредитиви", - "SMTP Username" : "SMTP корисничко име", - "SMTP Password" : "SMTP лозинка", - "Test email settings" : "Провери ги нагодувањаа за електронска пошта", - "Send email" : "Испрати пошта", - "Server-side encryption" : "Енкрипција на страна на серверот", - "Enable server-side encryption" : "Овозможи енкрипција на страна на серверот", - "Enable encryption" : "Овозможи енкрипција", - "Start migration" : "Започни ја миграцијата", - "Security & setup warnings" : "Предупредувања за сигурност и подесувања", - "All checks passed." : "Сите проверки се поминати.", - "Execute one task with each page loaded" : "Изврши по една задача со секоја вчитана страница", - "Version" : "Верзија", - "Sharing" : "Споделување", - "Allow apps to use the Share API" : "Дозволете апликациите да го користат API-то за споделување", - "Allow users to share via link" : "Допушти корисниците да споделуваат со линкови", - "Allow public uploads" : "Дозволи јавен аплоуд", - "Enforce password protection" : "Наметни заштита на лозинка", - "Set default expiration date" : "Постави основен датум на истекување", - "Expire after " : "Истекува по", - "days" : "денови", - "Enforce expiration date" : "Наметни датум на траење", - "Allow resharing" : "Овозможи повторно споделување", - "Allow sharing with groups" : "Овозможи споделување со групи", - "Restrict users to only share with users in their groups" : "Ограничи корисниците да споделуваат со корисници во своите групи", - "Exclude groups from sharing" : "Исклучи групи од споделување", - "Tips & tricks" : "Совети и трикови", - "How to do backups" : "Како да правам резервни копии", - "Performance tuning" : "Нагодување на перформансите", - "Improving the config.php" : "Подобруваер на config.php", - "Theming" : "Поставување на тема", - "Hardening and security guidance" : "Заштита и насоки за безбедност", - "Profile picture" : "Фотографија за профил", - "Upload new" : "Префрли нова", - "Remove image" : "Отстрани ја фотографијата", - "Cancel" : "Откажи", - "Email" : "Е-пошта", - "Your email address" : "Вашата адреса за е-пошта", - "Language" : "Јазик", - "Help translate" : "Помогни во преводот", - "Password" : "Лозинка", - "Current password" : "Моментална лозинка", - "New password" : "Нова лозинка", - "Change password" : "Смени лозинка", - "Username" : "Корисничко име", - "Create" : "Создај", - "Admin Recovery Password" : "Обновување на Admin лозинката", - "Everyone" : "Секој", - "Admins" : "Администратори", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Ве молам внесете квота за просторот (нпр: \"512 MB\" или \"12 GB\")", - "Unlimited" : "Неограничено", - "Other" : "Останато", - "Quota" : "Квота", - "change full name" : "промена на целото име", - "set new password" : "постави нова лозинка", - "Default" : "Предефиниран" -},"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" -} \ No newline at end of file diff --git a/settings/l10n/mn.js b/settings/l10n/mn.js deleted file mode 100644 index efdef8b282feb..0000000000000 --- a/settings/l10n/mn.js +++ /dev/null @@ -1,99 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} таны нууц үгийг солив", - "You changed your password" : "Та өөрийн нууц үг солив", - "Your password was reset by an administrator" : "Зохицуулагч таны нууц үгийг солив", - "{actor} changed your email address" : "{actor} таны цахим шуудангийн хаягийг солив", - "You changed your email address" : "Та өөрийн цахим шуудангийн хаягийг солив", - "Your email address was changed by an administrator" : "Зохицуулагч таны цахим шуудангийн хаягийг солив", - "Security" : "Хамгаалалт", - "Your apps" : "Таны аппликэйшнүүд", - "Enabled apps" : "Идэвхижүүлсэн аппликэйшнүүд", - "Disabled apps" : "Идэвхижээгүй аппликэйшнүүд", - "App bundles" : "Аппликэйшны багц", - "Wrong password" : "Нууц үг буруу байна", - "Saved" : "Хадгалагдсан", - "Unable to change password" : "Нууц үг солих боломжгүй", - "Authentication error" : "Нотолгооны алдаа", - "Group already exists." : "Бүлэг аль хэдийн үүссэн байна", - "Unable to add group." : "Бүлэг нэмэх боломжгүй", - "Unable to delete group." : "Бүлэг устгах боломжгүй", - "Invalid SMTP password." : "SMTP -н нууц үг буруу байна ", - "Email setting test" : "Цахим шуудангийн тохиргоог шалгах", - "If you received this email, the email configuration seems to be correct." : "Хэрэв та энэ цахим захидалыг хүлээн авсан бол цахим шуудангийн тохиргоо нь зөв байна.", - "Email could not be sent. Check your mail server log" : "Цахим захидлыг илгээж чадсангүй. Цахим шуудангийн серверийн лог шалгана уу.", - "Unable to create user." : "Хэрэглэгч үүсгэх боломжгүй", - "Unable to delete user." : "Хэрэглэгч устгах боломжгүй", - "Error while enabling user." : "Хэрэглэгчийг идэвхижүүлэхэд алдаа гарлаа.", - "Error while disabling user." : "Хэрэглэгчийг идэвхигүй болгоход алдаа гарлаа.", - "Settings saved" : "Тохиргоо хадгалагдлаа", - "Unable to change full name" : "Бүтэн нэрийг солих боломжгүй", - "Unable to change email address" : "Цахим шуудангийн хаягийг солих боломжгүй", - "Your full name has been changed." : "Таны бүтэн нэр солигдов.", - "Forbidden" : "Хориотой", - "Invalid user" : "Буруу хэрэглэгч", - "Unable to change mail address" : "Цахим шуудангийн хаягийг солих боломжгүй", - "Email saved" : "Цахим шуудангийн хаяг хадгалагдлаа", - "If you did not request this, please contact an administrator." : "Хэрэв та энэ хүсэлтийг илгээгээгүй бол зохицуулагч руу хандана уу.", - "Set your password" : "Нууц үгээ тохируулна уу", - "Sending…" : "Илгээх...", - "Updated" : "Шинэчлэгдсэн", - "Groups" : "Бүлгүүд", - "never" : "хэзээ ч үгүй", - "Add group" : "Бүлэг нэмэх", - "Documentation:" : "Баримт бичиг:", - "User documentation" : "Хэрэглэгчийн баримт бичиг", - "Admin documentation" : "Админы баримт бичиг", - "Visit website" : "Цахим хуудсаар зочлох", - "Show description …" : "Тайлбарыг харуулах", - "Hide description …" : "Тайлбарыг нуух", - "Administrator documentation" : "Админы баримт бичиг", - "Online documentation" : "Онлайн баримт бичиг", - "Forum" : "Хэлэлцүүлэг", - "Getting help" : "Тусламж авах", - "mail" : "и-мэйл", - "Version" : "Хувилбар", - "Always ask for a password" : "Үргэлж нууц үг асуух", - "Enforce password protection" : "Нууц үгийн хамгаалалтыг хэрэгжүүлэх", - "Expire after " : " Дуусах хугацаа", - "days" : "өдрийн дараа", - "Tips & tricks" : "Заавар зөвөлгөө", - "Profile picture" : "Профайл зураг", - "Upload new" : "Шинийг байршуулах", - "Select from Files" : "Файлуудаас сонгох", - "Remove image" : "Зургийг хасах", - "Cancel" : "Цуцлах", - "Choose as profile picture" : "Профайл зургаа сонгоно уу", - "Full name" : "Бүтэн нэр", - "Email" : "Цахим шуудан", - "Phone number" : "Утасны дугаар", - "Your phone number" : "Таны утасны дугаар", - "Address" : "Хаяг", - "Your postal address" : "Таны шуудангийн хаяг", - "Website" : "Цахим хуудас", - "You are member of the following groups:" : "Та дараах бүлгүүдийн гишүүн:", - "Language" : "Хэл", - "Password" : "Нууц үг", - "Current password" : "Одоогийн нууц үг", - "New password" : "Шинэ нууц үг", - "Change password" : "Нууц үг солих", - "Device" : "Төхөөрөмж", - "Last activity" : "Хамгийн сүүлийн үйлдэл", - "App name" : "Аппликэйшны нэр", - "Username" : "Хэрэглэгчийн нэр", - "Done" : "Дууссан", - "Settings" : "Тохиргоо", - "Show email address" : "Цахим шуудангийн хаягийг харуулах", - "Send email to new user" : "Шинэ хэрэглэгч рүү цахим шуудан илгээх", - "E-Mail" : "Цахим шуудангийн хаяг", - "Create" : "Шинээр үүсгэх", - "Everyone" : "Бүх хэрэглэгчид", - "Admins" : "Админууд", - "Disabled" : "Идэвхигүй", - "Other" : "Бусад", - "Last login" : "Сүүлд нэвтэрсэн огноо", - "set new password" : "шинэ нууц үг тохируулах", - "change email address" : "цахим шуудангийн хаягийг өөрчлөх" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/mn.json b/settings/l10n/mn.json deleted file mode 100644 index 88ffb64cd7a34..0000000000000 --- a/settings/l10n/mn.json +++ /dev/null @@ -1,97 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} таны нууц үгийг солив", - "You changed your password" : "Та өөрийн нууц үг солив", - "Your password was reset by an administrator" : "Зохицуулагч таны нууц үгийг солив", - "{actor} changed your email address" : "{actor} таны цахим шуудангийн хаягийг солив", - "You changed your email address" : "Та өөрийн цахим шуудангийн хаягийг солив", - "Your email address was changed by an administrator" : "Зохицуулагч таны цахим шуудангийн хаягийг солив", - "Security" : "Хамгаалалт", - "Your apps" : "Таны аппликэйшнүүд", - "Enabled apps" : "Идэвхижүүлсэн аппликэйшнүүд", - "Disabled apps" : "Идэвхижээгүй аппликэйшнүүд", - "App bundles" : "Аппликэйшны багц", - "Wrong password" : "Нууц үг буруу байна", - "Saved" : "Хадгалагдсан", - "Unable to change password" : "Нууц үг солих боломжгүй", - "Authentication error" : "Нотолгооны алдаа", - "Group already exists." : "Бүлэг аль хэдийн үүссэн байна", - "Unable to add group." : "Бүлэг нэмэх боломжгүй", - "Unable to delete group." : "Бүлэг устгах боломжгүй", - "Invalid SMTP password." : "SMTP -н нууц үг буруу байна ", - "Email setting test" : "Цахим шуудангийн тохиргоог шалгах", - "If you received this email, the email configuration seems to be correct." : "Хэрэв та энэ цахим захидалыг хүлээн авсан бол цахим шуудангийн тохиргоо нь зөв байна.", - "Email could not be sent. Check your mail server log" : "Цахим захидлыг илгээж чадсангүй. Цахим шуудангийн серверийн лог шалгана уу.", - "Unable to create user." : "Хэрэглэгч үүсгэх боломжгүй", - "Unable to delete user." : "Хэрэглэгч устгах боломжгүй", - "Error while enabling user." : "Хэрэглэгчийг идэвхижүүлэхэд алдаа гарлаа.", - "Error while disabling user." : "Хэрэглэгчийг идэвхигүй болгоход алдаа гарлаа.", - "Settings saved" : "Тохиргоо хадгалагдлаа", - "Unable to change full name" : "Бүтэн нэрийг солих боломжгүй", - "Unable to change email address" : "Цахим шуудангийн хаягийг солих боломжгүй", - "Your full name has been changed." : "Таны бүтэн нэр солигдов.", - "Forbidden" : "Хориотой", - "Invalid user" : "Буруу хэрэглэгч", - "Unable to change mail address" : "Цахим шуудангийн хаягийг солих боломжгүй", - "Email saved" : "Цахим шуудангийн хаяг хадгалагдлаа", - "If you did not request this, please contact an administrator." : "Хэрэв та энэ хүсэлтийг илгээгээгүй бол зохицуулагч руу хандана уу.", - "Set your password" : "Нууц үгээ тохируулна уу", - "Sending…" : "Илгээх...", - "Updated" : "Шинэчлэгдсэн", - "Groups" : "Бүлгүүд", - "never" : "хэзээ ч үгүй", - "Add group" : "Бүлэг нэмэх", - "Documentation:" : "Баримт бичиг:", - "User documentation" : "Хэрэглэгчийн баримт бичиг", - "Admin documentation" : "Админы баримт бичиг", - "Visit website" : "Цахим хуудсаар зочлох", - "Show description …" : "Тайлбарыг харуулах", - "Hide description …" : "Тайлбарыг нуух", - "Administrator documentation" : "Админы баримт бичиг", - "Online documentation" : "Онлайн баримт бичиг", - "Forum" : "Хэлэлцүүлэг", - "Getting help" : "Тусламж авах", - "mail" : "и-мэйл", - "Version" : "Хувилбар", - "Always ask for a password" : "Үргэлж нууц үг асуух", - "Enforce password protection" : "Нууц үгийн хамгаалалтыг хэрэгжүүлэх", - "Expire after " : " Дуусах хугацаа", - "days" : "өдрийн дараа", - "Tips & tricks" : "Заавар зөвөлгөө", - "Profile picture" : "Профайл зураг", - "Upload new" : "Шинийг байршуулах", - "Select from Files" : "Файлуудаас сонгох", - "Remove image" : "Зургийг хасах", - "Cancel" : "Цуцлах", - "Choose as profile picture" : "Профайл зургаа сонгоно уу", - "Full name" : "Бүтэн нэр", - "Email" : "Цахим шуудан", - "Phone number" : "Утасны дугаар", - "Your phone number" : "Таны утасны дугаар", - "Address" : "Хаяг", - "Your postal address" : "Таны шуудангийн хаяг", - "Website" : "Цахим хуудас", - "You are member of the following groups:" : "Та дараах бүлгүүдийн гишүүн:", - "Language" : "Хэл", - "Password" : "Нууц үг", - "Current password" : "Одоогийн нууц үг", - "New password" : "Шинэ нууц үг", - "Change password" : "Нууц үг солих", - "Device" : "Төхөөрөмж", - "Last activity" : "Хамгийн сүүлийн үйлдэл", - "App name" : "Аппликэйшны нэр", - "Username" : "Хэрэглэгчийн нэр", - "Done" : "Дууссан", - "Settings" : "Тохиргоо", - "Show email address" : "Цахим шуудангийн хаягийг харуулах", - "Send email to new user" : "Шинэ хэрэглэгч рүү цахим шуудан илгээх", - "E-Mail" : "Цахим шуудангийн хаяг", - "Create" : "Шинээр үүсгэх", - "Everyone" : "Бүх хэрэглэгчид", - "Admins" : "Админууд", - "Disabled" : "Идэвхигүй", - "Other" : "Бусад", - "Last login" : "Сүүлд нэвтэрсэн огноо", - "set new password" : "шинэ нууц үг тохируулах", - "change email address" : "цахим шуудангийн хаягийг өөрчлөх" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/ms_MY.js b/settings/l10n/ms_MY.js deleted file mode 100644 index 6b5a14f814a1d..0000000000000 --- a/settings/l10n/ms_MY.js +++ /dev/null @@ -1,28 +0,0 @@ -OC.L10N.register( - "settings", - { - "Authentication error" : "Ralat pengesahan", - "Email saved" : "Emel disimpan", - "Disable" : "Nyahaktif", - "Enable" : "Aktif", - "Delete" : "Padam", - "Groups" : "Kumpulan", - "never" : "jangan", - "Login" : "Log masuk", - "Server address" : "Alamat pelayan", - "Profile picture" : "Gambar profil", - "Cancel" : "Batal", - "Email" : "Email", - "Your email address" : "Alamat emel anda", - "Language" : "Bahasa", - "Help translate" : "Bantu terjemah", - "Password" : "Kata laluan", - "Current password" : "Kata laluan semasa", - "New password" : "Kata laluan baru", - "Change password" : "Ubah kata laluan", - "Username" : "Nama pengguna", - "Create" : "Buat", - "Other" : "Lain", - "Quota" : "Kuota" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/ms_MY.json b/settings/l10n/ms_MY.json deleted file mode 100644 index 2ad03a8612aa4..0000000000000 --- a/settings/l10n/ms_MY.json +++ /dev/null @@ -1,26 +0,0 @@ -{ "translations": { - "Authentication error" : "Ralat pengesahan", - "Email saved" : "Emel disimpan", - "Disable" : "Nyahaktif", - "Enable" : "Aktif", - "Delete" : "Padam", - "Groups" : "Kumpulan", - "never" : "jangan", - "Login" : "Log masuk", - "Server address" : "Alamat pelayan", - "Profile picture" : "Gambar profil", - "Cancel" : "Batal", - "Email" : "Email", - "Your email address" : "Alamat emel anda", - "Language" : "Bahasa", - "Help translate" : "Bantu terjemah", - "Password" : "Kata laluan", - "Current password" : "Kata laluan semasa", - "New password" : "Kata laluan baru", - "Change password" : "Ubah kata laluan", - "Username" : "Nama pengguna", - "Create" : "Buat", - "Other" : "Lain", - "Quota" : "Kuota" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index 0edfba98a3fcb..270c68fc44daa 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -383,6 +383,10 @@ OC.L10N.register( "change full name" : "endre fullt navn", "set new password" : "sett nytt passord", "change email address" : "endre e-postadresse", - "Default" : "Forvalg" + "Default" : "Forvalg", + "Desktop client" : "Skrivebordsklient", + "Android app" : "Android-program", + "iOS app" : "iOS-program", + "Group name" : "Gruppenavn" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index 1ec455f9d96df..91a8add82c8c3 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -381,6 +381,10 @@ "change full name" : "endre fullt navn", "set new password" : "sett nytt passord", "change email address" : "endre e-postadresse", - "Default" : "Forvalg" + "Default" : "Forvalg", + "Desktop client" : "Skrivebordsklient", + "Android app" : "Android-program", + "iOS app" : "iOS-program", + "Group name" : "Gruppenavn" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/nn_NO.js b/settings/l10n/nn_NO.js deleted file mode 100644 index bb8a308ef0174..0000000000000 --- a/settings/l10n/nn_NO.js +++ /dev/null @@ -1,62 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "Feil passord", - "No user supplied" : "Ingen brukar gjeve", - "Unable to change password" : "Klarte ikkje å endra passordet", - "Authentication error" : "Autentiseringsfeil", - "Wrong admin recovery password. Please check the password and try again." : "Feil admingjenopprettingspassord. Ver venleg og sjekk passordet og prøv igjen.", - "Email saved" : "E-postadresse lagra", - "Couldn't update app." : "Klarte ikkje oppdatera programmet.", - "Email sent" : "E-post sendt", - "All" : "Alle", - "Error while disabling app" : "Klarte ikkje å skru av programmet", - "Disable" : "Slå av", - "Enable" : "Slå på", - "Error while enabling app" : "Klarte ikkje å skru på programmet", - "Updated" : "Oppdatert", - "Delete" : "Slett", - "Select a profile picture" : "Vel eit profilbilete", - "Very weak password" : "Veldig svakt passord", - "Weak password" : "Svakt passord", - "So-so password" : "Middelmåtig passord", - "Good password" : "OK passord", - "Strong password" : "Sterkt passord", - "Groups" : "Grupper", - "undo" : "angra", - "never" : "aldri", - "A valid username must be provided" : "Du må oppgje eit gyldig brukarnamn", - "A valid password must be provided" : "Du må oppgje eit gyldig passord", - "Forum" : "Forum", - "Login" : "Logg inn", - "Encryption" : "Kryptering", - "Server address" : "Tenaradresse", - "Execute one task with each page loaded" : "Utfør éi oppgåve for kvar sidelasting", - "Version" : "Utgåve", - "Sharing" : "Deling", - "Allow apps to use the Share API" : "La app-ar bruka API-et til deling", - "Allow public uploads" : "Tillat offentlege opplastingar", - "Allow resharing" : "Tillat vidaredeling", - "Profile picture" : "Profilbilete", - "Upload new" : "Last opp ny", - "Remove image" : "Fjern bilete", - "Cancel" : "Avbryt", - "Email" : "E-post", - "Your email address" : "Di epost-adresse", - "Language" : "Språk", - "Help translate" : "Hjelp oss å omsetja", - "Password" : "Passord", - "Current password" : "Passord", - "New password" : "Nytt passord", - "Change password" : "Endra passord", - "Username" : "Brukarnamn", - "Create" : "Lag", - "Admin Recovery Password" : "Gjenopprettingspassord for administrator", - "Enter the recovery password in order to recover the users files during password change" : "Skriv inn gjenopprettingspassordet brukt for å gjenoppretta brukarfilene ved passordendring", - "Unlimited" : "Ubegrensa", - "Other" : "Anna", - "Quota" : "Kvote", - "set new password" : "lag nytt passord", - "Default" : "Standard" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/nn_NO.json b/settings/l10n/nn_NO.json deleted file mode 100644 index 6db71716c672f..0000000000000 --- a/settings/l10n/nn_NO.json +++ /dev/null @@ -1,60 +0,0 @@ -{ "translations": { - "Wrong password" : "Feil passord", - "No user supplied" : "Ingen brukar gjeve", - "Unable to change password" : "Klarte ikkje å endra passordet", - "Authentication error" : "Autentiseringsfeil", - "Wrong admin recovery password. Please check the password and try again." : "Feil admingjenopprettingspassord. Ver venleg og sjekk passordet og prøv igjen.", - "Email saved" : "E-postadresse lagra", - "Couldn't update app." : "Klarte ikkje oppdatera programmet.", - "Email sent" : "E-post sendt", - "All" : "Alle", - "Error while disabling app" : "Klarte ikkje å skru av programmet", - "Disable" : "Slå av", - "Enable" : "Slå på", - "Error while enabling app" : "Klarte ikkje å skru på programmet", - "Updated" : "Oppdatert", - "Delete" : "Slett", - "Select a profile picture" : "Vel eit profilbilete", - "Very weak password" : "Veldig svakt passord", - "Weak password" : "Svakt passord", - "So-so password" : "Middelmåtig passord", - "Good password" : "OK passord", - "Strong password" : "Sterkt passord", - "Groups" : "Grupper", - "undo" : "angra", - "never" : "aldri", - "A valid username must be provided" : "Du må oppgje eit gyldig brukarnamn", - "A valid password must be provided" : "Du må oppgje eit gyldig passord", - "Forum" : "Forum", - "Login" : "Logg inn", - "Encryption" : "Kryptering", - "Server address" : "Tenaradresse", - "Execute one task with each page loaded" : "Utfør éi oppgåve for kvar sidelasting", - "Version" : "Utgåve", - "Sharing" : "Deling", - "Allow apps to use the Share API" : "La app-ar bruka API-et til deling", - "Allow public uploads" : "Tillat offentlege opplastingar", - "Allow resharing" : "Tillat vidaredeling", - "Profile picture" : "Profilbilete", - "Upload new" : "Last opp ny", - "Remove image" : "Fjern bilete", - "Cancel" : "Avbryt", - "Email" : "E-post", - "Your email address" : "Di epost-adresse", - "Language" : "Språk", - "Help translate" : "Hjelp oss å omsetja", - "Password" : "Passord", - "Current password" : "Passord", - "New password" : "Nytt passord", - "Change password" : "Endra passord", - "Username" : "Brukarnamn", - "Create" : "Lag", - "Admin Recovery Password" : "Gjenopprettingspassord for administrator", - "Enter the recovery password in order to recover the users files during password change" : "Skriv inn gjenopprettingspassordet brukt for å gjenoppretta brukarfilene ved passordendring", - "Unlimited" : "Ubegrensa", - "Other" : "Anna", - "Quota" : "Kvote", - "set new password" : "lag nytt passord", - "Default" : "Standard" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/ro.js b/settings/l10n/ro.js deleted file mode 100644 index 35b31ce2dfae7..0000000000000 --- a/settings/l10n/ro.js +++ /dev/null @@ -1,221 +0,0 @@ -OC.L10N.register( - "settings", - { - "You changed your password" : "Ți-ai schimbat parola", - "You changed your email address" : "Ți-ai schimbat adresa de email", - "Your email address was changed by an administrator" : "Adresa ta de email a fost modificată de un administrator", - "Security" : "Securitate", - "Your apps" : "Aplicațiile tale", - "Updates" : "Actualizări", - "Enabled apps" : "Aplicații active", - "Disabled apps" : "Aplicații inactive", - "Wrong password" : "Parolă greșită", - "Saved" : "Salvat", - "No user supplied" : "Nu a fost furnizat niciun utilizator", - "Unable to change password" : "Imposibil de schimbat parola", - "Authentication error" : "Eroare la autentificare", - "Wrong admin recovery password. Please check the password and try again." : "Parolă administrativă de recuperare greșită. Verifică parola și încearcă din nou.", - "Federated Cloud Sharing" : "Partajare federalizata cloud", - "Migration Completed" : "Migrare încheiată", - "Group already exists." : "Grupul există deja.", - "Unable to add group." : "Nu se poate adăuga grupul.", - "Unable to delete group." : "Nu se poate șterge grupul.", - "Invalid SMTP password." : "Parolă SMTP invalidă.", - "Email setting test" : "Test setări email", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : " A apărut o problemă la trimiterea emailului. Verifică-ți setărie. (Eroare: %s)", - "You need to set your user email before being able to send test emails." : "Trebuie să îți setezi emailul de utilizator înainte de a putea să trimiți emailuri.", - "Invalid mail address" : "Adresa mail invalidă", - "No valid group selected" : "Niciun grup valid selectat", - "A user with that name already exists." : "Există deja un utilizator cu acest nume.", - "Unable to create user." : "Imposibil de creat utilizatorul.", - "Unable to delete user." : "Imposibil de șters utilizatorul.", - "Error while enabling user." : "Eroare în timpul activării utilizatorului.", - "Error while disabling user." : "Eroare în timpul dezactivării utilizatorului.", - "Unable to change full name" : "Nu s-a putut schimba numele complet", - "Your full name has been changed." : "Numele tău complet a fost schimbat.", - "Forbidden" : "Interzis", - "Invalid user" : "Utilizator invalid", - "Unable to change mail address" : "Nu s-a putut schimba adresa email", - "Email saved" : "E-mail salvat", - "Email address changed for %s" : "Adresa de email schimbată în %s", - "The new email address is %s" : "Adresa de email nouă este%s", - "Your %s account was created" : "Contul tău %s a fost creat", - "Your username is: %s" : "Utilizatorul tău este: %s", - "Set your password" : "Setează parola", - "Install Client" : "Instalează client", - "Password confirmation is required" : "Confirmarea parolei este necesară", - "Couldn't remove app." : "Nu s-a putut înlătura aplicația.", - "Couldn't update app." : "Aplicaţia nu s-a putut actualiza.", - "Are you really sure you want add {domain} as trusted domain?" : "Ești sigur că vrei sa adaugi {domain} ca domeniu de încredere?", - "Add trusted domain" : "Adaugă domeniu de încredere", - "Migration in progress. Please wait until the migration is finished" : "Migrare în progres. Așteaptă până când migrarea este finalizată", - "Migration started …" : "Migrarea a început...", - "Not saved" : "Nu a fost salvat", - "Sending…" : "Se trimite...", - "Email sent" : "Mesajul a fost expediat", - "Official" : "Oficial", - "All" : "Toate ", - "No apps found for your version" : "Nu au fost găsite aplicații pentru versiunea ta", - "The app will be downloaded from the app store" : "Aplicația va fi descărcată din magazin", - "Error while disabling app" : "Eroare în timpul dezactivării aplicației", - "Disable" : "Dezactivați", - "Enable" : "Activare", - "Error while enabling app" : "Eroare în timpul activării applicației", - "Updated" : "Actualizat", - "Approved" : "Aprobat", - "Experimental" : "Experimental", - "Disconnect" : "Deconectare", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome for Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS Client", - "Android Client" : "Android Client", - "Copy" : "Copiază", - "Copied!" : "S-a copiat!", - "Not supported!" : "Nu este suportat!", - "Press ⌘-C to copy." : "Apasă ⌘-C pentru copiere.", - "Press Ctrl-C to copy." : "Apasă Ctrl-C pentru copiere.", - "Valid until {date}" : "Valabil până la {date}", - "Delete" : "Șterge", - "Contacts" : "Contacte", - "Verify" : "Verifică", - "Verifying …" : "Se verifică ...", - "Select a profile picture" : "Selectează o imagine de profil", - "Very weak password" : "Parolă foarte slabă", - "Weak password" : "Parolă slabă", - "So-so password" : "Parolă medie", - "Good password" : "Parolă bună", - "Strong password" : "Parolă puternică", - "Groups" : "Grupuri", - "Unable to delete {objName}" : "Nu s-a putut șterge {objName}", - "Error creating group: {message}" : "Eroare la crearea grupului: {message}", - "A valid group name must be provided" : "Trebuie furnizat un nume de grup valid", - "deleted {groupName}" : "{groupName} s-a șters", - "undo" : "Anulează ultima acțiune", - "{size} used" : "{size} folosită", - "never" : "niciodată", - "deleted {userName}" : "{userName} șters", - "Add group" : "Adaugă grup", - "Invalid quota value \"{val}\"" : "Valoare cotă invalidă \"{val}\"", - "no group" : "niciun grup", - "Password successfully changed" : "Parola a fost modificată cu succes.", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Schimbarea parolei va rezulta în pierderea datelor deoarece recuperarea acestora nu este disponibilă pentru acest utilizator", - "A valid username must be provided" : "Trebuie să furnizaţi un nume de utilizator valid", - "Error creating user: {message}" : "Eroare la crearea utilizatorului: {message}", - "A valid password must be provided" : "Trebuie să furnizaţi o parolă validă", - "A valid email must be provided" : "Trebuie furnizată o adresă email validă", - "Developer documentation" : "Documentație pentru dezvoltatori", - "by %s" : "de %s", - "%s-licensed" : "%s-licențiat", - "Documentation:" : "Documentație:", - "User documentation" : "Documentație utilizator", - "Admin documentation" : "Documentație pentru administrare", - "Report a bug" : "Raportează un defect", - "Show description …" : "Arată descriere ...", - "Hide description …" : "Ascunde descriere ...", - "This app has an update available." : "Este disponibilă o actualizare pentru această aplicație.", - "Enable only for specific groups" : "Activează doar pentru grupuri specifice", - "SSL Root Certificates" : "Certificate SSL rădăcină", - "Common Name" : "Nume comun", - "Valid until" : "Valabil până la", - "Issued By" : "Emis de", - "Valid until %s" : "Valabil până la %s", - "Import root certificate" : "Importă certificat rădăcină", - "Administrator documentation" : "Documentație pentru administrare", - "Online documentation" : "Documentație online", - "Forum" : "Forum", - "Commercial support" : "Suport comercial", - "None" : "Niciuna", - "Login" : "Autentificare", - "Plain" : "Plain", - "NT LAN Manager" : "NT LAN Manager", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "Server de email", - "Open documentation" : "Deschide documentația", - "Send mode" : "Modul de expediere", - "Encryption" : "Încriptare", - "From address" : "De la adresa", - "mail" : "poștă", - "Authentication method" : "Modul de autentificare", - "Authentication required" : "Autentificare necesară", - "Server address" : "Adresa server-ului", - "Port" : "Portul", - "Credentials" : "Detalii de autentificare", - "SMTP Username" : "Nume utilizator SMTP", - "SMTP Password" : "Parolă SMTP", - "Store credentials" : "Stochează datele de autentificare", - "Test email settings" : "Verifică setările de e-mail", - "Send email" : "Expediază mesajul", - "Server-side encryption" : "Criptare la nivel de server", - "Enable server-side encryption" : "Activează criptarea pe server", - "Please read carefully before activating server-side encryption: " : "Citește cu atenție înainte să activezi criptarea pe server:", - "This is the final warning: Do you really want to enable encryption?" : "Aceasta este avertizarea finală: Chiar vrei să activezi criptarea?", - "Enable encryption" : "Activează criptarea", - "Select default encryption module:" : "Selectează modulul implicit de criptare:", - "Start migration" : "Pornește migrarea", - "Security & setup warnings" : "Alerte de securitate & configurare", - "All checks passed." : "Toate verificările s-au terminat fără erori.", - "Execute one task with each page loaded" : "Execută o sarcină la fiecare pagină încărcată", - "Version" : "Versiunea", - "Sharing" : "Partajare", - "Allow apps to use the Share API" : "Permite aplicațiilor să folosească API-ul de partajare", - "Allow users to share via link" : "Permite utilizatorilor să partajeze via link", - "Allow public uploads" : "Permite încărcări publice", - "Enforce password protection" : "Impune protecția prin parolă", - "Set default expiration date" : "Setează data implicită de expirare", - "Expire after " : "Expiră după", - "days" : "zile", - "Enforce expiration date" : "Impune data de expirare", - "Allow resharing" : "Permite repartajarea", - "Allow sharing with groups" : "Permite partajarea cu grupuri", - "Exclude groups from sharing" : "Exclude grupuri de la partajare", - "Tips & tricks" : "Tips & tricks", - "How to do backups" : "Cum să faci copii de rezervă", - "Profile picture" : "Imagine de profil", - "Upload new" : "Încarcă una nouă", - "Select from Files" : "Selectează din fișiere", - "Remove image" : "Înlătură imagine", - "png or jpg, max. 20 MB" : "png sau jpg, max. 20 MB", - "Cancel" : "Anulare", - "Choose as profile picture" : "Alege ca imagine de profil", - "Full name" : "Nume complet", - "Email" : "Email", - "Your email address" : "Adresa ta de email", - "Phone number" : "Număr telefon", - "Your phone number" : "Numărul tău de telefon", - "Address" : "Adresă", - "Your postal address" : "Adresă poștală", - "Website" : "Site web", - "Link https://…" : "Link https://…", - "Twitter" : "Twitter", - "Language" : "Limba", - "Help translate" : "Ajută la traducere", - "Password" : "Parolă", - "Current password" : "Parola curentă", - "New password" : "Noua parolă", - "Change password" : "Schimbă parola", - "Device" : "Dispozitiv", - "App name" : "Numele aplicației", - "Username" : "Nume utilizator", - "Settings" : "Setări", - "E-Mail" : "Email", - "Create" : "Crează", - "Admin Recovery Password" : "Parolă de recuperare a Administratorului", - "Enter the recovery password in order to recover the users files during password change" : "Introdu parola de recuperare pentru a recupera fișierele utilizatorilor în timpul schimbării parolei", - "Everyone" : "Toți", - "Admins" : "Administratori", - "Disabled" : "Dezactivați", - "Unlimited" : "Nelimitată", - "Other" : "Altele", - "Quota" : "Cotă", - "change full name" : "schimbă numele complet", - "set new password" : "setează parolă nouă", - "change email address" : "schimbă adresa email", - "Default" : "Implicită" -}, -"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); diff --git a/settings/l10n/ro.json b/settings/l10n/ro.json deleted file mode 100644 index 47bb572f694ec..0000000000000 --- a/settings/l10n/ro.json +++ /dev/null @@ -1,219 +0,0 @@ -{ "translations": { - "You changed your password" : "Ți-ai schimbat parola", - "You changed your email address" : "Ți-ai schimbat adresa de email", - "Your email address was changed by an administrator" : "Adresa ta de email a fost modificată de un administrator", - "Security" : "Securitate", - "Your apps" : "Aplicațiile tale", - "Updates" : "Actualizări", - "Enabled apps" : "Aplicații active", - "Disabled apps" : "Aplicații inactive", - "Wrong password" : "Parolă greșită", - "Saved" : "Salvat", - "No user supplied" : "Nu a fost furnizat niciun utilizator", - "Unable to change password" : "Imposibil de schimbat parola", - "Authentication error" : "Eroare la autentificare", - "Wrong admin recovery password. Please check the password and try again." : "Parolă administrativă de recuperare greșită. Verifică parola și încearcă din nou.", - "Federated Cloud Sharing" : "Partajare federalizata cloud", - "Migration Completed" : "Migrare încheiată", - "Group already exists." : "Grupul există deja.", - "Unable to add group." : "Nu se poate adăuga grupul.", - "Unable to delete group." : "Nu se poate șterge grupul.", - "Invalid SMTP password." : "Parolă SMTP invalidă.", - "Email setting test" : "Test setări email", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : " A apărut o problemă la trimiterea emailului. Verifică-ți setărie. (Eroare: %s)", - "You need to set your user email before being able to send test emails." : "Trebuie să îți setezi emailul de utilizator înainte de a putea să trimiți emailuri.", - "Invalid mail address" : "Adresa mail invalidă", - "No valid group selected" : "Niciun grup valid selectat", - "A user with that name already exists." : "Există deja un utilizator cu acest nume.", - "Unable to create user." : "Imposibil de creat utilizatorul.", - "Unable to delete user." : "Imposibil de șters utilizatorul.", - "Error while enabling user." : "Eroare în timpul activării utilizatorului.", - "Error while disabling user." : "Eroare în timpul dezactivării utilizatorului.", - "Unable to change full name" : "Nu s-a putut schimba numele complet", - "Your full name has been changed." : "Numele tău complet a fost schimbat.", - "Forbidden" : "Interzis", - "Invalid user" : "Utilizator invalid", - "Unable to change mail address" : "Nu s-a putut schimba adresa email", - "Email saved" : "E-mail salvat", - "Email address changed for %s" : "Adresa de email schimbată în %s", - "The new email address is %s" : "Adresa de email nouă este%s", - "Your %s account was created" : "Contul tău %s a fost creat", - "Your username is: %s" : "Utilizatorul tău este: %s", - "Set your password" : "Setează parola", - "Install Client" : "Instalează client", - "Password confirmation is required" : "Confirmarea parolei este necesară", - "Couldn't remove app." : "Nu s-a putut înlătura aplicația.", - "Couldn't update app." : "Aplicaţia nu s-a putut actualiza.", - "Are you really sure you want add {domain} as trusted domain?" : "Ești sigur că vrei sa adaugi {domain} ca domeniu de încredere?", - "Add trusted domain" : "Adaugă domeniu de încredere", - "Migration in progress. Please wait until the migration is finished" : "Migrare în progres. Așteaptă până când migrarea este finalizată", - "Migration started …" : "Migrarea a început...", - "Not saved" : "Nu a fost salvat", - "Sending…" : "Se trimite...", - "Email sent" : "Mesajul a fost expediat", - "Official" : "Oficial", - "All" : "Toate ", - "No apps found for your version" : "Nu au fost găsite aplicații pentru versiunea ta", - "The app will be downloaded from the app store" : "Aplicația va fi descărcată din magazin", - "Error while disabling app" : "Eroare în timpul dezactivării aplicației", - "Disable" : "Dezactivați", - "Enable" : "Activare", - "Error while enabling app" : "Eroare în timpul activării applicației", - "Updated" : "Actualizat", - "Approved" : "Aprobat", - "Experimental" : "Experimental", - "Disconnect" : "Deconectare", - "Edge" : "Edge", - "Firefox" : "Firefox", - "Google Chrome" : "Google Chrome", - "Safari" : "Safari", - "Google Chrome for Android" : "Google Chrome for Android", - "iPhone iOS" : "iPhone iOS", - "iPad iOS" : "iPad iOS", - "iOS Client" : "iOS Client", - "Android Client" : "Android Client", - "Copy" : "Copiază", - "Copied!" : "S-a copiat!", - "Not supported!" : "Nu este suportat!", - "Press ⌘-C to copy." : "Apasă ⌘-C pentru copiere.", - "Press Ctrl-C to copy." : "Apasă Ctrl-C pentru copiere.", - "Valid until {date}" : "Valabil până la {date}", - "Delete" : "Șterge", - "Contacts" : "Contacte", - "Verify" : "Verifică", - "Verifying …" : "Se verifică ...", - "Select a profile picture" : "Selectează o imagine de profil", - "Very weak password" : "Parolă foarte slabă", - "Weak password" : "Parolă slabă", - "So-so password" : "Parolă medie", - "Good password" : "Parolă bună", - "Strong password" : "Parolă puternică", - "Groups" : "Grupuri", - "Unable to delete {objName}" : "Nu s-a putut șterge {objName}", - "Error creating group: {message}" : "Eroare la crearea grupului: {message}", - "A valid group name must be provided" : "Trebuie furnizat un nume de grup valid", - "deleted {groupName}" : "{groupName} s-a șters", - "undo" : "Anulează ultima acțiune", - "{size} used" : "{size} folosită", - "never" : "niciodată", - "deleted {userName}" : "{userName} șters", - "Add group" : "Adaugă grup", - "Invalid quota value \"{val}\"" : "Valoare cotă invalidă \"{val}\"", - "no group" : "niciun grup", - "Password successfully changed" : "Parola a fost modificată cu succes.", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Schimbarea parolei va rezulta în pierderea datelor deoarece recuperarea acestora nu este disponibilă pentru acest utilizator", - "A valid username must be provided" : "Trebuie să furnizaţi un nume de utilizator valid", - "Error creating user: {message}" : "Eroare la crearea utilizatorului: {message}", - "A valid password must be provided" : "Trebuie să furnizaţi o parolă validă", - "A valid email must be provided" : "Trebuie furnizată o adresă email validă", - "Developer documentation" : "Documentație pentru dezvoltatori", - "by %s" : "de %s", - "%s-licensed" : "%s-licențiat", - "Documentation:" : "Documentație:", - "User documentation" : "Documentație utilizator", - "Admin documentation" : "Documentație pentru administrare", - "Report a bug" : "Raportează un defect", - "Show description …" : "Arată descriere ...", - "Hide description …" : "Ascunde descriere ...", - "This app has an update available." : "Este disponibilă o actualizare pentru această aplicație.", - "Enable only for specific groups" : "Activează doar pentru grupuri specifice", - "SSL Root Certificates" : "Certificate SSL rădăcină", - "Common Name" : "Nume comun", - "Valid until" : "Valabil până la", - "Issued By" : "Emis de", - "Valid until %s" : "Valabil până la %s", - "Import root certificate" : "Importă certificat rădăcină", - "Administrator documentation" : "Documentație pentru administrare", - "Online documentation" : "Documentație online", - "Forum" : "Forum", - "Commercial support" : "Suport comercial", - "None" : "Niciuna", - "Login" : "Autentificare", - "Plain" : "Plain", - "NT LAN Manager" : "NT LAN Manager", - "SSL/TLS" : "SSL/TLS", - "STARTTLS" : "STARTTLS", - "Email server" : "Server de email", - "Open documentation" : "Deschide documentația", - "Send mode" : "Modul de expediere", - "Encryption" : "Încriptare", - "From address" : "De la adresa", - "mail" : "poștă", - "Authentication method" : "Modul de autentificare", - "Authentication required" : "Autentificare necesară", - "Server address" : "Adresa server-ului", - "Port" : "Portul", - "Credentials" : "Detalii de autentificare", - "SMTP Username" : "Nume utilizator SMTP", - "SMTP Password" : "Parolă SMTP", - "Store credentials" : "Stochează datele de autentificare", - "Test email settings" : "Verifică setările de e-mail", - "Send email" : "Expediază mesajul", - "Server-side encryption" : "Criptare la nivel de server", - "Enable server-side encryption" : "Activează criptarea pe server", - "Please read carefully before activating server-side encryption: " : "Citește cu atenție înainte să activezi criptarea pe server:", - "This is the final warning: Do you really want to enable encryption?" : "Aceasta este avertizarea finală: Chiar vrei să activezi criptarea?", - "Enable encryption" : "Activează criptarea", - "Select default encryption module:" : "Selectează modulul implicit de criptare:", - "Start migration" : "Pornește migrarea", - "Security & setup warnings" : "Alerte de securitate & configurare", - "All checks passed." : "Toate verificările s-au terminat fără erori.", - "Execute one task with each page loaded" : "Execută o sarcină la fiecare pagină încărcată", - "Version" : "Versiunea", - "Sharing" : "Partajare", - "Allow apps to use the Share API" : "Permite aplicațiilor să folosească API-ul de partajare", - "Allow users to share via link" : "Permite utilizatorilor să partajeze via link", - "Allow public uploads" : "Permite încărcări publice", - "Enforce password protection" : "Impune protecția prin parolă", - "Set default expiration date" : "Setează data implicită de expirare", - "Expire after " : "Expiră după", - "days" : "zile", - "Enforce expiration date" : "Impune data de expirare", - "Allow resharing" : "Permite repartajarea", - "Allow sharing with groups" : "Permite partajarea cu grupuri", - "Exclude groups from sharing" : "Exclude grupuri de la partajare", - "Tips & tricks" : "Tips & tricks", - "How to do backups" : "Cum să faci copii de rezervă", - "Profile picture" : "Imagine de profil", - "Upload new" : "Încarcă una nouă", - "Select from Files" : "Selectează din fișiere", - "Remove image" : "Înlătură imagine", - "png or jpg, max. 20 MB" : "png sau jpg, max. 20 MB", - "Cancel" : "Anulare", - "Choose as profile picture" : "Alege ca imagine de profil", - "Full name" : "Nume complet", - "Email" : "Email", - "Your email address" : "Adresa ta de email", - "Phone number" : "Număr telefon", - "Your phone number" : "Numărul tău de telefon", - "Address" : "Adresă", - "Your postal address" : "Adresă poștală", - "Website" : "Site web", - "Link https://…" : "Link https://…", - "Twitter" : "Twitter", - "Language" : "Limba", - "Help translate" : "Ajută la traducere", - "Password" : "Parolă", - "Current password" : "Parola curentă", - "New password" : "Noua parolă", - "Change password" : "Schimbă parola", - "Device" : "Dispozitiv", - "App name" : "Numele aplicației", - "Username" : "Nume utilizator", - "Settings" : "Setări", - "E-Mail" : "Email", - "Create" : "Crează", - "Admin Recovery Password" : "Parolă de recuperare a Administratorului", - "Enter the recovery password in order to recover the users files during password change" : "Introdu parola de recuperare pentru a recupera fișierele utilizatorilor în timpul schimbării parolei", - "Everyone" : "Toți", - "Admins" : "Administratori", - "Disabled" : "Dezactivați", - "Unlimited" : "Nelimitată", - "Other" : "Altele", - "Quota" : "Cotă", - "change full name" : "schimbă numele complet", - "set new password" : "setează parolă nouă", - "change email address" : "schimbă adresa email", - "Default" : "Implicită" -},"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" -} \ No newline at end of file diff --git a/settings/l10n/si_LK.js b/settings/l10n/si_LK.js deleted file mode 100644 index c23bd9e22a596..0000000000000 --- a/settings/l10n/si_LK.js +++ /dev/null @@ -1,34 +0,0 @@ -OC.L10N.register( - "settings", - { - "Authentication error" : "සත්‍යාපන දෝෂයක්", - "Email saved" : "වි-තැපෑල සුරකින ලදී", - "All" : "සියල්ල", - "Disable" : "අක්‍රිය කරන්න", - "Enable" : "සක්‍රිය කරන්න", - "Delete" : "මකා දමන්න", - "Groups" : "කණ්ඩායම්", - "undo" : "නිෂ්ප්‍රභ කරන්න", - "never" : "කවදාවත්", - "None" : "කිසිවක් නැත", - "Login" : "ප්‍රවිශ්ටය", - "Encryption" : "ගුප්ත කේතනය", - "Server address" : "සේවාදායකයේ ලිපිනය", - "Port" : "තොට", - "Sharing" : "හුවමාරු කිරීම", - "Allow resharing" : "යළි යළිත් හුවමාරුවට අවසර දෙමි", - "Cancel" : "එපා", - "Email" : "විද්‍යුත් තැපෑල", - "Your email address" : "ඔබගේ විද්‍යුත් තැපෑල", - "Language" : "භාෂාව", - "Help translate" : "පරිවර්ථන සහය", - "Password" : "මුර පදය", - "Current password" : "වත්මන් මුරපදය", - "New password" : "නව මුරපදය", - "Change password" : "මුරපදය වෙනස් කිරීම", - "Username" : "පරිශීලක නම", - "Create" : "තනන්න", - "Other" : "වෙනත්", - "Quota" : "සලාකය" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/si_LK.json b/settings/l10n/si_LK.json deleted file mode 100644 index 062beb999f37c..0000000000000 --- a/settings/l10n/si_LK.json +++ /dev/null @@ -1,32 +0,0 @@ -{ "translations": { - "Authentication error" : "සත්‍යාපන දෝෂයක්", - "Email saved" : "වි-තැපෑල සුරකින ලදී", - "All" : "සියල්ල", - "Disable" : "අක්‍රිය කරන්න", - "Enable" : "සක්‍රිය කරන්න", - "Delete" : "මකා දමන්න", - "Groups" : "කණ්ඩායම්", - "undo" : "නිෂ්ප්‍රභ කරන්න", - "never" : "කවදාවත්", - "None" : "කිසිවක් නැත", - "Login" : "ප්‍රවිශ්ටය", - "Encryption" : "ගුප්ත කේතනය", - "Server address" : "සේවාදායකයේ ලිපිනය", - "Port" : "තොට", - "Sharing" : "හුවමාරු කිරීම", - "Allow resharing" : "යළි යළිත් හුවමාරුවට අවසර දෙමි", - "Cancel" : "එපා", - "Email" : "විද්‍යුත් තැපෑල", - "Your email address" : "ඔබගේ විද්‍යුත් තැපෑල", - "Language" : "භාෂාව", - "Help translate" : "පරිවර්ථන සහය", - "Password" : "මුර පදය", - "Current password" : "වත්මන් මුරපදය", - "New password" : "නව මුරපදය", - "Change password" : "මුරපදය වෙනස් කිරීම", - "Username" : "පරිශීලක නම", - "Create" : "තනන්න", - "Other" : "වෙනත්", - "Quota" : "සලාකය" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/sl.js b/settings/l10n/sl.js deleted file mode 100644 index b36667494cef5..0000000000000 --- a/settings/l10n/sl.js +++ /dev/null @@ -1,202 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} vaše geslo je spremenjeno", - "You changed your password" : "Spremenili ste vaše geslo", - "Wrong password" : "Napačno geslo", - "Saved" : "Shranjeno", - "No user supplied" : "Ni navedenega uporabnika", - "Unable to change password" : "Ni mogoče spremeniti gesla", - "Authentication error" : "Napaka med overjanjem", - "Wrong admin recovery password. Please check the password and try again." : "Napačno navedeno skrbniško obnovitveno geslo. Preverite geslo in poskusite znova.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "nameščanje in posodabljanje programov prek programske zbirke ali zveznega oblaka", - "Federated Cloud Sharing" : "Souporaba zveznega oblaka", - "A problem occurred, please check your log files (Error: %s)" : "Prišlo je do napake. Preverite dnevniške zapise (napaka: %s).", - "Migration Completed" : "Selitev je končana", - "Group already exists." : "Skupina že obstaja.", - "Unable to add group." : "Ni mogoče dodati skupine", - "Unable to delete group." : "Ni mogoče izbrisati skupine.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Med pošiljanjem sporočila se je prišlo do napake. Preverite nastavitve (napaka: %s).", - "You need to set your user email before being able to send test emails." : "Pred preizkusnim pošiljanjem sporočil je treba nastaviti elektronski naslov uporabnika.", - "Invalid mail address" : "Neveljaven elektronski naslov", - "A user with that name already exists." : "Uporabnik s tem imenom že obstaja.", - "Unable to create user." : "Ni mogoče ustvariti uporabnika.", - "Unable to delete user." : "Ni mogoče izbrisati uporabnika", - "Unable to change full name" : "Ni mogoče spremeniti polnega imena", - "Your full name has been changed." : "Vaše polno ime je spremenjeno.", - "Forbidden" : "Dostop je prepovedan", - "Invalid user" : "Neveljavni podatki uporabnika", - "Unable to change mail address" : "Ni mogoče spremeniti naslova elektronske pošte.", - "Email saved" : "Elektronski naslov je shranjen", - "Your %s account was created" : "Račun %s je uspešno ustvarjen.", - "Set your password" : "Nastavi vaše geslo", - "Couldn't remove app." : "Ni mogoče odstraniti programa.", - "Couldn't update app." : "Programa ni mogoče posodobiti.", - "Add trusted domain" : "Dodaj varno domeno", - "Migration in progress. Please wait until the migration is finished" : "V teku je selitev. Počakajte, da se zaključi.", - "Migration started …" : "Selitev je začeta ...", - "Email sent" : "Elektronska pošta je poslana", - "Official" : "Uradno", - "All" : "Vsi", - "Update to %s" : "Posodobi na %s", - "No apps found for your version" : "Za to različico ni na voljo noben vstavek", - "The app will be downloaded from the app store" : "Program bo prejet iz zbirke programov", - "Error while disabling app" : "Napaka onemogočanja programa", - "Disable" : "Onemogoči", - "Enable" : "Omogoči", - "Error while enabling app" : "Napaka omogočanja programa", - "Error while disabling broken app" : "Napaka onemogočanja okvarjenega programa", - "Updated" : "Posodobljeno", - "Approved" : "Odobreno", - "Experimental" : "Preizkusno", - "No apps found for {query}" : "Ni programov, skladnih z nizom \"{query}\".", - "Disconnect" : "Prekinjeni povezavo", - "Error while loading browser sessions and device tokens" : " Napaka med nalaganjem brskalnika in ključev naprave", - "Error while creating device token" : " Napaka med izdelavo ključa naprave", - "Error while deleting the token" : " Napaka med brisanjem ključa", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Prišlo je do napake. Uvoziti je treba ustrezno ASCII kodirano potrdilo PEM.", - "Valid until {date}" : "Veljavno do {date}", - "Delete" : "Izbriši", - "Select a profile picture" : "Izbor slike profila", - "Very weak password" : "Zelo šibko geslo", - "Weak password" : "Šibko geslo", - "So-so password" : "Slabo geslo", - "Good password" : "Dobro geslo", - "Strong password" : "Odlično geslo", - "Groups" : "Skupine", - "Unable to delete {objName}" : "Ni mogoče izbrisati {objName}", - "Error creating group: {message}" : "Napaka ustvarjanja skupine: {message}", - "A valid group name must be provided" : "Navedeno mora biti veljavno ime skupine", - "deleted {groupName}" : "izbrisano {groupName}", - "undo" : "razveljavi", - "never" : "nikoli", - "deleted {userName}" : "izbrisano {userName}", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Sprememba gesla bo povzročila izgubo podatkov, ker obnova podatkov za tega uporabnika ni na voljo.", - "A valid username must be provided" : "Navedeno mora biti veljavno uporabniško ime", - "Error creating user: {message}" : "Napaka ustvarjanja uporabnika: {message}", - "A valid password must be provided" : "Navedeno mora biti veljavno geslo", - "A valid email must be provided" : "Naveden mora biti veljaven naslov elektronske pošte.", - "Developer documentation" : "Dokumentacija za razvijalce", - "%s-licensed" : "dovoljenje-%s", - "Documentation:" : "Dokumentacija:", - "User documentation" : "Uporabniška dokumentacija", - "Admin documentation" : "Skrbniška dokumentacija", - "Visit website" : "Obiščite spletno stran", - "Report a bug" : "Pošlji poročilo o hrošču", - "Show description …" : "Pokaži opis ...", - "Hide description …" : "Skrij opis ...", - "This app has an update available." : "Za program so na voljo posodobitve.", - "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene minimalne NextCloud verzije. V prihodnosti bo to napaka.", - "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene maksimalne NextCloud verzije. V prihodnosti bo to napaka.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Programa ni mogoče namestiti zaradi nerešenih odvisnosti:", - "Enable only for specific groups" : "Omogoči le za posamezne skupine", - "SSL Root Certificates" : "Korenska potrdila SSL", - "Common Name" : "Splošno ime", - "Valid until" : "Veljavno do", - "Issued By" : "Izdajatelj", - "Valid until %s" : "Veljavno do %s", - "Import root certificate" : "Uvozi korensko potrdilo", - "Administrator documentation" : "Skrbniška dokumentacija", - "Online documentation" : "Spletna dokumentacija", - "Forum" : "Forum", - "Commercial support" : "Podpora strankam", - "None" : "Brez", - "Login" : "Prijava", - "Plain" : "Besedilno", - "NT LAN Manager" : "Upravljalnik NT LAN", - "Email server" : "Poštni strežnik", - "Open documentation" : "Odprta dokumentacija", - "Send mode" : "Način pošiljanja", - "Encryption" : "Šifriranje", - "From address" : "Naslov pošiljatelja", - "mail" : "pošta", - "Authentication method" : "Način overitve", - "Authentication required" : "Zahtevana je overitev", - "Server address" : "Naslov strežnika", - "Port" : "Vrata", - "Credentials" : "Poverila", - "SMTP Username" : "Uporabniško ime SMTP", - "SMTP Password" : "Geslo SMTP", - "Store credentials" : "Shrani poverila", - "Test email settings" : "Preizkus nastavitev elektronske pošte", - "Send email" : "Pošlji elektronsko sporočilo", - "Server-side encryption" : "Šifriranje na strežniku", - "Enable server-side encryption" : "Omogoči šifriranje na strežniku", - "Please read carefully before activating server-side encryption: " : "Pozorno preberite opombe, preden omogočite strežniško šifriranje:", - "Be aware that encryption always increases the file size." : " Upoštevajte, da šifriranje vedno poveča velikost datoteke.", - "This is the final warning: Do you really want to enable encryption?" : " To je zadnje opozorilo. Ali resnično želite vključiti šifriranje?", - "Enable encryption" : "Omogoči šifriranje", - "No encryption module loaded, please enable an encryption module in the app menu." : "Modul za šifriranje ni naložen. Prosim, omogočite en šifrirni modul v spisku aplikacij.", - "Select default encryption module:" : "Izbor privzetega modula za šifriranje:", - "Start migration" : "Začni selitev", - "Security & setup warnings" : "Varnost in namestitvena opozorila", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Napako je najverjetneje povzročil predpomnilnik ali pospeševalnik, kot sta Zend OPcache ali eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Sistemskih jezikovnih nastavitev ni mogoče nastaviti na možnost, ki podpira nabor UTF-8.", - "All checks passed." : "Vsa preverjanja so uspešno zaključena.", - "Execute one task with each page loaded" : "Izvedi eno nalogo z vsako naloženo stranjo.", - "Version" : "Različica", - "Sharing" : "Souporaba", - "Allow apps to use the Share API" : "Dovoli programom uporabo vmesnika API souporabe", - "Allow users to share via link" : "Uporabnikom dovoli omogočanje souporabe s povezavami", - "Allow public uploads" : "Dovoli javno pošiljanje datotek v oblak", - "Enforce password protection" : "Vsili zaščito z geslom", - "Set default expiration date" : "Nastavitev privzetega datuma poteka", - "Expire after " : "Preteče po", - "days" : "dneh", - "Enforce expiration date" : "Vsili datum preteka", - "Allow resharing" : "Dovoli nadaljnjo souporabo", - "Allow sharing with groups" : "Dovoli souporabo s skupinami", - "Restrict users to only share with users in their groups" : "Uporabnikom dovoli omogočanje souporabe le znotraj njihove skupine", - "Exclude groups from sharing" : "Izloči skupine iz souporabe", - "These groups will still be able to receive shares, but not to initiate them." : "Te skupine lahko sprejemajo mape v souporabo, ne morejo pa souporabe dovoliti", - "Tips & tricks" : "Nasveti in triki", - "How to do backups" : "Kako ustvariti varnostne kopije", - "Performance tuning" : "Prilagajanje delovanja", - "Improving the config.php" : "Izboljšave v config.php", - "Theming" : "Teme", - "Hardening and security guidance" : "Varnost in varnostni napotki", - "You are using %s of %s" : "Uporabljate %s od %s", - "Profile picture" : "Slika profila", - "Upload new" : "Pošlji novo", - "Select from Files" : "Izbor iz datotek", - "Remove image" : "Odstrani sliko", - "png or jpg, max. 20 MB" : "png ali jpg, največ. 20 MB", - "Picture provided by original account" : "Slika iz originalnega računa", - "Cancel" : "Prekliči", - "Choose as profile picture" : "Izberi kot sliko profila", - "Full name" : "Polno ime", - "No display name set" : "Prikazno ime ni nastavljeno", - "Email" : "Elektronski naslov", - "Your email address" : "Osebni elektronski naslov", - "No email address set" : "Poštni naslov ni nastavljen", - "You are member of the following groups:" : "Ste član naslednjih skupin:", - "Language" : "Jezik", - "Help translate" : "Sodelujte pri prevajanju", - "Password" : "Geslo", - "Current password" : "Trenutno geslo", - "New password" : "Novo geslo", - "Change password" : "Spremeni geslo", - "App name" : "Ime aplikacije", - "Create new app password" : "Ustvari novo geslo aplikacije", - "Username" : "Uporabniško ime", - "Done" : "Končano", - "Show storage location" : "Pokaži mesto shrambe", - "Show user backend" : "Pokaži ozadnji program", - "Show email address" : "Pokaži naslov elektronske pošte", - "Send email to new user" : "Pošlji sporočilo novemu uporabniku", - "E-Mail" : "Elektronska pošta", - "Create" : "Ustvari", - "Admin Recovery Password" : "Obnovitev skrbniškega gesla", - "Enter the recovery password in order to recover the users files during password change" : "Vnesite geslo, ki omogoča obnovitev uporabniških datotek med spreminjanjem gesla", - "Everyone" : "Vsi", - "Admins" : "Skrbniki", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Vnesite količinsko omejitev prostora (na primer: \"512 MB\" ali \"12 GB\")", - "Unlimited" : "Neomejeno", - "Other" : "Drugo", - "Quota" : "Količinska omejitev", - "change full name" : "Spremeni polno ime", - "set new password" : "nastavi novo geslo", - "change email address" : "spremeni naslov elektronske pošte", - "Default" : "Privzeto" -}, -"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/settings/l10n/sl.json b/settings/l10n/sl.json deleted file mode 100644 index a69a09bd208ad..0000000000000 --- a/settings/l10n/sl.json +++ /dev/null @@ -1,200 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} vaše geslo je spremenjeno", - "You changed your password" : "Spremenili ste vaše geslo", - "Wrong password" : "Napačno geslo", - "Saved" : "Shranjeno", - "No user supplied" : "Ni navedenega uporabnika", - "Unable to change password" : "Ni mogoče spremeniti gesla", - "Authentication error" : "Napaka med overjanjem", - "Wrong admin recovery password. Please check the password and try again." : "Napačno navedeno skrbniško obnovitveno geslo. Preverite geslo in poskusite znova.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "nameščanje in posodabljanje programov prek programske zbirke ali zveznega oblaka", - "Federated Cloud Sharing" : "Souporaba zveznega oblaka", - "A problem occurred, please check your log files (Error: %s)" : "Prišlo je do napake. Preverite dnevniške zapise (napaka: %s).", - "Migration Completed" : "Selitev je končana", - "Group already exists." : "Skupina že obstaja.", - "Unable to add group." : "Ni mogoče dodati skupine", - "Unable to delete group." : "Ni mogoče izbrisati skupine.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Med pošiljanjem sporočila se je prišlo do napake. Preverite nastavitve (napaka: %s).", - "You need to set your user email before being able to send test emails." : "Pred preizkusnim pošiljanjem sporočil je treba nastaviti elektronski naslov uporabnika.", - "Invalid mail address" : "Neveljaven elektronski naslov", - "A user with that name already exists." : "Uporabnik s tem imenom že obstaja.", - "Unable to create user." : "Ni mogoče ustvariti uporabnika.", - "Unable to delete user." : "Ni mogoče izbrisati uporabnika", - "Unable to change full name" : "Ni mogoče spremeniti polnega imena", - "Your full name has been changed." : "Vaše polno ime je spremenjeno.", - "Forbidden" : "Dostop je prepovedan", - "Invalid user" : "Neveljavni podatki uporabnika", - "Unable to change mail address" : "Ni mogoče spremeniti naslova elektronske pošte.", - "Email saved" : "Elektronski naslov je shranjen", - "Your %s account was created" : "Račun %s je uspešno ustvarjen.", - "Set your password" : "Nastavi vaše geslo", - "Couldn't remove app." : "Ni mogoče odstraniti programa.", - "Couldn't update app." : "Programa ni mogoče posodobiti.", - "Add trusted domain" : "Dodaj varno domeno", - "Migration in progress. Please wait until the migration is finished" : "V teku je selitev. Počakajte, da se zaključi.", - "Migration started …" : "Selitev je začeta ...", - "Email sent" : "Elektronska pošta je poslana", - "Official" : "Uradno", - "All" : "Vsi", - "Update to %s" : "Posodobi na %s", - "No apps found for your version" : "Za to različico ni na voljo noben vstavek", - "The app will be downloaded from the app store" : "Program bo prejet iz zbirke programov", - "Error while disabling app" : "Napaka onemogočanja programa", - "Disable" : "Onemogoči", - "Enable" : "Omogoči", - "Error while enabling app" : "Napaka omogočanja programa", - "Error while disabling broken app" : "Napaka onemogočanja okvarjenega programa", - "Updated" : "Posodobljeno", - "Approved" : "Odobreno", - "Experimental" : "Preizkusno", - "No apps found for {query}" : "Ni programov, skladnih z nizom \"{query}\".", - "Disconnect" : "Prekinjeni povezavo", - "Error while loading browser sessions and device tokens" : " Napaka med nalaganjem brskalnika in ključev naprave", - "Error while creating device token" : " Napaka med izdelavo ključa naprave", - "Error while deleting the token" : " Napaka med brisanjem ključa", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Prišlo je do napake. Uvoziti je treba ustrezno ASCII kodirano potrdilo PEM.", - "Valid until {date}" : "Veljavno do {date}", - "Delete" : "Izbriši", - "Select a profile picture" : "Izbor slike profila", - "Very weak password" : "Zelo šibko geslo", - "Weak password" : "Šibko geslo", - "So-so password" : "Slabo geslo", - "Good password" : "Dobro geslo", - "Strong password" : "Odlično geslo", - "Groups" : "Skupine", - "Unable to delete {objName}" : "Ni mogoče izbrisati {objName}", - "Error creating group: {message}" : "Napaka ustvarjanja skupine: {message}", - "A valid group name must be provided" : "Navedeno mora biti veljavno ime skupine", - "deleted {groupName}" : "izbrisano {groupName}", - "undo" : "razveljavi", - "never" : "nikoli", - "deleted {userName}" : "izbrisano {userName}", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Sprememba gesla bo povzročila izgubo podatkov, ker obnova podatkov za tega uporabnika ni na voljo.", - "A valid username must be provided" : "Navedeno mora biti veljavno uporabniško ime", - "Error creating user: {message}" : "Napaka ustvarjanja uporabnika: {message}", - "A valid password must be provided" : "Navedeno mora biti veljavno geslo", - "A valid email must be provided" : "Naveden mora biti veljaven naslov elektronske pošte.", - "Developer documentation" : "Dokumentacija za razvijalce", - "%s-licensed" : "dovoljenje-%s", - "Documentation:" : "Dokumentacija:", - "User documentation" : "Uporabniška dokumentacija", - "Admin documentation" : "Skrbniška dokumentacija", - "Visit website" : "Obiščite spletno stran", - "Report a bug" : "Pošlji poročilo o hrošču", - "Show description …" : "Pokaži opis ...", - "Hide description …" : "Skrij opis ...", - "This app has an update available." : "Za program so na voljo posodobitve.", - "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene minimalne NextCloud verzije. V prihodnosti bo to napaka.", - "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene maksimalne NextCloud verzije. V prihodnosti bo to napaka.", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Programa ni mogoče namestiti zaradi nerešenih odvisnosti:", - "Enable only for specific groups" : "Omogoči le za posamezne skupine", - "SSL Root Certificates" : "Korenska potrdila SSL", - "Common Name" : "Splošno ime", - "Valid until" : "Veljavno do", - "Issued By" : "Izdajatelj", - "Valid until %s" : "Veljavno do %s", - "Import root certificate" : "Uvozi korensko potrdilo", - "Administrator documentation" : "Skrbniška dokumentacija", - "Online documentation" : "Spletna dokumentacija", - "Forum" : "Forum", - "Commercial support" : "Podpora strankam", - "None" : "Brez", - "Login" : "Prijava", - "Plain" : "Besedilno", - "NT LAN Manager" : "Upravljalnik NT LAN", - "Email server" : "Poštni strežnik", - "Open documentation" : "Odprta dokumentacija", - "Send mode" : "Način pošiljanja", - "Encryption" : "Šifriranje", - "From address" : "Naslov pošiljatelja", - "mail" : "pošta", - "Authentication method" : "Način overitve", - "Authentication required" : "Zahtevana je overitev", - "Server address" : "Naslov strežnika", - "Port" : "Vrata", - "Credentials" : "Poverila", - "SMTP Username" : "Uporabniško ime SMTP", - "SMTP Password" : "Geslo SMTP", - "Store credentials" : "Shrani poverila", - "Test email settings" : "Preizkus nastavitev elektronske pošte", - "Send email" : "Pošlji elektronsko sporočilo", - "Server-side encryption" : "Šifriranje na strežniku", - "Enable server-side encryption" : "Omogoči šifriranje na strežniku", - "Please read carefully before activating server-side encryption: " : "Pozorno preberite opombe, preden omogočite strežniško šifriranje:", - "Be aware that encryption always increases the file size." : " Upoštevajte, da šifriranje vedno poveča velikost datoteke.", - "This is the final warning: Do you really want to enable encryption?" : " To je zadnje opozorilo. Ali resnično želite vključiti šifriranje?", - "Enable encryption" : "Omogoči šifriranje", - "No encryption module loaded, please enable an encryption module in the app menu." : "Modul za šifriranje ni naložen. Prosim, omogočite en šifrirni modul v spisku aplikacij.", - "Select default encryption module:" : "Izbor privzetega modula za šifriranje:", - "Start migration" : "Začni selitev", - "Security & setup warnings" : "Varnost in namestitvena opozorila", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Napako je najverjetneje povzročil predpomnilnik ali pospeševalnik, kot sta Zend OPcache ali eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Sistemskih jezikovnih nastavitev ni mogoče nastaviti na možnost, ki podpira nabor UTF-8.", - "All checks passed." : "Vsa preverjanja so uspešno zaključena.", - "Execute one task with each page loaded" : "Izvedi eno nalogo z vsako naloženo stranjo.", - "Version" : "Različica", - "Sharing" : "Souporaba", - "Allow apps to use the Share API" : "Dovoli programom uporabo vmesnika API souporabe", - "Allow users to share via link" : "Uporabnikom dovoli omogočanje souporabe s povezavami", - "Allow public uploads" : "Dovoli javno pošiljanje datotek v oblak", - "Enforce password protection" : "Vsili zaščito z geslom", - "Set default expiration date" : "Nastavitev privzetega datuma poteka", - "Expire after " : "Preteče po", - "days" : "dneh", - "Enforce expiration date" : "Vsili datum preteka", - "Allow resharing" : "Dovoli nadaljnjo souporabo", - "Allow sharing with groups" : "Dovoli souporabo s skupinami", - "Restrict users to only share with users in their groups" : "Uporabnikom dovoli omogočanje souporabe le znotraj njihove skupine", - "Exclude groups from sharing" : "Izloči skupine iz souporabe", - "These groups will still be able to receive shares, but not to initiate them." : "Te skupine lahko sprejemajo mape v souporabo, ne morejo pa souporabe dovoliti", - "Tips & tricks" : "Nasveti in triki", - "How to do backups" : "Kako ustvariti varnostne kopije", - "Performance tuning" : "Prilagajanje delovanja", - "Improving the config.php" : "Izboljšave v config.php", - "Theming" : "Teme", - "Hardening and security guidance" : "Varnost in varnostni napotki", - "You are using %s of %s" : "Uporabljate %s od %s", - "Profile picture" : "Slika profila", - "Upload new" : "Pošlji novo", - "Select from Files" : "Izbor iz datotek", - "Remove image" : "Odstrani sliko", - "png or jpg, max. 20 MB" : "png ali jpg, največ. 20 MB", - "Picture provided by original account" : "Slika iz originalnega računa", - "Cancel" : "Prekliči", - "Choose as profile picture" : "Izberi kot sliko profila", - "Full name" : "Polno ime", - "No display name set" : "Prikazno ime ni nastavljeno", - "Email" : "Elektronski naslov", - "Your email address" : "Osebni elektronski naslov", - "No email address set" : "Poštni naslov ni nastavljen", - "You are member of the following groups:" : "Ste član naslednjih skupin:", - "Language" : "Jezik", - "Help translate" : "Sodelujte pri prevajanju", - "Password" : "Geslo", - "Current password" : "Trenutno geslo", - "New password" : "Novo geslo", - "Change password" : "Spremeni geslo", - "App name" : "Ime aplikacije", - "Create new app password" : "Ustvari novo geslo aplikacije", - "Username" : "Uporabniško ime", - "Done" : "Končano", - "Show storage location" : "Pokaži mesto shrambe", - "Show user backend" : "Pokaži ozadnji program", - "Show email address" : "Pokaži naslov elektronske pošte", - "Send email to new user" : "Pošlji sporočilo novemu uporabniku", - "E-Mail" : "Elektronska pošta", - "Create" : "Ustvari", - "Admin Recovery Password" : "Obnovitev skrbniškega gesla", - "Enter the recovery password in order to recover the users files during password change" : "Vnesite geslo, ki omogoča obnovitev uporabniških datotek med spreminjanjem gesla", - "Everyone" : "Vsi", - "Admins" : "Skrbniki", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Vnesite količinsko omejitev prostora (na primer: \"512 MB\" ali \"12 GB\")", - "Unlimited" : "Neomejeno", - "Other" : "Drugo", - "Quota" : "Količinska omejitev", - "change full name" : "Spremeni polno ime", - "set new password" : "nastavi novo geslo", - "change email address" : "spremeni naslov elektronske pošte", - "Default" : "Privzeto" -},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" -} \ No newline at end of file diff --git a/settings/l10n/ta_LK.js b/settings/l10n/ta_LK.js deleted file mode 100644 index 7fb74ec404031..0000000000000 --- a/settings/l10n/ta_LK.js +++ /dev/null @@ -1,33 +0,0 @@ -OC.L10N.register( - "settings", - { - "Authentication error" : "அத்தாட்சிப்படுத்தலில் வழு", - "Email saved" : "மின்னஞ்சல் சேமிக்கப்பட்டது", - "All" : "எல்லாம்", - "Disable" : "இயலுமைப்ப", - "Enable" : "இயலுமைப்படுத்துக", - "Delete" : "நீக்குக", - "Groups" : "குழுக்கள்", - "undo" : "முன் செயல் நீக்கம் ", - "never" : "ஒருபோதும்", - "None" : "ஒன்றுமில்லை", - "Login" : "புகுபதிகை", - "Encryption" : "மறைக்குறியீடு", - "Server address" : "சேவையக முகவரி", - "Port" : "துறை ", - "Credentials" : "சான்று ஆவணங்கள்", - "Cancel" : "இரத்து செய்க", - "Email" : "மின்னஞ்சல்", - "Your email address" : "உங்களுடைய மின்னஞ்சல் முகவரி", - "Language" : "மொழி", - "Help translate" : "மொழிபெயர்க்க உதவி", - "Password" : "கடவுச்சொல்", - "Current password" : "தற்போதைய கடவுச்சொல்", - "New password" : "புதிய கடவுச்சொல்", - "Change password" : "கடவுச்சொல்லை மாற்றுக", - "Username" : "பயனாளர் பெயர்", - "Create" : "உருவாக்குக", - "Other" : "மற்றவை", - "Quota" : "பங்கு" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ta_LK.json b/settings/l10n/ta_LK.json deleted file mode 100644 index 242c42005e3b6..0000000000000 --- a/settings/l10n/ta_LK.json +++ /dev/null @@ -1,31 +0,0 @@ -{ "translations": { - "Authentication error" : "அத்தாட்சிப்படுத்தலில் வழு", - "Email saved" : "மின்னஞ்சல் சேமிக்கப்பட்டது", - "All" : "எல்லாம்", - "Disable" : "இயலுமைப்ப", - "Enable" : "இயலுமைப்படுத்துக", - "Delete" : "நீக்குக", - "Groups" : "குழுக்கள்", - "undo" : "முன் செயல் நீக்கம் ", - "never" : "ஒருபோதும்", - "None" : "ஒன்றுமில்லை", - "Login" : "புகுபதிகை", - "Encryption" : "மறைக்குறியீடு", - "Server address" : "சேவையக முகவரி", - "Port" : "துறை ", - "Credentials" : "சான்று ஆவணங்கள்", - "Cancel" : "இரத்து செய்க", - "Email" : "மின்னஞ்சல்", - "Your email address" : "உங்களுடைய மின்னஞ்சல் முகவரி", - "Language" : "மொழி", - "Help translate" : "மொழிபெயர்க்க உதவி", - "Password" : "கடவுச்சொல்", - "Current password" : "தற்போதைய கடவுச்சொல்", - "New password" : "புதிய கடவுச்சொல்", - "Change password" : "கடவுச்சொல்லை மாற்றுக", - "Username" : "பயனாளர் பெயர்", - "Create" : "உருவாக்குக", - "Other" : "மற்றவை", - "Quota" : "பங்கு" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/th.js b/settings/l10n/th.js deleted file mode 100644 index 33a47b3336c4c..0000000000000 --- a/settings/l10n/th.js +++ /dev/null @@ -1,197 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "รหัสผ่านไม่ถูกต้อง", - "Saved" : "บันทึกแล้ว", - "No user supplied" : "ไม่มีผู้ใช้", - "Unable to change password" : "ไม่สามารถเปลี่ยนรหัสผ่าน", - "Authentication error" : "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", - "Wrong admin recovery password. Please check the password and try again." : "กู้คืนรหัสผ่านของผู้ดูแลระบบไม่ถูกต้อง กรุณาตรวจสอบรหัสผ่านและลองอีกครั้ง.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "กำลังติดตั้งและอัพเดทแอพพลิเคชันผ่าแอพสโตร์หรือคลาวด์ในเครือ", - "Federated Cloud Sharing" : "แชร์กับสหพันธ์คลาวด์", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "คุณกำลังใช้ cURL %s รุ่นเก่ากว่า (%s)โปรดอัพเดทระบบปฏิบัติการหรือคุณสมบัติเป็น %s เพื่อการทำงานที่มีประสิทธิภาพ", - "A problem occurred, please check your log files (Error: %s)" : "มีปัญหาเกิดขึ้นโปรดตรวจสอบไฟล์บันทึกของคุณ (ข้อผิดพลาด: %s)", - "Migration Completed" : "การโยกย้ายเสร็จสมบูรณ์", - "Group already exists." : "มีกลุ่มนี้อยู่แล้ว", - "Unable to add group." : "ไม่สามารถเพิ่มกลุ่ม", - "Unable to delete group." : "ไม่สามารถลบกลุ่ม", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "เกิดปัญหาขึ้นในขณะที่ส่งอีเมล กรุณาแก้ไขการตั้งค่าของคุณ (ข้อผิดพลาด: %s)", - "You need to set your user email before being able to send test emails." : "คุณจำเป็นต้องตั้งค่าอีเมลผู้ใช้ของคุณก่อนที่จะสามารถส่งอีเมลทดสอบ", - "Invalid mail address" : "ที่อยู่อีเมลไม่ถูกต้อง", - "A user with that name already exists." : "มีชื้อผู้ใช้นี้อยู่แล้ว", - "Unable to create user." : "ไม่สามารถสร้างผู้ใช้", - "Unable to delete user." : "ไม่สามารถลบผู้ใช้", - "Unable to change full name" : "ไม่สามารถเปลี่ยนชื่อเต็ม", - "Your full name has been changed." : "ชื่อเต็มของคุณถูกเปลี่ยนแปลง", - "Forbidden" : "เขตหวงห้าม", - "Invalid user" : "ผู้ใช้ไม่ถูกต้อง", - "Unable to change mail address" : "ไม่สามารถที่จะเปลี่ยนที่อยู่อีเมล", - "Email saved" : "อีเมลถูกบันทึกแล้ว", - "Your %s account was created" : "บัญชี %s ของคุณถูกสร้างขึ้น", - "Couldn't remove app." : "ไม่สามารถลบแอพฯ", - "Couldn't update app." : "ไม่สามารถอัพเดทแอปฯ", - "Add trusted domain" : "เพิ่มโดเมนที่เชื่อถือได้", - "Migration in progress. Please wait until the migration is finished" : "ในระหว่างดำเนินการโยกย้าย กรุณารอสักครู่จนกว่าการโยกย้ายจะเสร็จสิ้น", - "Migration started …" : "เริ่มต้นการโยกย้าย …", - "Email sent" : "ส่งอีเมลแล้ว", - "Official" : "เป็นทางการ", - "All" : "ทั้งหมด", - "Update to %s" : "อัพเดทไปยัง %s", - "No apps found for your version" : "ไม่พบแอพพลิเคชันสำหรับรุ่นของคุณ", - "The app will be downloaded from the app store" : "แอพฯจะดาวน์โหลดได้จากแอพสโตร์", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "แอพพลิเคชันได้รับการอนุมัติและพัฒนาโดยนักพัฒนาที่น่าเชื่อถือและได้ผ่านการตรวจสอบความปลอดภัยคร่าวๆ พวกเขาจะได้รับการบำรุงรักษาอย่างดีในการเก็บข้อมูลรหัสเปิด มันอาจยังไม่เสถียรพอสำหรับการเปิดใช้งานปกติ", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "แอพฯ นี้ไม่ได้ตรวจสอบปัญหาด้านความปลอดภัยและเป็นแอพฯใหม่หรือที่รู้จักกันคือจะไม่เสถียร ติดตั้งบนความเสี่ยงของคุณเอง", - "Error while disabling app" : "เกิดข้อผิดพลาดขณะปิดการใช้งานแอพพลิเคชัน", - "Disable" : "ปิดใช้งาน", - "Enable" : "เปิดใช้งาน", - "Error while enabling app" : "เกิดข้อผิดพลาดขณะกำลังตรวจสอบแอพฯ", - "Error while disabling broken app" : "ข้อผิดพลาดขณะกำลังปิดการใช้งานแอพฯที่มีปัญหา", - "Updated" : "อัพเดทแล้ว", - "Approved" : "ได้รับการอนุมัติ", - "Experimental" : "การทดลอง", - "No apps found for {query}" : "ไม่พบแอพฯสำหรับ {query}", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "เกิดข้อผิดพลาด กรุณาอัพโหลดใบรับรองเข้ารหัส ASCII PEM", - "Valid until {date}" : "ใช้ได้จนถึงวันที่ {date}", - "Delete" : "ลบ", - "Select a profile picture" : "เลือกรูปภาพโปรไฟล์", - "Very weak password" : "รหัสผ่านระดับต่ำมาก", - "Weak password" : "รหัสผ่านระดับต่ำ", - "So-so password" : "รหัสผ่านระดับปกติ", - "Good password" : "รหัสผ่านระดับดี", - "Strong password" : "รหัสผ่านระดับดีมาก", - "Groups" : "กลุ่ม", - "Unable to delete {objName}" : "ไม่สามารถลบ {objName}", - "Error creating group: {message}" : "ข้อผิดพลาดการสร้างกลุ่ม: {message}", - "A valid group name must be provided" : "จะต้องระบุชื่อกลุ่มที่ถูกต้อง", - "deleted {groupName}" : "ลบกลุ่ม {groupName} เรียบร้อยแล้ว", - "undo" : "เลิกทำ", - "never" : "ไม่ต้องเลย", - "deleted {userName}" : "ลบผู้ใช้ {userName} เรียบร้อยแล้ว", - "Changing the password will result in data loss, because data recovery is not available for this user" : "การเปลี่ยนรหัสผ่านจะส่งผลให้เกิดการสูญเสียข้อมูลเพราะการกู้คืนข้อมูลจะไม่สามารถใช้ได้สำหรับผู้ใช้นี้", - "A valid username must be provided" : "จะต้องระบุชื่อผู้ใช้ที่ถูกต้อง", - "Error creating user: {message}" : "ข้อผิดพลาดในการสร้างผู้ใช้: {message}", - "A valid password must be provided" : "จะต้องระบุรหัสผ่านที่ถูกต้อง", - "A valid email must be provided" : "จะต้องระบุอีเมลที่ถูกต้อง", - "Developer documentation" : "เอกสารสำหรับนักพัฒนา", - "by %s" : "โดย %s", - "%s-licensed" : "%s ได้รับใบอนุญาต", - "Documentation:" : "เอกสาร:", - "User documentation" : "เอกสารสำหรับผู้ใช้", - "Admin documentation" : "เอกสารผู้ดูแลระบบ", - "Show description …" : "แสดงรายละเอียด ...", - "Hide description …" : "ซ่อนรายละเอียด ...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "ไม่สามารถติดตั้งแอพฯนี้เพราะไม่มีตัวอ้างอิงต่อไปนี้:", - "Enable only for specific groups" : "เปิดใช้งานเพียงเฉพาะกลุ่ม", - "SSL Root Certificates" : "ใบรับรอง SSL", - "Common Name" : "ชื่อทั่วไป", - "Valid until" : "ใช้ได้จนถึง", - "Issued By" : "ปัญหาโดย", - "Valid until %s" : "ใช้ได้จนถึง %s", - "Import root certificate" : "นำเข้าใบรับรองหลัก", - "Administrator documentation" : "เอกสารของผู้ดูแลระบบ", - "Online documentation" : "เอกสารออนไลน์", - "Forum" : "ฟอรั่ม", - "Commercial support" : "สนับสนุนเชิงพาณิชย์", - "None" : "ไม่มี", - "Login" : "เข้าสู่ระบบ", - "Plain" : "ธรรมดา", - "NT LAN Manager" : "ตัวจัดการ NT LAN", - "Email server" : "อีเมลเซิร์ฟเวอร์", - "Open documentation" : "เปิดเอกสาร", - "Send mode" : "โหมดการส่ง", - "Encryption" : "การเข้ารหัส", - "From address" : "จากที่อยู่", - "mail" : "อีเมล", - "Authentication method" : "วิธีการตรวจสอบ", - "Authentication required" : "จำเป็นต้องตรวจสอบความถูกต้อง", - "Server address" : "ที่อยู่เซิร์ฟเวอร์", - "Port" : "พอร์ต", - "Credentials" : "ข้อมูลส่วนตัวสำหรับเข้าระบบ", - "SMTP Username" : "ชื่อผู้ใช้ SMTP", - "SMTP Password" : "รหัสผ่าน SMTP", - "Store credentials" : "ข้อมูลประจำตัวของร้านค้า", - "Test email settings" : "ทดสอบการตั้งค่าอีเมล", - "Send email" : "ส่งอีเมล", - "Server-side encryption" : "เข้ารหัสฝั่งเซิร์ฟเวอร์", - "Enable server-side encryption" : "เปิดการใช้งานเข้ารหัสฝั่งเซิร์ฟเวอร์", - "Please read carefully before activating server-side encryption: " : "กรุณาอ่านอย่างละเอียดก่อนที่จะเปิดใช้งานการเข้ารหัสฝั่งเซิร์ฟเวอร์:", - "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "เมื่อเปิดใช้งานการเข้ารหัส ไฟล์ทั้งหมดที่อัพโหลดไปยังเซิร์ฟเวอร์นั้นจะถูกเข้ารหัสในส่วนของเซิฟเวอร์ มันเป็นไปได้ที่จะปิดใช้งานการเข้ารหัสในภายหลัง ถ้าเปิดใช้ฟังก์ชั่นการสนับสนุนโมดูลการเข้ารหัสที่และเงื่อนไขก่อน (เช่น การตั้งค่าคีย์กู้คืน)", - "Be aware that encryption always increases the file size." : "โปรดทราบว่าหากเข้ารหัสไฟล์จะทำให้ขนาดของไฟล์ใหญ่ขึ้น", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "มันจะดีถ้าคุณสำรองข้อมูลบ่อยๆ ในกรณีของการเข้ารหัสโปรดแน่ใจว่าจะสำรองคีย์การเข้ารหัสลับพร้อมกับข้อมูลของคุณ", - "This is the final warning: Do you really want to enable encryption?" : "นี่คือการเตือนครั้งสุดท้าย: คุณต้องการที่จะเปิดใช้การเข้ารหัส?", - "Enable encryption" : "เปิดใช้งานการเข้ารหัส", - "No encryption module loaded, please enable an encryption module in the app menu." : "ไม่มีโมดูลการเข้ารหัสโหลดโปรดเปิดใช้งานโมดูลการเข้ารหัสในเมนูแอพฯ", - "Select default encryption module:" : "เลือกค่าเริ่มต้นโมดูลการเข้ารหัส:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่ กรุณาเปิดใช้งาน \"โมดูลการเข้ารหัสเริ่มต้น\" และเรียกใช้ 'occ encryption:migrate'", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่", - "Start migration" : "เริ่มการโยกย้าย", - "Security & setup warnings" : "คำเตือนความปลอดภัยและการติดตั้ง", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "ตั้งค่าให้สามารถอ่านได้อย่างเดียวถูกเปิดใช้งาน นี้จะช่วยป้องกันการตั้งค่าผ่านทางบางเว็บอินเตอร์เฟซ นอกจากนี้จะต้องเขียนไฟล์ด้วยตนเองสำหรับทุกการอัพเดท", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "นี้อาจเกิดจาก cache/accelerator อย่างเช่น Zend OPcache หรือ eAccelerator", - "System locale can not be set to a one which supports UTF-8." : "ตำแหน่งที่ตั้งของระบบไม่สามารถตั้งค่าให้รองรับ UTF-8", - "All checks passed." : "ผ่านการตรวจสอบทั้งหมด", - "Execute one task with each page loaded" : "ประมวลผลหนึ่งงาน ในแต่ละครั้งที่มีการโหลดหน้าเว็บ", - "Version" : "รุ่น", - "Sharing" : "แชร์ข้อมูล", - "Allow apps to use the Share API" : "อนุญาตให้แอปฯสามารถใช้ API สำหรับแชร์ข้อมูลได้", - "Allow users to share via link" : "อนุญาตให้ผู้ใช้สามารถแชร์ผ่านทางลิงค์", - "Allow public uploads" : "อนุญาตให้อัพโหลดสาธารณะ", - "Enforce password protection" : "บังคับใช้การป้องกันรหัสผ่าน", - "Set default expiration date" : "ตั้งค่าเริ่มต้นวันหมดอายุ", - "Expire after " : "หลังจากหมดอายุ", - "days" : "วัน", - "Enforce expiration date" : "บังคับให้มีวันที่หมดอายุ", - "Allow resharing" : "อนุญาตให้แชร์ข้อมูลซ้ำอีกครั้งได้", - "Allow sharing with groups" : "อนุญาตให้แชร์กับกลุ่ม", - "Restrict users to only share with users in their groups" : "จำกัดให้ผู้ใช้สามารถแชร์กับผู้ใช้ในกลุ่มของพวกเขาเท่านั้น", - "Exclude groups from sharing" : "ไม่รวมกลุ่มที่กำลังแชร์", - "These groups will still be able to receive shares, but not to initiate them." : "กลุ่มนี้จะยังคงสามารถได้รับการแชร์ แต่พวกเขาจะไม่รู้จักมัน", - "Tips & tricks" : "เคล็ดลับและเทคนิค", - "How to do backups" : "วิธีการสำรองข้อมูล", - "Performance tuning" : "การปรับแต่งประสิทธิภาพ", - "Improving the config.php" : "ปรับปรุงไฟล์ config.php", - "Theming" : "ชุดรูปแบบ", - "Hardening and security guidance" : "คำแนะนำการรักษาความปลอดภัย", - "You are using %s of %s" : "คุณกำลังใช้พื้นที่ %s จากทั้งหมด %s", - "Profile picture" : "รูปภาพโปรไฟล์", - "Upload new" : "อัพโหลดใหม่", - "Select from Files" : "เลือกจากไฟล์", - "Remove image" : "ลบรูปภาพ", - "png or jpg, max. 20 MB" : "จะต้องเป็นไฟล์ png หรือ jpg, สูงสุดไม่เกิน 20 เมกะไบต์", - "Picture provided by original account" : "ใช้รูปภาพจากบัญชีเดิม", - "Cancel" : "ยกเลิก", - "Choose as profile picture" : "เลือกรูปภาพโปรไฟล์", - "Full name" : "ชื่อเต็ม", - "No display name set" : "ไม่มีชื่อที่แสดง", - "Email" : "อีเมล", - "Your email address" : "ที่อยู่อีเมล์ของคุณ", - "No email address set" : "ไม่ได้ตั้งค่าที่อยู่อีเมล", - "You are member of the following groups:" : "คุณเป็นสมาชิกของกลุ่มต่อไปนี้:", - "Language" : "ภาษา", - "Help translate" : "มาช่วยกันแปลสิ!", - "Password" : "รหัสผ่าน", - "Current password" : "รหัสผ่านปัจจุบัน", - "New password" : "รหัสผ่านใหม่", - "Change password" : "เปลี่ยนรหัสผ่าน", - "Username" : "ชื่อผู้ใช้งาน", - "Done" : "เสร็จสิ้น", - "Show storage location" : "แสดงสถานที่จัดเก็บข้อมูล", - "Show user backend" : "แสดงแบ็กเอนด์ของผู้ใช้", - "Show email address" : "แสดงที่อยู่อีเมล", - "Send email to new user" : "ส่งอีเมลไปยังผู้ใช้ใหม่", - "E-Mail" : "อีเมล", - "Create" : "สร้าง", - "Admin Recovery Password" : "กู้คืนรหัสผ่านดูแลระบบ", - "Enter the recovery password in order to recover the users files during password change" : "ป้อนรหัสผ่านการกู้คืนเพื่อกู้คืนไฟล์ผู้ใช้ในช่วงการเปลี่ยนรหัสผ่าน", - "Everyone" : "ทุกคน", - "Admins" : "ผู้ดูแลระบบ", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "กรุณากรอกโควต้าการจัดเก็บข้อมูล (ต.ย. : \"512 MB\" หรือ \"12 GB\")", - "Unlimited" : "ไม่จำกัด", - "Other" : "อื่นๆ", - "Quota" : "โควต้า", - "change full name" : "เปลี่ยนชื่อเต็ม", - "set new password" : "ตั้งค่ารหัสผ่านใหม่", - "change email address" : "เปลี่ยนแปลงที่อยู่อีเมล", - "Default" : "ค่าเริ่มต้น" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/th.json b/settings/l10n/th.json deleted file mode 100644 index 89f3966b1adb4..0000000000000 --- a/settings/l10n/th.json +++ /dev/null @@ -1,195 +0,0 @@ -{ "translations": { - "Wrong password" : "รหัสผ่านไม่ถูกต้อง", - "Saved" : "บันทึกแล้ว", - "No user supplied" : "ไม่มีผู้ใช้", - "Unable to change password" : "ไม่สามารถเปลี่ยนรหัสผ่าน", - "Authentication error" : "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", - "Wrong admin recovery password. Please check the password and try again." : "กู้คืนรหัสผ่านของผู้ดูแลระบบไม่ถูกต้อง กรุณาตรวจสอบรหัสผ่านและลองอีกครั้ง.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "กำลังติดตั้งและอัพเดทแอพพลิเคชันผ่าแอพสโตร์หรือคลาวด์ในเครือ", - "Federated Cloud Sharing" : "แชร์กับสหพันธ์คลาวด์", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "คุณกำลังใช้ cURL %s รุ่นเก่ากว่า (%s)โปรดอัพเดทระบบปฏิบัติการหรือคุณสมบัติเป็น %s เพื่อการทำงานที่มีประสิทธิภาพ", - "A problem occurred, please check your log files (Error: %s)" : "มีปัญหาเกิดขึ้นโปรดตรวจสอบไฟล์บันทึกของคุณ (ข้อผิดพลาด: %s)", - "Migration Completed" : "การโยกย้ายเสร็จสมบูรณ์", - "Group already exists." : "มีกลุ่มนี้อยู่แล้ว", - "Unable to add group." : "ไม่สามารถเพิ่มกลุ่ม", - "Unable to delete group." : "ไม่สามารถลบกลุ่ม", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "เกิดปัญหาขึ้นในขณะที่ส่งอีเมล กรุณาแก้ไขการตั้งค่าของคุณ (ข้อผิดพลาด: %s)", - "You need to set your user email before being able to send test emails." : "คุณจำเป็นต้องตั้งค่าอีเมลผู้ใช้ของคุณก่อนที่จะสามารถส่งอีเมลทดสอบ", - "Invalid mail address" : "ที่อยู่อีเมลไม่ถูกต้อง", - "A user with that name already exists." : "มีชื้อผู้ใช้นี้อยู่แล้ว", - "Unable to create user." : "ไม่สามารถสร้างผู้ใช้", - "Unable to delete user." : "ไม่สามารถลบผู้ใช้", - "Unable to change full name" : "ไม่สามารถเปลี่ยนชื่อเต็ม", - "Your full name has been changed." : "ชื่อเต็มของคุณถูกเปลี่ยนแปลง", - "Forbidden" : "เขตหวงห้าม", - "Invalid user" : "ผู้ใช้ไม่ถูกต้อง", - "Unable to change mail address" : "ไม่สามารถที่จะเปลี่ยนที่อยู่อีเมล", - "Email saved" : "อีเมลถูกบันทึกแล้ว", - "Your %s account was created" : "บัญชี %s ของคุณถูกสร้างขึ้น", - "Couldn't remove app." : "ไม่สามารถลบแอพฯ", - "Couldn't update app." : "ไม่สามารถอัพเดทแอปฯ", - "Add trusted domain" : "เพิ่มโดเมนที่เชื่อถือได้", - "Migration in progress. Please wait until the migration is finished" : "ในระหว่างดำเนินการโยกย้าย กรุณารอสักครู่จนกว่าการโยกย้ายจะเสร็จสิ้น", - "Migration started …" : "เริ่มต้นการโยกย้าย …", - "Email sent" : "ส่งอีเมลแล้ว", - "Official" : "เป็นทางการ", - "All" : "ทั้งหมด", - "Update to %s" : "อัพเดทไปยัง %s", - "No apps found for your version" : "ไม่พบแอพพลิเคชันสำหรับรุ่นของคุณ", - "The app will be downloaded from the app store" : "แอพฯจะดาวน์โหลดได้จากแอพสโตร์", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "แอพพลิเคชันได้รับการอนุมัติและพัฒนาโดยนักพัฒนาที่น่าเชื่อถือและได้ผ่านการตรวจสอบความปลอดภัยคร่าวๆ พวกเขาจะได้รับการบำรุงรักษาอย่างดีในการเก็บข้อมูลรหัสเปิด มันอาจยังไม่เสถียรพอสำหรับการเปิดใช้งานปกติ", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "แอพฯ นี้ไม่ได้ตรวจสอบปัญหาด้านความปลอดภัยและเป็นแอพฯใหม่หรือที่รู้จักกันคือจะไม่เสถียร ติดตั้งบนความเสี่ยงของคุณเอง", - "Error while disabling app" : "เกิดข้อผิดพลาดขณะปิดการใช้งานแอพพลิเคชัน", - "Disable" : "ปิดใช้งาน", - "Enable" : "เปิดใช้งาน", - "Error while enabling app" : "เกิดข้อผิดพลาดขณะกำลังตรวจสอบแอพฯ", - "Error while disabling broken app" : "ข้อผิดพลาดขณะกำลังปิดการใช้งานแอพฯที่มีปัญหา", - "Updated" : "อัพเดทแล้ว", - "Approved" : "ได้รับการอนุมัติ", - "Experimental" : "การทดลอง", - "No apps found for {query}" : "ไม่พบแอพฯสำหรับ {query}", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "เกิดข้อผิดพลาด กรุณาอัพโหลดใบรับรองเข้ารหัส ASCII PEM", - "Valid until {date}" : "ใช้ได้จนถึงวันที่ {date}", - "Delete" : "ลบ", - "Select a profile picture" : "เลือกรูปภาพโปรไฟล์", - "Very weak password" : "รหัสผ่านระดับต่ำมาก", - "Weak password" : "รหัสผ่านระดับต่ำ", - "So-so password" : "รหัสผ่านระดับปกติ", - "Good password" : "รหัสผ่านระดับดี", - "Strong password" : "รหัสผ่านระดับดีมาก", - "Groups" : "กลุ่ม", - "Unable to delete {objName}" : "ไม่สามารถลบ {objName}", - "Error creating group: {message}" : "ข้อผิดพลาดการสร้างกลุ่ม: {message}", - "A valid group name must be provided" : "จะต้องระบุชื่อกลุ่มที่ถูกต้อง", - "deleted {groupName}" : "ลบกลุ่ม {groupName} เรียบร้อยแล้ว", - "undo" : "เลิกทำ", - "never" : "ไม่ต้องเลย", - "deleted {userName}" : "ลบผู้ใช้ {userName} เรียบร้อยแล้ว", - "Changing the password will result in data loss, because data recovery is not available for this user" : "การเปลี่ยนรหัสผ่านจะส่งผลให้เกิดการสูญเสียข้อมูลเพราะการกู้คืนข้อมูลจะไม่สามารถใช้ได้สำหรับผู้ใช้นี้", - "A valid username must be provided" : "จะต้องระบุชื่อผู้ใช้ที่ถูกต้อง", - "Error creating user: {message}" : "ข้อผิดพลาดในการสร้างผู้ใช้: {message}", - "A valid password must be provided" : "จะต้องระบุรหัสผ่านที่ถูกต้อง", - "A valid email must be provided" : "จะต้องระบุอีเมลที่ถูกต้อง", - "Developer documentation" : "เอกสารสำหรับนักพัฒนา", - "by %s" : "โดย %s", - "%s-licensed" : "%s ได้รับใบอนุญาต", - "Documentation:" : "เอกสาร:", - "User documentation" : "เอกสารสำหรับผู้ใช้", - "Admin documentation" : "เอกสารผู้ดูแลระบบ", - "Show description …" : "แสดงรายละเอียด ...", - "Hide description …" : "ซ่อนรายละเอียด ...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "ไม่สามารถติดตั้งแอพฯนี้เพราะไม่มีตัวอ้างอิงต่อไปนี้:", - "Enable only for specific groups" : "เปิดใช้งานเพียงเฉพาะกลุ่ม", - "SSL Root Certificates" : "ใบรับรอง SSL", - "Common Name" : "ชื่อทั่วไป", - "Valid until" : "ใช้ได้จนถึง", - "Issued By" : "ปัญหาโดย", - "Valid until %s" : "ใช้ได้จนถึง %s", - "Import root certificate" : "นำเข้าใบรับรองหลัก", - "Administrator documentation" : "เอกสารของผู้ดูแลระบบ", - "Online documentation" : "เอกสารออนไลน์", - "Forum" : "ฟอรั่ม", - "Commercial support" : "สนับสนุนเชิงพาณิชย์", - "None" : "ไม่มี", - "Login" : "เข้าสู่ระบบ", - "Plain" : "ธรรมดา", - "NT LAN Manager" : "ตัวจัดการ NT LAN", - "Email server" : "อีเมลเซิร์ฟเวอร์", - "Open documentation" : "เปิดเอกสาร", - "Send mode" : "โหมดการส่ง", - "Encryption" : "การเข้ารหัส", - "From address" : "จากที่อยู่", - "mail" : "อีเมล", - "Authentication method" : "วิธีการตรวจสอบ", - "Authentication required" : "จำเป็นต้องตรวจสอบความถูกต้อง", - "Server address" : "ที่อยู่เซิร์ฟเวอร์", - "Port" : "พอร์ต", - "Credentials" : "ข้อมูลส่วนตัวสำหรับเข้าระบบ", - "SMTP Username" : "ชื่อผู้ใช้ SMTP", - "SMTP Password" : "รหัสผ่าน SMTP", - "Store credentials" : "ข้อมูลประจำตัวของร้านค้า", - "Test email settings" : "ทดสอบการตั้งค่าอีเมล", - "Send email" : "ส่งอีเมล", - "Server-side encryption" : "เข้ารหัสฝั่งเซิร์ฟเวอร์", - "Enable server-side encryption" : "เปิดการใช้งานเข้ารหัสฝั่งเซิร์ฟเวอร์", - "Please read carefully before activating server-side encryption: " : "กรุณาอ่านอย่างละเอียดก่อนที่จะเปิดใช้งานการเข้ารหัสฝั่งเซิร์ฟเวอร์:", - "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "เมื่อเปิดใช้งานการเข้ารหัส ไฟล์ทั้งหมดที่อัพโหลดไปยังเซิร์ฟเวอร์นั้นจะถูกเข้ารหัสในส่วนของเซิฟเวอร์ มันเป็นไปได้ที่จะปิดใช้งานการเข้ารหัสในภายหลัง ถ้าเปิดใช้ฟังก์ชั่นการสนับสนุนโมดูลการเข้ารหัสที่และเงื่อนไขก่อน (เช่น การตั้งค่าคีย์กู้คืน)", - "Be aware that encryption always increases the file size." : "โปรดทราบว่าหากเข้ารหัสไฟล์จะทำให้ขนาดของไฟล์ใหญ่ขึ้น", - "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "มันจะดีถ้าคุณสำรองข้อมูลบ่อยๆ ในกรณีของการเข้ารหัสโปรดแน่ใจว่าจะสำรองคีย์การเข้ารหัสลับพร้อมกับข้อมูลของคุณ", - "This is the final warning: Do you really want to enable encryption?" : "นี่คือการเตือนครั้งสุดท้าย: คุณต้องการที่จะเปิดใช้การเข้ารหัส?", - "Enable encryption" : "เปิดใช้งานการเข้ารหัส", - "No encryption module loaded, please enable an encryption module in the app menu." : "ไม่มีโมดูลการเข้ารหัสโหลดโปรดเปิดใช้งานโมดูลการเข้ารหัสในเมนูแอพฯ", - "Select default encryption module:" : "เลือกค่าเริ่มต้นโมดูลการเข้ารหัส:", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่ กรุณาเปิดใช้งาน \"โมดูลการเข้ารหัสเริ่มต้น\" และเรียกใช้ 'occ encryption:migrate'", - "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่", - "Start migration" : "เริ่มการโยกย้าย", - "Security & setup warnings" : "คำเตือนความปลอดภัยและการติดตั้ง", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "ตั้งค่าให้สามารถอ่านได้อย่างเดียวถูกเปิดใช้งาน นี้จะช่วยป้องกันการตั้งค่าผ่านทางบางเว็บอินเตอร์เฟซ นอกจากนี้จะต้องเขียนไฟล์ด้วยตนเองสำหรับทุกการอัพเดท", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "นี้อาจเกิดจาก cache/accelerator อย่างเช่น Zend OPcache หรือ eAccelerator", - "System locale can not be set to a one which supports UTF-8." : "ตำแหน่งที่ตั้งของระบบไม่สามารถตั้งค่าให้รองรับ UTF-8", - "All checks passed." : "ผ่านการตรวจสอบทั้งหมด", - "Execute one task with each page loaded" : "ประมวลผลหนึ่งงาน ในแต่ละครั้งที่มีการโหลดหน้าเว็บ", - "Version" : "รุ่น", - "Sharing" : "แชร์ข้อมูล", - "Allow apps to use the Share API" : "อนุญาตให้แอปฯสามารถใช้ API สำหรับแชร์ข้อมูลได้", - "Allow users to share via link" : "อนุญาตให้ผู้ใช้สามารถแชร์ผ่านทางลิงค์", - "Allow public uploads" : "อนุญาตให้อัพโหลดสาธารณะ", - "Enforce password protection" : "บังคับใช้การป้องกันรหัสผ่าน", - "Set default expiration date" : "ตั้งค่าเริ่มต้นวันหมดอายุ", - "Expire after " : "หลังจากหมดอายุ", - "days" : "วัน", - "Enforce expiration date" : "บังคับให้มีวันที่หมดอายุ", - "Allow resharing" : "อนุญาตให้แชร์ข้อมูลซ้ำอีกครั้งได้", - "Allow sharing with groups" : "อนุญาตให้แชร์กับกลุ่ม", - "Restrict users to only share with users in their groups" : "จำกัดให้ผู้ใช้สามารถแชร์กับผู้ใช้ในกลุ่มของพวกเขาเท่านั้น", - "Exclude groups from sharing" : "ไม่รวมกลุ่มที่กำลังแชร์", - "These groups will still be able to receive shares, but not to initiate them." : "กลุ่มนี้จะยังคงสามารถได้รับการแชร์ แต่พวกเขาจะไม่รู้จักมัน", - "Tips & tricks" : "เคล็ดลับและเทคนิค", - "How to do backups" : "วิธีการสำรองข้อมูล", - "Performance tuning" : "การปรับแต่งประสิทธิภาพ", - "Improving the config.php" : "ปรับปรุงไฟล์ config.php", - "Theming" : "ชุดรูปแบบ", - "Hardening and security guidance" : "คำแนะนำการรักษาความปลอดภัย", - "You are using %s of %s" : "คุณกำลังใช้พื้นที่ %s จากทั้งหมด %s", - "Profile picture" : "รูปภาพโปรไฟล์", - "Upload new" : "อัพโหลดใหม่", - "Select from Files" : "เลือกจากไฟล์", - "Remove image" : "ลบรูปภาพ", - "png or jpg, max. 20 MB" : "จะต้องเป็นไฟล์ png หรือ jpg, สูงสุดไม่เกิน 20 เมกะไบต์", - "Picture provided by original account" : "ใช้รูปภาพจากบัญชีเดิม", - "Cancel" : "ยกเลิก", - "Choose as profile picture" : "เลือกรูปภาพโปรไฟล์", - "Full name" : "ชื่อเต็ม", - "No display name set" : "ไม่มีชื่อที่แสดง", - "Email" : "อีเมล", - "Your email address" : "ที่อยู่อีเมล์ของคุณ", - "No email address set" : "ไม่ได้ตั้งค่าที่อยู่อีเมล", - "You are member of the following groups:" : "คุณเป็นสมาชิกของกลุ่มต่อไปนี้:", - "Language" : "ภาษา", - "Help translate" : "มาช่วยกันแปลสิ!", - "Password" : "รหัสผ่าน", - "Current password" : "รหัสผ่านปัจจุบัน", - "New password" : "รหัสผ่านใหม่", - "Change password" : "เปลี่ยนรหัสผ่าน", - "Username" : "ชื่อผู้ใช้งาน", - "Done" : "เสร็จสิ้น", - "Show storage location" : "แสดงสถานที่จัดเก็บข้อมูล", - "Show user backend" : "แสดงแบ็กเอนด์ของผู้ใช้", - "Show email address" : "แสดงที่อยู่อีเมล", - "Send email to new user" : "ส่งอีเมลไปยังผู้ใช้ใหม่", - "E-Mail" : "อีเมล", - "Create" : "สร้าง", - "Admin Recovery Password" : "กู้คืนรหัสผ่านดูแลระบบ", - "Enter the recovery password in order to recover the users files during password change" : "ป้อนรหัสผ่านการกู้คืนเพื่อกู้คืนไฟล์ผู้ใช้ในช่วงการเปลี่ยนรหัสผ่าน", - "Everyone" : "ทุกคน", - "Admins" : "ผู้ดูแลระบบ", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "กรุณากรอกโควต้าการจัดเก็บข้อมูล (ต.ย. : \"512 MB\" หรือ \"12 GB\")", - "Unlimited" : "ไม่จำกัด", - "Other" : "อื่นๆ", - "Quota" : "โควต้า", - "change full name" : "เปลี่ยนชื่อเต็ม", - "set new password" : "ตั้งค่ารหัสผ่านใหม่", - "change email address" : "เปลี่ยนแปลงที่อยู่อีเมล", - "Default" : "ค่าเริ่มต้น" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/ug.js b/settings/l10n/ug.js deleted file mode 100644 index 857a4264dd974..0000000000000 --- a/settings/l10n/ug.js +++ /dev/null @@ -1,41 +0,0 @@ -OC.L10N.register( - "settings", - { - "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى", - "Email saved" : "تورخەت ساقلاندى", - "Couldn't update app." : "ئەپنى يېڭىلىيالمايدۇ.", - "All" : "ھەممىسى", - "Disable" : "چەكلە", - "Enable" : "قوزغات", - "Updated" : "يېڭىلاندى", - "Delete" : "ئۆچۈر", - "Groups" : "گۇرۇپپا", - "undo" : "يېنىۋال", - "never" : "ھەرگىز", - "A valid username must be provided" : "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", - "A valid password must be provided" : "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", - "Forum" : "مۇنبەر", - "None" : "يوق", - "Login" : "تىزىمغا كىرىڭ", - "Encryption" : "شىفىرلاش", - "Server address" : "مۇلازىمېتىر ئادرىسى", - "Port" : "ئېغىز", - "Version" : "نەشرى", - "Sharing" : "ھەمبەھىر", - "Cancel" : "ۋاز كەچ", - "Email" : "تورخەت", - "Your email address" : "تورخەت ئادرېسىڭىز", - "Language" : "تىل", - "Help translate" : "تەرجىمىگە ياردەم", - "Password" : "ئىم", - "Current password" : "نۆۋەتتىكى ئىم", - "New password" : "يېڭى ئىم", - "Change password" : "ئىم ئۆزگەرت", - "Username" : "ئىشلەتكۈچى ئاتى", - "Create" : "قۇر", - "Unlimited" : "چەكسىز", - "Other" : "باشقا", - "set new password" : "يېڭى ئىم تەڭشە", - "Default" : "كۆڭۈلدىكى" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/ug.json b/settings/l10n/ug.json deleted file mode 100644 index be0cfb438d255..0000000000000 --- a/settings/l10n/ug.json +++ /dev/null @@ -1,39 +0,0 @@ -{ "translations": { - "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى", - "Email saved" : "تورخەت ساقلاندى", - "Couldn't update app." : "ئەپنى يېڭىلىيالمايدۇ.", - "All" : "ھەممىسى", - "Disable" : "چەكلە", - "Enable" : "قوزغات", - "Updated" : "يېڭىلاندى", - "Delete" : "ئۆچۈر", - "Groups" : "گۇرۇپپا", - "undo" : "يېنىۋال", - "never" : "ھەرگىز", - "A valid username must be provided" : "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", - "A valid password must be provided" : "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", - "Forum" : "مۇنبەر", - "None" : "يوق", - "Login" : "تىزىمغا كىرىڭ", - "Encryption" : "شىفىرلاش", - "Server address" : "مۇلازىمېتىر ئادرىسى", - "Port" : "ئېغىز", - "Version" : "نەشرى", - "Sharing" : "ھەمبەھىر", - "Cancel" : "ۋاز كەچ", - "Email" : "تورخەت", - "Your email address" : "تورخەت ئادرېسىڭىز", - "Language" : "تىل", - "Help translate" : "تەرجىمىگە ياردەم", - "Password" : "ئىم", - "Current password" : "نۆۋەتتىكى ئىم", - "New password" : "يېڭى ئىم", - "Change password" : "ئىم ئۆزگەرت", - "Username" : "ئىشلەتكۈچى ئاتى", - "Create" : "قۇر", - "Unlimited" : "چەكسىز", - "Other" : "باشقا", - "set new password" : "يېڭى ئىم تەڭشە", - "Default" : "كۆڭۈلدىكى" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/uk.js b/settings/l10n/uk.js deleted file mode 100644 index 4e6e3d9e013a1..0000000000000 --- a/settings/l10n/uk.js +++ /dev/null @@ -1,185 +0,0 @@ -OC.L10N.register( - "settings", - { - "{actor} changed your password" : "{actor} змінив ваш пароль", - "{actor} changed your email address" : "{actor} змінив вашу email адресу", - "You changed your email address" : "Ви змінили вашу email адресу", - "Your email address was changed by an administrator" : "Ваша email адреса змінена адміністратором", - "Wrong password" : "Невірний пароль", - "Saved" : "Збережено", - "No user supplied" : "Користувача не вказано", - "Unable to change password" : "Неможливо змінити пароль", - "Authentication error" : "Помилка автентифікації", - "Wrong admin recovery password. Please check the password and try again." : "Невірний пароль відновлення адміністратора. Будь ласка, перевірте пароль та спробуйте ще раз.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "встановлення та оновлення додатків через магазин додатків або Об’єднання хмарних сховищ", - "Federated Cloud Sharing" : "Об’єднання хмарних сховищ", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL використовує застарілу версію %s (%s). Будь ласка, поновіть вашу операційну систему або функції, такі як %s не працюватимуть надійно.", - "A problem occurred, please check your log files (Error: %s)" : "Виникла проблема, будь ласка, перевірте свої файли журналів (Помилка: %s)", - "Migration Completed" : "Міграцію завершено", - "Group already exists." : "Група вже існує.", - "Unable to add group." : "Неможливо додати групу.", - "Unable to delete group." : "Неможливо видалити групу.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Під час надсилання email сталася помилка. Будь ласка перевірте налаштування. (Помилка: %s)", - "You need to set your user email before being able to send test emails." : "Перед надсиланням тестових листів ви повинні вказати свою email адресу.", - "Invalid mail address" : "Неправильна email адреса", - "A user with that name already exists." : "Користувач з таким іменем вже існує.", - "Unable to create user." : "Неможливо створити користувача.", - "Unable to delete user." : "Неможливо видалити користувача.", - "Unable to change full name" : "Неможливо змінити повне ім'я", - "Your full name has been changed." : "Ваше повне ім'я було змінено", - "Forbidden" : "Заборонено", - "Invalid user" : "Неправильний користувач", - "Unable to change mail address" : "Неможливо поміняти email адресу", - "Email saved" : "Адресу збережено", - "Your %s account was created" : "Ваш %s аккаунт створений", - "Couldn't remove app." : "Неможливо видалити додаток.", - "Couldn't update app." : "Не вдалося оновити додаток. ", - "Add trusted domain" : "Додати довірений домен", - "Migration in progress. Please wait until the migration is finished" : "Міграція триває. Будь ласка, зачекайте доки процес міграції завершиться", - "Migration started …" : "Міграцію розпочато ...", - "Email sent" : "Лист надіслано", - "Official" : "Офіційні", - "All" : "Всі", - "Update to %s" : "Оновити до %s", - "No apps found for your version" : "Немає застосунків для вашої версії", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Схвалені додатки розроблені довіреними розробниками і пройшли незалежну перевірку безпеки. Їх активно супроводжують у репозиторії з відкритим кодом, а їх розробники стежать, щоб вони були стабільні й прийнятні для повсякденного використання.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Ця програма не перевірена на вразливості безпеки і є новою або нестабільною. Встановлюйте її на власний ризик.", - "Error while disabling app" : "Помилка вимикання додатка", - "Disable" : "Вимкнути", - "Enable" : "Увімкнути", - "Error while enabling app" : "Помилка вмикання додатка", - "Updated" : "Оновлено", - "Approved" : "Схвалені", - "Experimental" : "Експериментальні", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Виникла помилка. Будь ласка вивантажте PEM сертифікат в ASCII-кодуванні.", - "Valid until {date}" : "Дійсно до {date}", - "Delete" : "Видалити", - "Select a profile picture" : "Обрати зображення облікового запису", - "Very weak password" : "Дуже слабкий пароль", - "Weak password" : "Слабкий пароль", - "So-so password" : "Такий собі пароль", - "Good password" : "Добрий пароль", - "Strong password" : "Надійний пароль", - "Groups" : "Групи", - "Unable to delete {objName}" : "Не вдалося видалити {objName}", - "A valid group name must be provided" : "Потрібно задати вірне ім'я групи", - "deleted {groupName}" : "видалено {groupName}", - "undo" : "відмінити", - "never" : "ніколи", - "deleted {userName}" : "видалено {userName}", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Зміна пароля призведе до втрати даних, тому що відновлення даних не доступно для цього користувача", - "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", - "A valid password must be provided" : "Потрібно задати вірний пароль", - "A valid email must be provided" : "Вкажіть дійсний email", - "Developer documentation" : "Документація для розробників", - "Documentation:" : "Документація:", - "User documentation" : "Користувацька документація", - "Admin documentation" : "Документація адміністратора", - "Show description …" : "Показати деталі ...", - "Hide description …" : "Сховати деталі ...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Ця програма не може бути встановлено, так як наступні залежності не будуть виконані:", - "Enable only for specific groups" : "Включити тільки для конкретних груп", - "Common Name" : "Ім'я:", - "Valid until" : "Дійсно до", - "Issued By" : "Виданий", - "Valid until %s" : "Дійсно до %s", - "Import root certificate" : "Імпортувати кореневий сертифікат", - "Administrator documentation" : "Документація адміністратора", - "Online documentation" : "Документація онлайн", - "Forum" : "Форум", - "Commercial support" : "Комерційна підтримка", - "None" : "Жоден", - "Login" : "Логін", - "Plain" : "Звичайний", - "NT LAN Manager" : "Менеджер NT LAN", - "Email server" : "Сервер електронної пошти", - "Open documentation" : "Відкрити документацію", - "Send mode" : "Режим надсилання", - "Encryption" : "Шифрування", - "From address" : "Адреса відправника", - "mail" : "пошта", - "Authentication method" : "Спосіб аутентифікації", - "Authentication required" : "Потрібна аутентифікація", - "Server address" : "Адреса сервера", - "Port" : "Порт", - "Credentials" : "Облікові дані", - "SMTP Username" : "Ім'я користувача SMTP", - "SMTP Password" : "Пароль SMTP", - "Store credentials" : "Зберігати облікові дані", - "Test email settings" : "Тестувати налаштування електронної пошти", - "Send email" : "Надіслати листа", - "Server-side encryption" : "Шифрування на сервері", - "Enable server-side encryption" : "Увімкнути шифрування на сервері", - "Please read carefully before activating server-side encryption: " : "Будьте обережні під час активування шифрування на сервері:", - "Enable encryption" : "Увімкнути шифрування", - "Select default encryption module:" : "Обрати модуль шифрування за замовчуванням:", - "Start migration" : "Розпочати міграцію", - "Security & setup warnings" : "Попередження безпеки та налаштування", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Тільки перегляд був включений. Це запобігає встановити деякі конфігурації через веб-інтерфейс. Крім того, файл повинен бути доступний для запису вручну для кожного оновлення.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Неможливо встановити системну локаль, яка б підтримувала UTF-8.", - "All checks passed." : "Всі перевірки пройдено.", - "Execute one task with each page loaded" : "Виконати одне завдання для кожної завантаженої сторінки ", - "Version" : "Версія", - "Sharing" : "Спільний доступ", - "Allow apps to use the Share API" : "Дозволити програмам використовувати API спільного доступу", - "Allow users to share via link" : "Дозволити користувачам ділитися через посилання", - "Allow public uploads" : "Дозволити публічне завантаження", - "Enforce password protection" : "Захист паролем обов'язковий", - "Set default expiration date" : "Встановити термін дії за замовчуванням", - "Expire after " : "Скінчиться через", - "days" : "днів", - "Enforce expiration date" : "Термін дії обов'язковий", - "Allow resharing" : "Дозволити перевідкривати спільний доступ", - "Restrict users to only share with users in their groups" : "Дозволити користувачам відкривати спільний доступ лише для користувачів з їхньої групи", - "Exclude groups from sharing" : "Виключити групи зі спільного доступу", - "These groups will still be able to receive shares, but not to initiate them." : "Ці групи зможуть отримувати спільні файли, але не зможуть відправляти їх.", - "Tips & tricks" : "Поради і трюки", - "How to do backups" : "Як робити резервне копіювання", - "Performance tuning" : "Налаштування продуктивності", - "Improving the config.php" : "Покращення config.php", - "Theming" : "Оформлення", - "Hardening and security guidance" : "Інструктування з безпеки та захисту", - "You are using %s of %s" : "Ви використовуєте %s з %s", - "Profile picture" : "Зображення облікового запису", - "Upload new" : "Завантажити нове", - "Remove image" : "Видалити зображення", - "Cancel" : "Відмінити", - "Choose as profile picture" : "Обрати як зображення для профілю", - "Full name" : "Повне ім'я", - "No display name set" : "Коротке ім'я не вказано", - "Email" : "E-mail", - "Your email address" : "Ваша адреса електронної пошти", - "No email address set" : "E-mail не вказано", - "Phone number" : "Номер телефону", - "Your phone number" : "Ваш номер телефону", - "Address" : "Адреса", - "You are member of the following groups:" : "Ви є членом наступних груп:", - "Language" : "Мова", - "Help translate" : "Допомогти з перекладом", - "Password" : "Пароль", - "Current password" : "Поточний пароль", - "New password" : "Новий пароль", - "Change password" : "Змінити пароль", - "Username" : "Ім'я користувача", - "Done" : "Готово", - "Show storage location" : "Показати місцезнаходження сховища", - "Show user backend" : "Показати користувача", - "Show email address" : "Показати адресу електронної пошти", - "Send email to new user" : "Надіслати email новому користувачу", - "E-Mail" : "Адреса електронної пошти", - "Create" : "Створити", - "Admin Recovery Password" : "Пароль адміністратора для відновлення", - "Enter the recovery password in order to recover the users files during password change" : "Введіть пароль для того, щоб відновити файли користувачів при зміні паролю", - "Everyone" : "Всі", - "Admins" : "Адміністратори", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Будь ласка, вкажіть розмір сховища (наприклад: \"512 MB\" або \"12 GB\")", - "Unlimited" : "Необмежено", - "Other" : "Інше", - "Quota" : "Квота", - "change full name" : "змінити ім'я", - "set new password" : "встановити новий пароль", - "change email address" : "Змінити адресу електронної пошти", - "Default" : "За замовчуванням" -}, -"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/uk.json b/settings/l10n/uk.json deleted file mode 100644 index c6e0f7790b02b..0000000000000 --- a/settings/l10n/uk.json +++ /dev/null @@ -1,183 +0,0 @@ -{ "translations": { - "{actor} changed your password" : "{actor} змінив ваш пароль", - "{actor} changed your email address" : "{actor} змінив вашу email адресу", - "You changed your email address" : "Ви змінили вашу email адресу", - "Your email address was changed by an administrator" : "Ваша email адреса змінена адміністратором", - "Wrong password" : "Невірний пароль", - "Saved" : "Збережено", - "No user supplied" : "Користувача не вказано", - "Unable to change password" : "Неможливо змінити пароль", - "Authentication error" : "Помилка автентифікації", - "Wrong admin recovery password. Please check the password and try again." : "Невірний пароль відновлення адміністратора. Будь ласка, перевірте пароль та спробуйте ще раз.", - "installing and updating apps via the app store or Federated Cloud Sharing" : "встановлення та оновлення додатків через магазин додатків або Об’єднання хмарних сховищ", - "Federated Cloud Sharing" : "Об’єднання хмарних сховищ", - "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL використовує застарілу версію %s (%s). Будь ласка, поновіть вашу операційну систему або функції, такі як %s не працюватимуть надійно.", - "A problem occurred, please check your log files (Error: %s)" : "Виникла проблема, будь ласка, перевірте свої файли журналів (Помилка: %s)", - "Migration Completed" : "Міграцію завершено", - "Group already exists." : "Група вже існує.", - "Unable to add group." : "Неможливо додати групу.", - "Unable to delete group." : "Неможливо видалити групу.", - "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Під час надсилання email сталася помилка. Будь ласка перевірте налаштування. (Помилка: %s)", - "You need to set your user email before being able to send test emails." : "Перед надсиланням тестових листів ви повинні вказати свою email адресу.", - "Invalid mail address" : "Неправильна email адреса", - "A user with that name already exists." : "Користувач з таким іменем вже існує.", - "Unable to create user." : "Неможливо створити користувача.", - "Unable to delete user." : "Неможливо видалити користувача.", - "Unable to change full name" : "Неможливо змінити повне ім'я", - "Your full name has been changed." : "Ваше повне ім'я було змінено", - "Forbidden" : "Заборонено", - "Invalid user" : "Неправильний користувач", - "Unable to change mail address" : "Неможливо поміняти email адресу", - "Email saved" : "Адресу збережено", - "Your %s account was created" : "Ваш %s аккаунт створений", - "Couldn't remove app." : "Неможливо видалити додаток.", - "Couldn't update app." : "Не вдалося оновити додаток. ", - "Add trusted domain" : "Додати довірений домен", - "Migration in progress. Please wait until the migration is finished" : "Міграція триває. Будь ласка, зачекайте доки процес міграції завершиться", - "Migration started …" : "Міграцію розпочато ...", - "Email sent" : "Лист надіслано", - "Official" : "Офіційні", - "All" : "Всі", - "Update to %s" : "Оновити до %s", - "No apps found for your version" : "Немає застосунків для вашої версії", - "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Схвалені додатки розроблені довіреними розробниками і пройшли незалежну перевірку безпеки. Їх активно супроводжують у репозиторії з відкритим кодом, а їх розробники стежать, щоб вони були стабільні й прийнятні для повсякденного використання.", - "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Ця програма не перевірена на вразливості безпеки і є новою або нестабільною. Встановлюйте її на власний ризик.", - "Error while disabling app" : "Помилка вимикання додатка", - "Disable" : "Вимкнути", - "Enable" : "Увімкнути", - "Error while enabling app" : "Помилка вмикання додатка", - "Updated" : "Оновлено", - "Approved" : "Схвалені", - "Experimental" : "Експериментальні", - "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Виникла помилка. Будь ласка вивантажте PEM сертифікат в ASCII-кодуванні.", - "Valid until {date}" : "Дійсно до {date}", - "Delete" : "Видалити", - "Select a profile picture" : "Обрати зображення облікового запису", - "Very weak password" : "Дуже слабкий пароль", - "Weak password" : "Слабкий пароль", - "So-so password" : "Такий собі пароль", - "Good password" : "Добрий пароль", - "Strong password" : "Надійний пароль", - "Groups" : "Групи", - "Unable to delete {objName}" : "Не вдалося видалити {objName}", - "A valid group name must be provided" : "Потрібно задати вірне ім'я групи", - "deleted {groupName}" : "видалено {groupName}", - "undo" : "відмінити", - "never" : "ніколи", - "deleted {userName}" : "видалено {userName}", - "Changing the password will result in data loss, because data recovery is not available for this user" : "Зміна пароля призведе до втрати даних, тому що відновлення даних не доступно для цього користувача", - "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", - "A valid password must be provided" : "Потрібно задати вірний пароль", - "A valid email must be provided" : "Вкажіть дійсний email", - "Developer documentation" : "Документація для розробників", - "Documentation:" : "Документація:", - "User documentation" : "Користувацька документація", - "Admin documentation" : "Документація адміністратора", - "Show description …" : "Показати деталі ...", - "Hide description …" : "Сховати деталі ...", - "This app cannot be installed because the following dependencies are not fulfilled:" : "Ця програма не може бути встановлено, так як наступні залежності не будуть виконані:", - "Enable only for specific groups" : "Включити тільки для конкретних груп", - "Common Name" : "Ім'я:", - "Valid until" : "Дійсно до", - "Issued By" : "Виданий", - "Valid until %s" : "Дійсно до %s", - "Import root certificate" : "Імпортувати кореневий сертифікат", - "Administrator documentation" : "Документація адміністратора", - "Online documentation" : "Документація онлайн", - "Forum" : "Форум", - "Commercial support" : "Комерційна підтримка", - "None" : "Жоден", - "Login" : "Логін", - "Plain" : "Звичайний", - "NT LAN Manager" : "Менеджер NT LAN", - "Email server" : "Сервер електронної пошти", - "Open documentation" : "Відкрити документацію", - "Send mode" : "Режим надсилання", - "Encryption" : "Шифрування", - "From address" : "Адреса відправника", - "mail" : "пошта", - "Authentication method" : "Спосіб аутентифікації", - "Authentication required" : "Потрібна аутентифікація", - "Server address" : "Адреса сервера", - "Port" : "Порт", - "Credentials" : "Облікові дані", - "SMTP Username" : "Ім'я користувача SMTP", - "SMTP Password" : "Пароль SMTP", - "Store credentials" : "Зберігати облікові дані", - "Test email settings" : "Тестувати налаштування електронної пошти", - "Send email" : "Надіслати листа", - "Server-side encryption" : "Шифрування на сервері", - "Enable server-side encryption" : "Увімкнути шифрування на сервері", - "Please read carefully before activating server-side encryption: " : "Будьте обережні під час активування шифрування на сервері:", - "Enable encryption" : "Увімкнути шифрування", - "Select default encryption module:" : "Обрати модуль шифрування за замовчуванням:", - "Start migration" : "Розпочати міграцію", - "Security & setup warnings" : "Попередження безпеки та налаштування", - "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Тільки перегляд був включений. Це запобігає встановити деякі конфігурації через веб-інтерфейс. Крім того, файл повинен бути доступний для запису вручну для кожного оновлення.", - "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", - "System locale can not be set to a one which supports UTF-8." : "Неможливо встановити системну локаль, яка б підтримувала UTF-8.", - "All checks passed." : "Всі перевірки пройдено.", - "Execute one task with each page loaded" : "Виконати одне завдання для кожної завантаженої сторінки ", - "Version" : "Версія", - "Sharing" : "Спільний доступ", - "Allow apps to use the Share API" : "Дозволити програмам використовувати API спільного доступу", - "Allow users to share via link" : "Дозволити користувачам ділитися через посилання", - "Allow public uploads" : "Дозволити публічне завантаження", - "Enforce password protection" : "Захист паролем обов'язковий", - "Set default expiration date" : "Встановити термін дії за замовчуванням", - "Expire after " : "Скінчиться через", - "days" : "днів", - "Enforce expiration date" : "Термін дії обов'язковий", - "Allow resharing" : "Дозволити перевідкривати спільний доступ", - "Restrict users to only share with users in their groups" : "Дозволити користувачам відкривати спільний доступ лише для користувачів з їхньої групи", - "Exclude groups from sharing" : "Виключити групи зі спільного доступу", - "These groups will still be able to receive shares, but not to initiate them." : "Ці групи зможуть отримувати спільні файли, але не зможуть відправляти їх.", - "Tips & tricks" : "Поради і трюки", - "How to do backups" : "Як робити резервне копіювання", - "Performance tuning" : "Налаштування продуктивності", - "Improving the config.php" : "Покращення config.php", - "Theming" : "Оформлення", - "Hardening and security guidance" : "Інструктування з безпеки та захисту", - "You are using %s of %s" : "Ви використовуєте %s з %s", - "Profile picture" : "Зображення облікового запису", - "Upload new" : "Завантажити нове", - "Remove image" : "Видалити зображення", - "Cancel" : "Відмінити", - "Choose as profile picture" : "Обрати як зображення для профілю", - "Full name" : "Повне ім'я", - "No display name set" : "Коротке ім'я не вказано", - "Email" : "E-mail", - "Your email address" : "Ваша адреса електронної пошти", - "No email address set" : "E-mail не вказано", - "Phone number" : "Номер телефону", - "Your phone number" : "Ваш номер телефону", - "Address" : "Адреса", - "You are member of the following groups:" : "Ви є членом наступних груп:", - "Language" : "Мова", - "Help translate" : "Допомогти з перекладом", - "Password" : "Пароль", - "Current password" : "Поточний пароль", - "New password" : "Новий пароль", - "Change password" : "Змінити пароль", - "Username" : "Ім'я користувача", - "Done" : "Готово", - "Show storage location" : "Показати місцезнаходження сховища", - "Show user backend" : "Показати користувача", - "Show email address" : "Показати адресу електронної пошти", - "Send email to new user" : "Надіслати email новому користувачу", - "E-Mail" : "Адреса електронної пошти", - "Create" : "Створити", - "Admin Recovery Password" : "Пароль адміністратора для відновлення", - "Enter the recovery password in order to recover the users files during password change" : "Введіть пароль для того, щоб відновити файли користувачів при зміні паролю", - "Everyone" : "Всі", - "Admins" : "Адміністратори", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Будь ласка, вкажіть розмір сховища (наприклад: \"512 MB\" або \"12 GB\")", - "Unlimited" : "Необмежено", - "Other" : "Інше", - "Quota" : "Квота", - "change full name" : "змінити ім'я", - "set new password" : "встановити новий пароль", - "change email address" : "Змінити адресу електронної пошти", - "Default" : "За замовчуванням" -},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" -} \ No newline at end of file diff --git a/settings/l10n/ur_PK.js b/settings/l10n/ur_PK.js deleted file mode 100644 index 16c538d317ca1..0000000000000 --- a/settings/l10n/ur_PK.js +++ /dev/null @@ -1,17 +0,0 @@ -OC.L10N.register( - "settings", - { - "Email sent" : "ارسال شدہ ای میل ", - "Delete" : "حذف کریں", - "Very weak password" : "بہت کمزور پاسورڈ", - "Weak password" : "کمزور پاسورڈ", - "So-so password" : "نص نص پاسورڈ", - "Good password" : "اچھا پاسورڈ", - "Strong password" : "مضبوط پاسورڈ", - "Cancel" : "منسوخ کریں", - "Password" : "پاسورڈ", - "New password" : "نیا پاسورڈ", - "Username" : "یوزر نیم", - "Other" : "دیگر" -}, -"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ur_PK.json b/settings/l10n/ur_PK.json deleted file mode 100644 index 3197594144f3c..0000000000000 --- a/settings/l10n/ur_PK.json +++ /dev/null @@ -1,15 +0,0 @@ -{ "translations": { - "Email sent" : "ارسال شدہ ای میل ", - "Delete" : "حذف کریں", - "Very weak password" : "بہت کمزور پاسورڈ", - "Weak password" : "کمزور پاسورڈ", - "So-so password" : "نص نص پاسورڈ", - "Good password" : "اچھا پاسورڈ", - "Strong password" : "مضبوط پاسورڈ", - "Cancel" : "منسوخ کریں", - "Password" : "پاسورڈ", - "New password" : "نیا پاسورڈ", - "Username" : "یوزر نیم", - "Other" : "دیگر" -},"pluralForm" :"nplurals=2; plural=(n != 1);" -} \ No newline at end of file diff --git a/settings/l10n/vi.js b/settings/l10n/vi.js deleted file mode 100644 index c02c732a3d9a4..0000000000000 --- a/settings/l10n/vi.js +++ /dev/null @@ -1,52 +0,0 @@ -OC.L10N.register( - "settings", - { - "Saved" : "Đã lưu", - "Authentication error" : "Lỗi xác thực", - "Unable to change full name" : "Họ và tên không thể đổi ", - "Your full name has been changed." : "Họ và tên đã được thay đổi.", - "Email saved" : "Lưu email", - "Couldn't update app." : "Không thể cập nhật ứng dụng", - "Email sent" : "Email đã được gửi", - "All" : "Tất cả", - "Disable" : "Tắt", - "Enable" : "Bật", - "Updated" : "Đã cập nhật", - "Delete" : "Xóa", - "Groups" : "Nhóm", - "undo" : "lùi lại", - "never" : "không thay đổi", - "Forum" : "Diễn đàn", - "None" : "Không gì cả", - "Login" : "Đăng nhập", - "Encryption" : "Mã hóa", - "Server address" : "Địa chỉ máy chủ", - "Port" : "Cổng", - "Credentials" : "Giấy chứng nhận", - "Security & setup warnings" : "Bảo mật và thiết lập cảnh báo", - "Execute one task with each page loaded" : "Thực thi tác vụ mỗi khi trang được tải", - "Version" : "Phiên bản", - "Sharing" : "Chia sẻ", - "Allow apps to use the Share API" : "Cho phép các ứng dụng sử dụng chia sẻ API", - "Allow resharing" : "Cho phép chia sẻ lại", - "Upload new" : "Tải lên", - "Remove image" : "Xóa ", - "Cancel" : "Hủy", - "Email" : "Email", - "Your email address" : "Email của bạn", - "Language" : "Ngôn ngữ", - "Help translate" : "Hỗ trợ dịch thuật", - "Password" : "Mật khẩu", - "Current password" : "Mật khẩu cũ", - "New password" : "Mật khẩu mới", - "Change password" : "Đổi mật khẩu", - "Username" : "Tên đăng nhập", - "Create" : "Tạo", - "Unlimited" : "Không giới hạn", - "Other" : "Khác", - "Quota" : "Hạn ngạch", - "change full name" : "Đổi họ và t", - "set new password" : "đặt mật khẩu mới", - "Default" : "Mặc định" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/vi.json b/settings/l10n/vi.json deleted file mode 100644 index dcb371c85ac43..0000000000000 --- a/settings/l10n/vi.json +++ /dev/null @@ -1,50 +0,0 @@ -{ "translations": { - "Saved" : "Đã lưu", - "Authentication error" : "Lỗi xác thực", - "Unable to change full name" : "Họ và tên không thể đổi ", - "Your full name has been changed." : "Họ và tên đã được thay đổi.", - "Email saved" : "Lưu email", - "Couldn't update app." : "Không thể cập nhật ứng dụng", - "Email sent" : "Email đã được gửi", - "All" : "Tất cả", - "Disable" : "Tắt", - "Enable" : "Bật", - "Updated" : "Đã cập nhật", - "Delete" : "Xóa", - "Groups" : "Nhóm", - "undo" : "lùi lại", - "never" : "không thay đổi", - "Forum" : "Diễn đàn", - "None" : "Không gì cả", - "Login" : "Đăng nhập", - "Encryption" : "Mã hóa", - "Server address" : "Địa chỉ máy chủ", - "Port" : "Cổng", - "Credentials" : "Giấy chứng nhận", - "Security & setup warnings" : "Bảo mật và thiết lập cảnh báo", - "Execute one task with each page loaded" : "Thực thi tác vụ mỗi khi trang được tải", - "Version" : "Phiên bản", - "Sharing" : "Chia sẻ", - "Allow apps to use the Share API" : "Cho phép các ứng dụng sử dụng chia sẻ API", - "Allow resharing" : "Cho phép chia sẻ lại", - "Upload new" : "Tải lên", - "Remove image" : "Xóa ", - "Cancel" : "Hủy", - "Email" : "Email", - "Your email address" : "Email của bạn", - "Language" : "Ngôn ngữ", - "Help translate" : "Hỗ trợ dịch thuật", - "Password" : "Mật khẩu", - "Current password" : "Mật khẩu cũ", - "New password" : "Mật khẩu mới", - "Change password" : "Đổi mật khẩu", - "Username" : "Tên đăng nhập", - "Create" : "Tạo", - "Unlimited" : "Không giới hạn", - "Other" : "Khác", - "Quota" : "Hạn ngạch", - "change full name" : "Đổi họ và t", - "set new password" : "đặt mật khẩu mới", - "Default" : "Mặc định" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file diff --git a/settings/l10n/zh_HK.js b/settings/l10n/zh_HK.js deleted file mode 100644 index 6c16a3e9807cf..0000000000000 --- a/settings/l10n/zh_HK.js +++ /dev/null @@ -1,41 +0,0 @@ -OC.L10N.register( - "settings", - { - "Wrong password" : "密碼錯誤", - "Saved" : "已儲存", - "Email sent" : "郵件已傳", - "All" : "所有", - "Disable" : "停用", - "Enable" : "啟用", - "Updated" : "已更新", - "Delete" : "刪除", - "Groups" : "群組", - "undo" : "復原", - "Forum" : "討論區", - "None" : "空", - "Login" : "登入", - "Encryption" : "加密", - "Server address" : "伺服器地址", - "Port" : "連接埠", - "SMTP Username" : "SMTP 使用者名稱", - "SMTP Password" : "SMTP 密碼", - "Version" : "版本", - "Sharing" : "分享", - "days" : "天", - "Remove image" : "刪除圖片", - "Cancel" : "取消", - "Email" : "電郵", - "Your email address" : "你的電郵地址", - "Language" : "語言", - "Help translate" : "幫忙翻譯", - "Password" : "密碼", - "New password" : "新密碼", - "Change password" : "更改密碼", - "Username" : "用戶名稱", - "Create" : "新增", - "Everyone" : "所有人", - "Unlimited" : "無限", - "Other" : "其他", - "Default" : "預設" -}, -"nplurals=1; plural=0;"); diff --git a/settings/l10n/zh_HK.json b/settings/l10n/zh_HK.json deleted file mode 100644 index f54763825aa5f..0000000000000 --- a/settings/l10n/zh_HK.json +++ /dev/null @@ -1,39 +0,0 @@ -{ "translations": { - "Wrong password" : "密碼錯誤", - "Saved" : "已儲存", - "Email sent" : "郵件已傳", - "All" : "所有", - "Disable" : "停用", - "Enable" : "啟用", - "Updated" : "已更新", - "Delete" : "刪除", - "Groups" : "群組", - "undo" : "復原", - "Forum" : "討論區", - "None" : "空", - "Login" : "登入", - "Encryption" : "加密", - "Server address" : "伺服器地址", - "Port" : "連接埠", - "SMTP Username" : "SMTP 使用者名稱", - "SMTP Password" : "SMTP 密碼", - "Version" : "版本", - "Sharing" : "分享", - "days" : "天", - "Remove image" : "刪除圖片", - "Cancel" : "取消", - "Email" : "電郵", - "Your email address" : "你的電郵地址", - "Language" : "語言", - "Help translate" : "幫忙翻譯", - "Password" : "密碼", - "New password" : "新密碼", - "Change password" : "更改密碼", - "Username" : "用戶名稱", - "Create" : "新增", - "Everyone" : "所有人", - "Unlimited" : "無限", - "Other" : "其他", - "Default" : "預設" -},"pluralForm" :"nplurals=1; plural=0;" -} \ No newline at end of file From e3fb91756a02bc3f819ceb23fa3150fafe405574 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Julius=20H=C3=A4rtl?= Date: Fri, 2 Feb 2018 12:49:56 +0100 Subject: [PATCH 085/251] Make sure theming logo css only applies when a logo is set MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Julius Härtl --- apps/theming/css/theming.scss | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/theming/css/theming.scss b/apps/theming/css/theming.scss index 3cb8ee2584d97..18ddd9235dbbb 100644 --- a/apps/theming/css/theming.scss +++ b/apps/theming/css/theming.scss @@ -91,14 +91,14 @@ } /* override styles for login screen in guest.css */ -@if variable_exists('theming-logo-mime') { +@if variable_exists('theming-logo-mime') and $theming-logo-mime != '' { #header .logo { background-image: url(#{$image-logo}); background-size: contain; } } -@if variable_exists('theming-background-mime') { +@if variable_exists('theming-background-mime') and $theming-background-mime != '' { #body-login, #firstrunwizard .firstrunwizard-header, #theming-preview { From 1b3e3dfada521f74b3d760002528ba9de0576423 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Julius=20H=C3=A4rtl?= Date: Fri, 2 Feb 2018 12:50:19 +0100 Subject: [PATCH 086/251] Load guest css on any guest and error page MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Julius Härtl --- lib/private/TemplateLayout.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/lib/private/TemplateLayout.php b/lib/private/TemplateLayout.php index 5e6d432c80533..3acdae0e39575 100644 --- a/lib/private/TemplateLayout.php +++ b/lib/private/TemplateLayout.php @@ -178,7 +178,9 @@ public function __construct( $renderAs, $appId = '' ) { if(\OC::$server->getSystemConfig()->getValue('installed', false) && !\OCP\Util::needUpgrade() && $pathInfo !== '' - && !preg_match('/^\/login/', $pathInfo)) { + && !preg_match('/^\/login/', $pathInfo) + && $renderAs !== 'error' && $renderAs !== 'guest' + ) { $cssFiles = self::findStylesheetFiles(\OC_Util::$styles); } else { // If we ignore the scss compiler, From ef571d69f3521760ef915847d0d9fef4b56a9ea3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Julius=20H=C3=A4rtl?= Date: Fri, 2 Feb 2018 12:56:54 +0100 Subject: [PATCH 087/251] Add space on guest pages with custom logo MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Julius Härtl --- apps/theming/css/theming.scss | 3 +++ 1 file changed, 3 insertions(+) diff --git a/apps/theming/css/theming.scss b/apps/theming/css/theming.scss index 18ddd9235dbbb..623aad063f17f 100644 --- a/apps/theming/css/theming.scss +++ b/apps/theming/css/theming.scss @@ -96,6 +96,9 @@ background-image: url(#{$image-logo}); background-size: contain; } + #body-login #header .logo { + margin-bottom: 22px; + } } @if variable_exists('theming-background-mime') and $theming-background-mime != '' { From f248c7a583c17327706c7d184602a8c64931e1f0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Julius=20H=C3=A4rtl?= Date: Sat, 3 Feb 2018 10:54:11 +0100 Subject: [PATCH 088/251] Remove jquery ui background image MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Julius Härtl --- core/css/jquery-ui-fixes.scss | 1 + 1 file changed, 1 insertion(+) diff --git a/core/css/jquery-ui-fixes.scss b/core/css/jquery-ui-fixes.scss index 9dc75fc327450..0500e1b08c83c 100644 --- a/core/css/jquery-ui-fixes.scss +++ b/core/css/jquery-ui-fixes.scss @@ -11,6 +11,7 @@ .ui-widget-header { border: none; color: $color-main-text; + background-image: none; } .ui-widget-header a { color: $color-main-text; From ad7c31914f080cdcec98dfadfb6e4d19416260dc Mon Sep 17 00:00:00 2001 From: Roeland Jago Douma Date: Mon, 12 Feb 2018 10:42:18 +0100 Subject: [PATCH 089/251] Show open graph preview in WhatsApp Whatsapp is picky about the size of the open graph images. So we do some special handling. Signed-off-by: Roeland Jago Douma --- apps/files_sharing/lib/Controller/ShareController.php | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/apps/files_sharing/lib/Controller/ShareController.php b/apps/files_sharing/lib/Controller/ShareController.php index c51bc1a75ddab..3669d8fda460a 100644 --- a/apps/files_sharing/lib/Controller/ShareController.php +++ b/apps/files_sharing/lib/Controller/ShareController.php @@ -385,7 +385,18 @@ public function showShare($token, $path = '') { // We just have direct previews for image files if ($share->getNode()->getMimePart() === 'image') { $shareTmpl['previewURL'] = $this->urlGenerator->linkToRouteAbsolute('files_sharing.publicpreview.directLink', ['token' => $token]); + $ogPreview = $shareTmpl['previewURL']; + + //Whatapp is kind of picky about their size requirements + if ($this->request->isUserAgent(['/^WhatsApp/'])) { + $ogPreview = $this->urlGenerator->linkToRouteAbsolute('files_sharing.PublicPreview.getPreview', [ + 't' => $token, + 'x' => 256, + 'y' => 256, + 'a' => true, + ]); + } } } else { $shareTmpl['previewImage'] = $this->urlGenerator->getAbsoluteURL($this->urlGenerator->imagePath('core', 'favicon-fb.png')); From 3257bf24246b44a84dfdfa061304920b7ab084f3 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Mon, 29 Jan 2018 15:06:10 +0100 Subject: [PATCH 090/251] adjust s3 bulk delete to new sdk syntax Signed-off-by: Robin Appelman --- .../files_external/lib/Lib/Storage/AmazonS3.php | 17 +++++++++++------ 1 file changed, 11 insertions(+), 6 deletions(-) diff --git a/apps/files_external/lib/Lib/Storage/AmazonS3.php b/apps/files_external/lib/Lib/Storage/AmazonS3.php index 7c536443a0ef7..7f2f59bbac3bd 100644 --- a/apps/files_external/lib/Lib/Storage/AmazonS3.php +++ b/apps/files_external/lib/Lib/Storage/AmazonS3.php @@ -243,17 +243,22 @@ private function batchDelete($path = null) { $params['Prefix'] = $path . '/'; } try { + $connection = $this->getConnection(); // Since there are no real directories on S3, we need // to delete all objects prefixed with the path. do { // instead of the iterator, manually loop over the list ... - $objects = $this->getConnection()->listObjects($params); + $objects = $connection->listObjects($params); // ... so we can delete the files in batches - $this->getConnection()->deleteObjects(array( - 'Bucket' => $this->bucket, - 'Objects' => $objects['Contents'] - )); - $this->testTimeout(); + if (isset($objects['Contents'])) { + $connection->deleteObjects([ + 'Bucket' => $this->bucket, + 'Delete' => [ + 'Objects' => $objects['Contents'] + ] + ]); + $this->testTimeout(); + } // we reached the end when the list is no longer truncated } while ($objects['IsTruncated']); } catch (S3Exception $e) { From 2a6f8e65c2de924e87fa00571dfbe6449645a437 Mon Sep 17 00:00:00 2001 From: Robin Appelman Date: Mon, 29 Jan 2018 15:09:15 +0100 Subject: [PATCH 091/251] fix invalidating folder cache for s3 Signed-off-by: Robin Appelman --- apps/files_external/lib/Lib/Storage/AmazonS3.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/apps/files_external/lib/Lib/Storage/AmazonS3.php b/apps/files_external/lib/Lib/Storage/AmazonS3.php index 7f2f59bbac3bd..c8465997f6575 100644 --- a/apps/files_external/lib/Lib/Storage/AmazonS3.php +++ b/apps/files_external/lib/Lib/Storage/AmazonS3.php @@ -101,7 +101,7 @@ private function invalidateCache($key) { $keys = array_keys($this->objectCache->getData()); $keyLength = strlen($key); foreach ($keys as $existingKey) { - if (substr($existingKey, 0, $keyLength) === $keys) { + if (substr($existingKey, 0, $keyLength) === $key) { unset($this->objectCache[$existingKey]); } } From 2e271313c97b3039cc3ab304b8411801b1afd3fa Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Mon, 12 Feb 2018 21:34:01 +0000 Subject: [PATCH 092/251] [tx-robot] updated from transifex --- apps/comments/l10n/ca.js | 2 + apps/comments/l10n/ca.json | 2 + apps/dav/l10n/de.js | 1 + apps/dav/l10n/de.json | 1 + apps/dav/l10n/de_DE.js | 1 + apps/dav/l10n/de_DE.json | 1 + apps/dav/l10n/en_GB.js | 1 + apps/dav/l10n/en_GB.json | 1 + apps/dav/l10n/es.js | 1 + apps/dav/l10n/es.json | 1 + apps/dav/l10n/fi.js | 3 + apps/dav/l10n/fi.json | 3 + apps/dav/l10n/fr.js | 1 + apps/dav/l10n/fr.json | 1 + apps/dav/l10n/it.js | 1 + apps/dav/l10n/it.json | 1 + apps/dav/l10n/nl.js | 1 + apps/dav/l10n/nl.json | 1 + apps/dav/l10n/pt_BR.js | 1 + apps/dav/l10n/pt_BR.json | 1 + apps/dav/l10n/sr.js | 1 + apps/dav/l10n/sr.json | 1 + apps/dav/l10n/tr.js | 1 + apps/dav/l10n/tr.json | 1 + apps/dav/l10n/zh_CN.js | 2 + apps/dav/l10n/zh_CN.json | 2 + apps/federatedfilesharing/l10n/ca.js | 1 + apps/federatedfilesharing/l10n/ca.json | 1 + apps/federatedfilesharing/l10n/de.js | 1 + apps/federatedfilesharing/l10n/de.json | 1 + apps/federatedfilesharing/l10n/de_DE.js | 1 + apps/federatedfilesharing/l10n/de_DE.json | 1 + apps/federatedfilesharing/l10n/en_GB.js | 1 + apps/federatedfilesharing/l10n/en_GB.json | 1 + apps/federatedfilesharing/l10n/es.js | 3 +- apps/federatedfilesharing/l10n/es.json | 3 +- apps/federatedfilesharing/l10n/fi.js | 1 + apps/federatedfilesharing/l10n/fi.json | 1 + apps/federatedfilesharing/l10n/fr.js | 1 + apps/federatedfilesharing/l10n/fr.json | 1 + apps/federatedfilesharing/l10n/it.js | 1 + apps/federatedfilesharing/l10n/it.json | 1 + apps/federatedfilesharing/l10n/pt_BR.js | 1 + apps/federatedfilesharing/l10n/pt_BR.json | 1 + apps/federatedfilesharing/l10n/sr.js | 1 + apps/federatedfilesharing/l10n/sr.json | 1 + apps/federatedfilesharing/l10n/tr.js | 1 + apps/federatedfilesharing/l10n/tr.json | 1 + apps/federation/l10n/de.js | 1 + apps/federation/l10n/de.json | 1 + apps/federation/l10n/de_DE.js | 1 + apps/federation/l10n/de_DE.json | 1 + apps/federation/l10n/en_GB.js | 1 + apps/federation/l10n/en_GB.json | 1 + apps/federation/l10n/es.js | 1 + apps/federation/l10n/es.json | 1 + apps/federation/l10n/fr.js | 1 + apps/federation/l10n/fr.json | 1 + apps/federation/l10n/it.js | 1 + apps/federation/l10n/it.json | 1 + apps/federation/l10n/pt_BR.js | 1 + apps/federation/l10n/pt_BR.json | 1 + apps/federation/l10n/sr.js | 1 + apps/federation/l10n/sr.json | 1 + apps/federation/l10n/tr.js | 1 + apps/federation/l10n/tr.json | 1 + apps/files/l10n/ca.js | 17 +- apps/files/l10n/ca.json | 17 +- apps/files/l10n/en_GB.js | 6 +- apps/files/l10n/en_GB.json | 6 +- apps/files/l10n/es.js | 6 +- apps/files/l10n/es.json | 6 +- apps/files/l10n/fi.js | 6 +- apps/files/l10n/fi.json | 6 +- apps/files/l10n/nl.js | 3 +- apps/files/l10n/nl.json | 3 +- apps/files_external/l10n/de.js | 1 + apps/files_external/l10n/de.json | 1 + apps/files_external/l10n/de_DE.js | 1 + apps/files_external/l10n/de_DE.json | 1 + apps/files_external/l10n/en_GB.js | 11 +- apps/files_external/l10n/en_GB.json | 11 +- apps/files_external/l10n/es.js | 11 +- apps/files_external/l10n/es.json | 11 +- apps/files_external/l10n/fi.js | 7 +- apps/files_external/l10n/fi.json | 7 +- apps/files_external/l10n/fr.js | 1 + apps/files_external/l10n/fr.json | 1 + apps/files_external/l10n/it.js | 1 + apps/files_external/l10n/it.json | 1 + apps/files_external/l10n/nl.js | 4 +- apps/files_external/l10n/nl.json | 4 +- apps/files_external/l10n/pt_BR.js | 1 + apps/files_external/l10n/pt_BR.json | 1 + apps/files_external/l10n/sr.js | 1 + apps/files_external/l10n/sr.json | 1 + apps/files_external/l10n/tr.js | 1 + apps/files_external/l10n/tr.json | 1 + apps/files_sharing/l10n/ca.js | 4 +- apps/files_sharing/l10n/ca.json | 4 +- apps/files_sharing/l10n/de.js | 1 + apps/files_sharing/l10n/de.json | 1 + apps/files_sharing/l10n/de_DE.js | 1 + apps/files_sharing/l10n/de_DE.json | 1 + apps/files_sharing/l10n/en_GB.js | 4 +- apps/files_sharing/l10n/en_GB.json | 4 +- apps/files_sharing/l10n/es.js | 4 +- apps/files_sharing/l10n/es.json | 4 +- apps/files_sharing/l10n/fi.js | 4 +- apps/files_sharing/l10n/fi.json | 4 +- apps/files_sharing/l10n/fr.js | 1 + apps/files_sharing/l10n/fr.json | 1 + apps/files_sharing/l10n/it.js | 1 + apps/files_sharing/l10n/it.json | 1 + apps/files_sharing/l10n/pt_BR.js | 1 + apps/files_sharing/l10n/pt_BR.json | 1 + apps/files_sharing/l10n/sr.js | 1 + apps/files_sharing/l10n/sr.json | 1 + apps/files_sharing/l10n/tr.js | 1 + apps/files_sharing/l10n/tr.json | 1 + apps/oauth2/l10n/de.js | 3 +- apps/oauth2/l10n/de.json | 3 +- apps/oauth2/l10n/de_DE.js | 3 +- apps/oauth2/l10n/de_DE.json | 3 +- apps/oauth2/l10n/en_GB.js | 1 + apps/oauth2/l10n/en_GB.json | 1 + apps/oauth2/l10n/es.js | 1 + apps/oauth2/l10n/es.json | 1 + apps/oauth2/l10n/fi.js | 1 + apps/oauth2/l10n/fi.json | 1 + apps/oauth2/l10n/fr.js | 1 + apps/oauth2/l10n/fr.json | 1 + apps/oauth2/l10n/it.js | 1 + apps/oauth2/l10n/it.json | 1 + apps/oauth2/l10n/nl.js | 1 + apps/oauth2/l10n/nl.json | 1 + apps/oauth2/l10n/pt_BR.js | 1 + apps/oauth2/l10n/pt_BR.json | 1 + apps/oauth2/l10n/sr.js | 1 + apps/oauth2/l10n/sr.json | 1 + apps/oauth2/l10n/tr.js | 1 + apps/oauth2/l10n/tr.json | 1 + apps/sharebymail/l10n/pt_PT.js | 43 +++ apps/sharebymail/l10n/pt_PT.json | 41 +++ apps/twofactor_backupcodes/l10n/ca.js | 1 + apps/twofactor_backupcodes/l10n/ca.json | 1 + apps/twofactor_backupcodes/l10n/de.js | 1 + apps/twofactor_backupcodes/l10n/de.json | 1 + apps/twofactor_backupcodes/l10n/de_DE.js | 1 + apps/twofactor_backupcodes/l10n/de_DE.json | 1 + apps/twofactor_backupcodes/l10n/en_GB.js | 1 + apps/twofactor_backupcodes/l10n/en_GB.json | 1 + apps/twofactor_backupcodes/l10n/es.js | 1 + apps/twofactor_backupcodes/l10n/es.json | 1 + apps/twofactor_backupcodes/l10n/fr.js | 1 + apps/twofactor_backupcodes/l10n/fr.json | 1 + apps/twofactor_backupcodes/l10n/it.js | 1 + apps/twofactor_backupcodes/l10n/it.json | 1 + apps/twofactor_backupcodes/l10n/pt_BR.js | 1 + apps/twofactor_backupcodes/l10n/pt_BR.json | 1 + apps/twofactor_backupcodes/l10n/sr.js | 1 + apps/twofactor_backupcodes/l10n/sr.json | 1 + apps/twofactor_backupcodes/l10n/tr.js | 1 + apps/twofactor_backupcodes/l10n/tr.json | 1 + apps/updatenotification/l10n/ca.js | 1 + apps/updatenotification/l10n/ca.json | 1 + apps/updatenotification/l10n/de.js | 1 + apps/updatenotification/l10n/de.json | 1 + apps/updatenotification/l10n/de_DE.js | 1 + apps/updatenotification/l10n/de_DE.json | 1 + apps/updatenotification/l10n/en_GB.js | 1 + apps/updatenotification/l10n/en_GB.json | 1 + apps/updatenotification/l10n/es.js | 1 + apps/updatenotification/l10n/es.json | 1 + apps/updatenotification/l10n/fi.js | 1 + apps/updatenotification/l10n/fi.json | 1 + apps/updatenotification/l10n/fr.js | 1 + apps/updatenotification/l10n/fr.json | 1 + apps/updatenotification/l10n/it.js | 1 + apps/updatenotification/l10n/it.json | 1 + apps/updatenotification/l10n/pt_BR.js | 1 + apps/updatenotification/l10n/pt_BR.json | 1 + apps/updatenotification/l10n/sr.js | 1 + apps/updatenotification/l10n/sr.json | 1 + apps/updatenotification/l10n/tr.js | 1 + apps/updatenotification/l10n/tr.json | 1 + apps/workflowengine/l10n/ca.js | 1 + apps/workflowengine/l10n/ca.json | 1 + apps/workflowengine/l10n/de.js | 1 + apps/workflowengine/l10n/de.json | 1 + apps/workflowengine/l10n/de_DE.js | 1 + apps/workflowengine/l10n/de_DE.json | 1 + apps/workflowengine/l10n/en_GB.js | 1 + apps/workflowengine/l10n/en_GB.json | 1 + apps/workflowengine/l10n/es.js | 1 + apps/workflowengine/l10n/es.json | 1 + apps/workflowengine/l10n/fr.js | 1 + apps/workflowengine/l10n/fr.json | 1 + apps/workflowengine/l10n/it.js | 1 + apps/workflowengine/l10n/it.json | 1 + apps/workflowengine/l10n/pt_BR.js | 1 + apps/workflowengine/l10n/pt_BR.json | 1 + apps/workflowengine/l10n/sr.js | 1 + apps/workflowengine/l10n/sr.json | 1 + apps/workflowengine/l10n/tr.js | 1 + apps/workflowengine/l10n/tr.json | 1 + core/l10n/en_GB.js | 32 ++- core/l10n/en_GB.json | 32 ++- core/l10n/es.js | 31 +- core/l10n/es.json | 31 +- core/l10n/fi.js | 6 +- core/l10n/fi.json | 6 +- core/l10n/fr.js | 4 + core/l10n/fr.json | 4 + core/l10n/nl.js | 1 + core/l10n/nl.json | 1 + lib/l10n/en_GB.js | 16 +- lib/l10n/en_GB.json | 16 +- lib/l10n/es.js | 16 +- lib/l10n/es.json | 16 +- lib/l10n/fi.js | 13 +- lib/l10n/fi.json | 13 +- lib/l10n/nl.js | 5 +- lib/l10n/nl.json | 5 +- settings/l10n/af.js | 85 ++++++ settings/l10n/af.json | 83 ++++++ settings/l10n/ar.js | 84 ++++++ settings/l10n/ar.json | 82 ++++++ settings/l10n/az.js | 146 ++++++++++ settings/l10n/az.json | 144 ++++++++++ settings/l10n/bg.js | 199 +++++++++++++ settings/l10n/bg.json | 197 +++++++++++++ settings/l10n/bn_BD.js | 62 ++++ settings/l10n/bn_BD.json | 60 ++++ settings/l10n/bs.js | 129 +++++++++ settings/l10n/bs.json | 127 +++++++++ settings/l10n/ca.js | 3 +- settings/l10n/ca.json | 3 +- settings/l10n/cy_GB.js | 20 ++ settings/l10n/cy_GB.json | 18 ++ settings/l10n/da.js | 313 +++++++++++++++++++++ settings/l10n/da.json | 311 ++++++++++++++++++++ settings/l10n/en_GB.js | 41 ++- settings/l10n/en_GB.json | 41 ++- settings/l10n/eo.js | 105 +++++++ settings/l10n/eo.json | 103 +++++++ settings/l10n/es.js | 42 ++- settings/l10n/es.json | 42 ++- settings/l10n/et_EE.js | 289 +++++++++++++++++++ settings/l10n/et_EE.json | 287 +++++++++++++++++++ settings/l10n/fa.js | 160 +++++++++++ settings/l10n/fa.json | 158 +++++++++++ settings/l10n/fi.js | 13 +- settings/l10n/fi.json | 13 +- settings/l10n/fr.js | 1 + settings/l10n/fr.json | 1 + settings/l10n/he.js | 206 ++++++++++++++ settings/l10n/he.json | 204 ++++++++++++++ settings/l10n/hr.js | 109 +++++++ settings/l10n/hr.json | 107 +++++++ settings/l10n/hy.js | 26 ++ settings/l10n/hy.json | 24 ++ settings/l10n/ia.js | 218 ++++++++++++++ settings/l10n/ia.json | 216 ++++++++++++++ settings/l10n/id.js | 256 +++++++++++++++++ settings/l10n/id.json | 254 +++++++++++++++++ settings/l10n/it.js | 2 +- settings/l10n/it.json | 2 +- settings/l10n/km.js | 61 ++++ settings/l10n/km.json | 59 ++++ settings/l10n/kn.js | 94 +++++++ settings/l10n/kn.json | 92 ++++++ settings/l10n/lb.js | 44 +++ settings/l10n/lb.json | 42 +++ settings/l10n/lt_LT.js | 200 +++++++++++++ settings/l10n/lt_LT.json | 198 +++++++++++++ settings/l10n/lv.js | 244 ++++++++++++++++ settings/l10n/lv.json | 242 ++++++++++++++++ settings/l10n/mk.js | 139 +++++++++ settings/l10n/mk.json | 137 +++++++++ settings/l10n/mn.js | 99 +++++++ settings/l10n/mn.json | 97 +++++++ settings/l10n/ms_MY.js | 28 ++ settings/l10n/ms_MY.json | 26 ++ settings/l10n/nl.js | 11 +- settings/l10n/nl.json | 11 +- settings/l10n/nn_NO.js | 62 ++++ settings/l10n/nn_NO.json | 60 ++++ settings/l10n/ro.js | 221 +++++++++++++++ settings/l10n/ro.json | 219 ++++++++++++++ settings/l10n/si_LK.js | 34 +++ settings/l10n/si_LK.json | 32 +++ settings/l10n/sl.js | 202 +++++++++++++ settings/l10n/sl.json | 200 +++++++++++++ settings/l10n/ta_LK.js | 33 +++ settings/l10n/ta_LK.json | 31 ++ settings/l10n/th.js | 197 +++++++++++++ settings/l10n/th.json | 195 +++++++++++++ settings/l10n/ug.js | 41 +++ settings/l10n/ug.json | 39 +++ settings/l10n/uk.js | 185 ++++++++++++ settings/l10n/uk.json | 183 ++++++++++++ settings/l10n/ur_PK.js | 17 ++ settings/l10n/ur_PK.json | 15 + settings/l10n/vi.js | 52 ++++ settings/l10n/vi.json | 50 ++++ settings/l10n/zh_HK.js | 41 +++ settings/l10n/zh_HK.json | 39 +++ 308 files changed, 9604 insertions(+), 58 deletions(-) create mode 100644 apps/sharebymail/l10n/pt_PT.js create mode 100644 apps/sharebymail/l10n/pt_PT.json create mode 100644 settings/l10n/af.js create mode 100644 settings/l10n/af.json create mode 100644 settings/l10n/ar.js create mode 100644 settings/l10n/ar.json create mode 100644 settings/l10n/az.js create mode 100644 settings/l10n/az.json create mode 100644 settings/l10n/bg.js create mode 100644 settings/l10n/bg.json create mode 100644 settings/l10n/bn_BD.js create mode 100644 settings/l10n/bn_BD.json create mode 100644 settings/l10n/bs.js create mode 100644 settings/l10n/bs.json create mode 100644 settings/l10n/cy_GB.js create mode 100644 settings/l10n/cy_GB.json create mode 100644 settings/l10n/da.js create mode 100644 settings/l10n/da.json create mode 100644 settings/l10n/eo.js create mode 100644 settings/l10n/eo.json create mode 100644 settings/l10n/et_EE.js create mode 100644 settings/l10n/et_EE.json create mode 100644 settings/l10n/fa.js create mode 100644 settings/l10n/fa.json create mode 100644 settings/l10n/he.js create mode 100644 settings/l10n/he.json create mode 100644 settings/l10n/hr.js create mode 100644 settings/l10n/hr.json create mode 100644 settings/l10n/hy.js create mode 100644 settings/l10n/hy.json create mode 100644 settings/l10n/ia.js create mode 100644 settings/l10n/ia.json create mode 100644 settings/l10n/id.js create mode 100644 settings/l10n/id.json create mode 100644 settings/l10n/km.js create mode 100644 settings/l10n/km.json create mode 100644 settings/l10n/kn.js create mode 100644 settings/l10n/kn.json create mode 100644 settings/l10n/lb.js create mode 100644 settings/l10n/lb.json create mode 100644 settings/l10n/lt_LT.js create mode 100644 settings/l10n/lt_LT.json create mode 100644 settings/l10n/lv.js create mode 100644 settings/l10n/lv.json create mode 100644 settings/l10n/mk.js create mode 100644 settings/l10n/mk.json create mode 100644 settings/l10n/mn.js create mode 100644 settings/l10n/mn.json create mode 100644 settings/l10n/ms_MY.js create mode 100644 settings/l10n/ms_MY.json create mode 100644 settings/l10n/nn_NO.js create mode 100644 settings/l10n/nn_NO.json create mode 100644 settings/l10n/ro.js create mode 100644 settings/l10n/ro.json create mode 100644 settings/l10n/si_LK.js create mode 100644 settings/l10n/si_LK.json create mode 100644 settings/l10n/sl.js create mode 100644 settings/l10n/sl.json create mode 100644 settings/l10n/ta_LK.js create mode 100644 settings/l10n/ta_LK.json create mode 100644 settings/l10n/th.js create mode 100644 settings/l10n/th.json create mode 100644 settings/l10n/ug.js create mode 100644 settings/l10n/ug.json create mode 100644 settings/l10n/uk.js create mode 100644 settings/l10n/uk.json create mode 100644 settings/l10n/ur_PK.js create mode 100644 settings/l10n/ur_PK.json create mode 100644 settings/l10n/vi.js create mode 100644 settings/l10n/vi.json create mode 100644 settings/l10n/zh_HK.js create mode 100644 settings/l10n/zh_HK.json diff --git a/apps/comments/l10n/ca.js b/apps/comments/l10n/ca.js index d798017ef7580..eda6be55d455e 100644 --- a/apps/comments/l10n/ca.js +++ b/apps/comments/l10n/ca.js @@ -25,6 +25,8 @@ OC.L10N.register( "%1$s commented on %2$s" : "%1$s ha comentat a %2$s", "{author} commented on {file}" : "{author} ha comentat a {file}", "Comments for files" : "Comentaris per arxius", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Has estat mencionat a \"%s\" en un comentari d'un usuari que ja no existeix", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Has estat mencionat a \"{file}\" en un comentari d'un usuari que ja no existeix", "%1$s mentioned you in a comment on “%2$s”" : "%1$s us ha nomenat en un comentari a “%2$s”", "{user} mentioned you in a comment on “{file}”" : "{user} us ha nomenat en un comentari de “{file}”", "Unknown user" : "Usuari desconegut", diff --git a/apps/comments/l10n/ca.json b/apps/comments/l10n/ca.json index ed8005829c7f2..c77a4cc7d739d 100644 --- a/apps/comments/l10n/ca.json +++ b/apps/comments/l10n/ca.json @@ -23,6 +23,8 @@ "%1$s commented on %2$s" : "%1$s ha comentat a %2$s", "{author} commented on {file}" : "{author} ha comentat a {file}", "Comments for files" : "Comentaris per arxius", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Has estat mencionat a \"%s\" en un comentari d'un usuari que ja no existeix", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Has estat mencionat a \"{file}\" en un comentari d'un usuari que ja no existeix", "%1$s mentioned you in a comment on “%2$s”" : "%1$s us ha nomenat en un comentari a “%2$s”", "{user} mentioned you in a comment on “{file}”" : "{user} us ha nomenat en un comentari de “{file}”", "Unknown user" : "Usuari desconegut", diff --git a/apps/dav/l10n/de.js b/apps/dav/l10n/de.js index 2a56e48e5dae5..4402c07a39747 100644 --- a/apps/dav/l10n/de.js +++ b/apps/dav/l10n/de.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Beschreibung:", "Link:" : "Link:", "Contacts" : "Kontakte", + "WebDAV" : "WebDAV", "Technical details" : "Technische Details", "Remote Address: %s" : "Entfernte Adresse: %s", "Request ID: %s" : "Anfragekennung: %s", diff --git a/apps/dav/l10n/de.json b/apps/dav/l10n/de.json index fa1f09644f96b..83973d8a7b62e 100644 --- a/apps/dav/l10n/de.json +++ b/apps/dav/l10n/de.json @@ -53,6 +53,7 @@ "Description:" : "Beschreibung:", "Link:" : "Link:", "Contacts" : "Kontakte", + "WebDAV" : "WebDAV", "Technical details" : "Technische Details", "Remote Address: %s" : "Entfernte Adresse: %s", "Request ID: %s" : "Anfragekennung: %s", diff --git a/apps/dav/l10n/de_DE.js b/apps/dav/l10n/de_DE.js index 67d215a2d0a6a..058a2af65a01a 100644 --- a/apps/dav/l10n/de_DE.js +++ b/apps/dav/l10n/de_DE.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Beschreibung:", "Link:" : "Link:", "Contacts" : "Kontakte", + "WebDAV" : "WebDAV", "Technical details" : "Technische Details", "Remote Address: %s" : "Entfernte Adresse: %s", "Request ID: %s" : "Anfragekennung: %s", diff --git a/apps/dav/l10n/de_DE.json b/apps/dav/l10n/de_DE.json index 06722ac039b1f..824e670dfa27a 100644 --- a/apps/dav/l10n/de_DE.json +++ b/apps/dav/l10n/de_DE.json @@ -53,6 +53,7 @@ "Description:" : "Beschreibung:", "Link:" : "Link:", "Contacts" : "Kontakte", + "WebDAV" : "WebDAV", "Technical details" : "Technische Details", "Remote Address: %s" : "Entfernte Adresse: %s", "Request ID: %s" : "Anfragekennung: %s", diff --git a/apps/dav/l10n/en_GB.js b/apps/dav/l10n/en_GB.js index 001d824d16445..eeda81b661210 100644 --- a/apps/dav/l10n/en_GB.js +++ b/apps/dav/l10n/en_GB.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Description:", "Link:" : "Link:", "Contacts" : "Contacts", + "WebDAV" : "WebDAV", "Technical details" : "Technical details", "Remote Address: %s" : "Remote Address: %s", "Request ID: %s" : "Request ID: %s", diff --git a/apps/dav/l10n/en_GB.json b/apps/dav/l10n/en_GB.json index f0e9e693ae9d8..e3a7a0b46b6dc 100644 --- a/apps/dav/l10n/en_GB.json +++ b/apps/dav/l10n/en_GB.json @@ -53,6 +53,7 @@ "Description:" : "Description:", "Link:" : "Link:", "Contacts" : "Contacts", + "WebDAV" : "WebDAV", "Technical details" : "Technical details", "Remote Address: %s" : "Remote Address: %s", "Request ID: %s" : "Request ID: %s", diff --git a/apps/dav/l10n/es.js b/apps/dav/l10n/es.js index 2e74e32f16031..07b1600e8b0fc 100644 --- a/apps/dav/l10n/es.js +++ b/apps/dav/l10n/es.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Descripción:", "Link:" : "Enlace:", "Contacts" : "Contactos", + "WebDAV" : "WebDAV", "Technical details" : "Detalles técnicos", "Remote Address: %s" : "Dirección remota: %s", "Request ID: %s" : "ID de solicitud: %s", diff --git a/apps/dav/l10n/es.json b/apps/dav/l10n/es.json index 722da49bf83d5..9bb9118d043da 100644 --- a/apps/dav/l10n/es.json +++ b/apps/dav/l10n/es.json @@ -53,6 +53,7 @@ "Description:" : "Descripción:", "Link:" : "Enlace:", "Contacts" : "Contactos", + "WebDAV" : "WebDAV", "Technical details" : "Detalles técnicos", "Remote Address: %s" : "Dirección remota: %s", "Request ID: %s" : "ID de solicitud: %s", diff --git a/apps/dav/l10n/fi.js b/apps/dav/l10n/fi.js index 25bc5fe024787..1061a7bf80f2b 100644 --- a/apps/dav/l10n/fi.js +++ b/apps/dav/l10n/fi.js @@ -45,12 +45,15 @@ OC.L10N.register( "Contact birthdays" : "Yhteystietojen syntymäpäivät", "Invitation canceled" : "Kutsu peruttu", "Hello %s," : "Hei %s", + "The meeting »%s« with %s was canceled." : "Tapaaminen »%s« henkilön %s kanssa peruttiin.", "Invitation updated" : "Kutsu päivitetty", + "The meeting »%s« with %s was updated." : "Tapaaminen »%s« henkilön %s kanssa päivitettiin.", "When:" : "Milloin:", "Where:" : "Missä:", "Description:" : "Kuvaus:", "Link:" : "Linkki:", "Contacts" : "Yhteystiedot", + "WebDAV" : "WebDAV", "Technical details" : "Tekniset yksityiskohdat", "Remote Address: %s" : "Etäosoite: %s", "Request ID: %s" : "Pyynnön tunniste: %s", diff --git a/apps/dav/l10n/fi.json b/apps/dav/l10n/fi.json index b8ec19ac3fea0..3771405642254 100644 --- a/apps/dav/l10n/fi.json +++ b/apps/dav/l10n/fi.json @@ -43,12 +43,15 @@ "Contact birthdays" : "Yhteystietojen syntymäpäivät", "Invitation canceled" : "Kutsu peruttu", "Hello %s," : "Hei %s", + "The meeting »%s« with %s was canceled." : "Tapaaminen »%s« henkilön %s kanssa peruttiin.", "Invitation updated" : "Kutsu päivitetty", + "The meeting »%s« with %s was updated." : "Tapaaminen »%s« henkilön %s kanssa päivitettiin.", "When:" : "Milloin:", "Where:" : "Missä:", "Description:" : "Kuvaus:", "Link:" : "Linkki:", "Contacts" : "Yhteystiedot", + "WebDAV" : "WebDAV", "Technical details" : "Tekniset yksityiskohdat", "Remote Address: %s" : "Etäosoite: %s", "Request ID: %s" : "Pyynnön tunniste: %s", diff --git a/apps/dav/l10n/fr.js b/apps/dav/l10n/fr.js index 13fa7a30852d5..291e5615265b4 100644 --- a/apps/dav/l10n/fr.js +++ b/apps/dav/l10n/fr.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Description :", "Link:" : "Lien :", "Contacts" : "Contacts", + "WebDAV" : "WebDAV", "Technical details" : "Détails techniques", "Remote Address: %s" : "Adresse distante : %s", "Request ID: %s" : "ID de la requête : %s", diff --git a/apps/dav/l10n/fr.json b/apps/dav/l10n/fr.json index c7718e4f361e5..b09c10b96f3dd 100644 --- a/apps/dav/l10n/fr.json +++ b/apps/dav/l10n/fr.json @@ -53,6 +53,7 @@ "Description:" : "Description :", "Link:" : "Lien :", "Contacts" : "Contacts", + "WebDAV" : "WebDAV", "Technical details" : "Détails techniques", "Remote Address: %s" : "Adresse distante : %s", "Request ID: %s" : "ID de la requête : %s", diff --git a/apps/dav/l10n/it.js b/apps/dav/l10n/it.js index c9b206f0ddfcb..34893da53b04e 100644 --- a/apps/dav/l10n/it.js +++ b/apps/dav/l10n/it.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Descrizione:", "Link:" : "Collegamento:", "Contacts" : "Contatti", + "WebDAV" : "WebDAV", "Technical details" : "Dettagli tecnici", "Remote Address: %s" : "Indirizzo remoto: %s", "Request ID: %s" : "ID richiesta: %s", diff --git a/apps/dav/l10n/it.json b/apps/dav/l10n/it.json index 21f9e0449cb0c..538b041e10ac4 100644 --- a/apps/dav/l10n/it.json +++ b/apps/dav/l10n/it.json @@ -53,6 +53,7 @@ "Description:" : "Descrizione:", "Link:" : "Collegamento:", "Contacts" : "Contatti", + "WebDAV" : "WebDAV", "Technical details" : "Dettagli tecnici", "Remote Address: %s" : "Indirizzo remoto: %s", "Request ID: %s" : "ID richiesta: %s", diff --git a/apps/dav/l10n/nl.js b/apps/dav/l10n/nl.js index b88f45f10274d..530dbac548782 100644 --- a/apps/dav/l10n/nl.js +++ b/apps/dav/l10n/nl.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Omschrijving:", "Link:" : "Link:", "Contacts" : "Contactpersonen", + "WebDAV" : "WebDAV", "Technical details" : "Technische details", "Remote Address: %s" : "Extern adres: %s", "Request ID: %s" : "Aanvraag-ID: %s", diff --git a/apps/dav/l10n/nl.json b/apps/dav/l10n/nl.json index baea2f45af840..4f3f6cf7f7297 100644 --- a/apps/dav/l10n/nl.json +++ b/apps/dav/l10n/nl.json @@ -53,6 +53,7 @@ "Description:" : "Omschrijving:", "Link:" : "Link:", "Contacts" : "Contactpersonen", + "WebDAV" : "WebDAV", "Technical details" : "Technische details", "Remote Address: %s" : "Extern adres: %s", "Request ID: %s" : "Aanvraag-ID: %s", diff --git a/apps/dav/l10n/pt_BR.js b/apps/dav/l10n/pt_BR.js index d75b1b309e4b0..b98acb4faa874 100644 --- a/apps/dav/l10n/pt_BR.js +++ b/apps/dav/l10n/pt_BR.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Descrição:", "Link:" : "Link:", "Contacts" : "Contatos", + "WebDAV" : "WebDAV", "Technical details" : "Detalhes técnicos", "Remote Address: %s" : "Endereço remoto: %s", "Request ID: %s" : "ID do solicitante: %s", diff --git a/apps/dav/l10n/pt_BR.json b/apps/dav/l10n/pt_BR.json index d706df8e93990..e3797e17f27d7 100644 --- a/apps/dav/l10n/pt_BR.json +++ b/apps/dav/l10n/pt_BR.json @@ -53,6 +53,7 @@ "Description:" : "Descrição:", "Link:" : "Link:", "Contacts" : "Contatos", + "WebDAV" : "WebDAV", "Technical details" : "Detalhes técnicos", "Remote Address: %s" : "Endereço remoto: %s", "Request ID: %s" : "ID do solicitante: %s", diff --git a/apps/dav/l10n/sr.js b/apps/dav/l10n/sr.js index 6564181dd23e5..e31b17da48280 100644 --- a/apps/dav/l10n/sr.js +++ b/apps/dav/l10n/sr.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Опис:", "Link:" : "Веза:", "Contacts" : "Контакти", + "WebDAV" : "ВебДАВ", "Technical details" : "Технички детаљи", "Remote Address: %s" : "Удаљена адреса: %s", "Request ID: %s" : "ИД захтева: %s", diff --git a/apps/dav/l10n/sr.json b/apps/dav/l10n/sr.json index 260ffb0a086cf..fea5b91a7d00d 100644 --- a/apps/dav/l10n/sr.json +++ b/apps/dav/l10n/sr.json @@ -53,6 +53,7 @@ "Description:" : "Опис:", "Link:" : "Веза:", "Contacts" : "Контакти", + "WebDAV" : "ВебДАВ", "Technical details" : "Технички детаљи", "Remote Address: %s" : "Удаљена адреса: %s", "Request ID: %s" : "ИД захтева: %s", diff --git a/apps/dav/l10n/tr.js b/apps/dav/l10n/tr.js index 4df4c5f891f91..4053bf5433035 100644 --- a/apps/dav/l10n/tr.js +++ b/apps/dav/l10n/tr.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Açıklama:", "Link:" : "Bağlantı:", "Contacts" : "Kişiler", + "WebDAV" : "WebDAV", "Technical details" : "Teknik ayrıntılar", "Remote Address: %s" : "Uzak Adres: %s", "Request ID: %s" : "İstek Kodu: %s", diff --git a/apps/dav/l10n/tr.json b/apps/dav/l10n/tr.json index 6b6498588985a..254ca8d63fb0f 100644 --- a/apps/dav/l10n/tr.json +++ b/apps/dav/l10n/tr.json @@ -53,6 +53,7 @@ "Description:" : "Açıklama:", "Link:" : "Bağlantı:", "Contacts" : "Kişiler", + "WebDAV" : "WebDAV", "Technical details" : "Teknik ayrıntılar", "Remote Address: %s" : "Uzak Adres: %s", "Request ID: %s" : "İstek Kodu: %s", diff --git a/apps/dav/l10n/zh_CN.js b/apps/dav/l10n/zh_CN.js index 7b91e0d93ffbe..1cf8ce048ff6c 100644 --- a/apps/dav/l10n/zh_CN.js +++ b/apps/dav/l10n/zh_CN.js @@ -10,6 +10,8 @@ OC.L10N.register( "You deleted calendar {calendar}" : "您删除的日历 {calendar}", "{actor} updated calendar {calendar}" : "{actor} 更新了日历 {calendar}", "You updated calendar {calendar}" : "您更新了日历 {calendar}", + "You shared calendar {calendar} as public link" : "您已将日历{calendar}共享为公开链接", + "You removed public link for calendar {calendar}" : "您移除了日历{calendar}的公开链接", "{actor} shared calendar {calendar} with you" : "{actor} 收到的日历分享 {calendar}", "You shared calendar {calendar} with {user}" : "您与 {user} 分享了日历 {calendar}", "{actor} shared calendar {calendar} with {user}" : "{actor} 与 {user} 分享了日历 {calendar}", diff --git a/apps/dav/l10n/zh_CN.json b/apps/dav/l10n/zh_CN.json index 95750bca88297..f18e5954759ee 100644 --- a/apps/dav/l10n/zh_CN.json +++ b/apps/dav/l10n/zh_CN.json @@ -8,6 +8,8 @@ "You deleted calendar {calendar}" : "您删除的日历 {calendar}", "{actor} updated calendar {calendar}" : "{actor} 更新了日历 {calendar}", "You updated calendar {calendar}" : "您更新了日历 {calendar}", + "You shared calendar {calendar} as public link" : "您已将日历{calendar}共享为公开链接", + "You removed public link for calendar {calendar}" : "您移除了日历{calendar}的公开链接", "{actor} shared calendar {calendar} with you" : "{actor} 收到的日历分享 {calendar}", "You shared calendar {calendar} with {user}" : "您与 {user} 分享了日历 {calendar}", "{actor} shared calendar {calendar} with {user}" : "{actor} 与 {user} 分享了日历 {calendar}", diff --git a/apps/federatedfilesharing/l10n/ca.js b/apps/federatedfilesharing/l10n/ca.js index 03b56fc581940..97bb2f97e2300 100644 --- a/apps/federatedfilesharing/l10n/ca.js +++ b/apps/federatedfilesharing/l10n/ca.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Compartiu amb mi a través de la meva #Nextcloud Federated Cloud Id, vegeu%s", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartiu amb mi a través de la meva #Nextcloud Federated Cloud ID", "Sharing" : "Compartir", + "Federated file sharing" : "Compartició federada d'arxius", "Federated Cloud Sharing" : "Compartició federada de núvol", "Open documentation" : "Obre la documentació", "Adjust how people can share between servers." : "Ajusteu com les persones poden compartir entre servidors.", diff --git a/apps/federatedfilesharing/l10n/ca.json b/apps/federatedfilesharing/l10n/ca.json index d0bb37b029b94..54ae93a9aaf30 100644 --- a/apps/federatedfilesharing/l10n/ca.json +++ b/apps/federatedfilesharing/l10n/ca.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Compartiu amb mi a través de la meva #Nextcloud Federated Cloud Id, vegeu%s", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartiu amb mi a través de la meva #Nextcloud Federated Cloud ID", "Sharing" : "Compartir", + "Federated file sharing" : "Compartició federada d'arxius", "Federated Cloud Sharing" : "Compartició federada de núvol", "Open documentation" : "Obre la documentació", "Adjust how people can share between servers." : "Ajusteu com les persones poden compartir entre servidors.", diff --git a/apps/federatedfilesharing/l10n/de.js b/apps/federatedfilesharing/l10n/de.js index 2f48e7bb2288d..815bccb302a78 100644 --- a/apps/federatedfilesharing/l10n/de.js +++ b/apps/federatedfilesharing/l10n/de.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Über meine #Nextcloud Federated-Cloud-ID teilen, siehe %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Teile mit mir über meine #Nextcloud Federated-Cloud-ID", "Sharing" : "Teilen", + "Federated file sharing" : "Federated Datei-Freigabe", "Federated Cloud Sharing" : "Federated-Cloud-Sharing", "Open documentation" : "Dokumentation öffnen", "Adjust how people can share between servers." : "Definiere wie die Benutzer Inhalte mit anderen Servern teilen können.", diff --git a/apps/federatedfilesharing/l10n/de.json b/apps/federatedfilesharing/l10n/de.json index 679eb925e1f63..4b7d6fe2693ec 100644 --- a/apps/federatedfilesharing/l10n/de.json +++ b/apps/federatedfilesharing/l10n/de.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Über meine #Nextcloud Federated-Cloud-ID teilen, siehe %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Teile mit mir über meine #Nextcloud Federated-Cloud-ID", "Sharing" : "Teilen", + "Federated file sharing" : "Federated Datei-Freigabe", "Federated Cloud Sharing" : "Federated-Cloud-Sharing", "Open documentation" : "Dokumentation öffnen", "Adjust how people can share between servers." : "Definiere wie die Benutzer Inhalte mit anderen Servern teilen können.", diff --git a/apps/federatedfilesharing/l10n/de_DE.js b/apps/federatedfilesharing/l10n/de_DE.js index 8a2f00bd77e68..6cded573caa75 100644 --- a/apps/federatedfilesharing/l10n/de_DE.js +++ b/apps/federatedfilesharing/l10n/de_DE.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID, siehe %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID", "Sharing" : "Teilen", + "Federated file sharing" : "Federated Datei-Freigabe", "Federated Cloud Sharing" : "Federated-Cloud-Sharing", "Open documentation" : "Dokumentation öffnen", "Adjust how people can share between servers." : "Definiere wie die Benutzer Inhalte mit anderen Servern teilen können.", diff --git a/apps/federatedfilesharing/l10n/de_DE.json b/apps/federatedfilesharing/l10n/de_DE.json index 873a5af993288..2fde1ca75711f 100644 --- a/apps/federatedfilesharing/l10n/de_DE.json +++ b/apps/federatedfilesharing/l10n/de_DE.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID, siehe %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID", "Sharing" : "Teilen", + "Federated file sharing" : "Federated Datei-Freigabe", "Federated Cloud Sharing" : "Federated-Cloud-Sharing", "Open documentation" : "Dokumentation öffnen", "Adjust how people can share between servers." : "Definiere wie die Benutzer Inhalte mit anderen Servern teilen können.", diff --git a/apps/federatedfilesharing/l10n/en_GB.js b/apps/federatedfilesharing/l10n/en_GB.js index cd68748b1e82e..05426c61e9b59 100644 --- a/apps/federatedfilesharing/l10n/en_GB.js +++ b/apps/federatedfilesharing/l10n/en_GB.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Share with me through my #Nextcloud Federated Cloud ID, see %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Share with me through my #Nextcloud Federated Cloud ID", "Sharing" : "Sharing", + "Federated file sharing" : "Federated file sharing", "Federated Cloud Sharing" : "Federated Cloud Sharing", "Open documentation" : "Open documentation", "Adjust how people can share between servers." : "Adjust how people can share between servers.", diff --git a/apps/federatedfilesharing/l10n/en_GB.json b/apps/federatedfilesharing/l10n/en_GB.json index cb3abfa0c70ad..4a47021078637 100644 --- a/apps/federatedfilesharing/l10n/en_GB.json +++ b/apps/federatedfilesharing/l10n/en_GB.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Share with me through my #Nextcloud Federated Cloud ID, see %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Share with me through my #Nextcloud Federated Cloud ID", "Sharing" : "Sharing", + "Federated file sharing" : "Federated file sharing", "Federated Cloud Sharing" : "Federated Cloud Sharing", "Open documentation" : "Open documentation", "Adjust how people can share between servers." : "Adjust how people can share between servers.", diff --git a/apps/federatedfilesharing/l10n/es.js b/apps/federatedfilesharing/l10n/es.js index 62d2d35af8b54..3dea6ceff4dd1 100644 --- a/apps/federatedfilesharing/l10n/es.js +++ b/apps/federatedfilesharing/l10n/es.js @@ -37,7 +37,8 @@ OC.L10N.register( "Decline" : "Denegar", "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Compartirlo conmigo a través de mi ID de Nube Federada #Nextcloud, ver %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartirlo conmigo a través de mi ID de Nube Federada #Nextcloud", - "Sharing" : "Compartiendo", + "Sharing" : "Compartir", + "Federated file sharing" : "Compartir federado", "Federated Cloud Sharing" : "Compartido en Cloud Federado", "Open documentation" : "Documentación abierta", "Adjust how people can share between servers." : "Ajusta cómo la gente puede compartir entre servidores.", diff --git a/apps/federatedfilesharing/l10n/es.json b/apps/federatedfilesharing/l10n/es.json index 9ef63b543b068..534e9b1188ab5 100644 --- a/apps/federatedfilesharing/l10n/es.json +++ b/apps/federatedfilesharing/l10n/es.json @@ -35,7 +35,8 @@ "Decline" : "Denegar", "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Compartirlo conmigo a través de mi ID de Nube Federada #Nextcloud, ver %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartirlo conmigo a través de mi ID de Nube Federada #Nextcloud", - "Sharing" : "Compartiendo", + "Sharing" : "Compartir", + "Federated file sharing" : "Compartir federado", "Federated Cloud Sharing" : "Compartido en Cloud Federado", "Open documentation" : "Documentación abierta", "Adjust how people can share between servers." : "Ajusta cómo la gente puede compartir entre servidores.", diff --git a/apps/federatedfilesharing/l10n/fi.js b/apps/federatedfilesharing/l10n/fi.js index 2e4708dacb28d..6170fa372109d 100644 --- a/apps/federatedfilesharing/l10n/fi.js +++ b/apps/federatedfilesharing/l10n/fi.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Jaa kanssani käyttäen #Nextcloud ja federoitua pilvitunnistetta, katso %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Jaa kanssani käyttäen #Nextcloud ja federoitua pilvitunnistetta", "Sharing" : "Jakaminen", + "Federated file sharing" : "Federoitu tiedostojako", "Federated Cloud Sharing" : "Federoitu pilvijakaminen", "Open documentation" : "Avaa dokumentaatio", "Adjust how people can share between servers." : "Mukauta kuinka ihmiset voivat jakaa palvelinten välillä.", diff --git a/apps/federatedfilesharing/l10n/fi.json b/apps/federatedfilesharing/l10n/fi.json index 760fdade4a6b9..0179aa159d201 100644 --- a/apps/federatedfilesharing/l10n/fi.json +++ b/apps/federatedfilesharing/l10n/fi.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Jaa kanssani käyttäen #Nextcloud ja federoitua pilvitunnistetta, katso %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Jaa kanssani käyttäen #Nextcloud ja federoitua pilvitunnistetta", "Sharing" : "Jakaminen", + "Federated file sharing" : "Federoitu tiedostojako", "Federated Cloud Sharing" : "Federoitu pilvijakaminen", "Open documentation" : "Avaa dokumentaatio", "Adjust how people can share between servers." : "Mukauta kuinka ihmiset voivat jakaa palvelinten välillä.", diff --git a/apps/federatedfilesharing/l10n/fr.js b/apps/federatedfilesharing/l10n/fr.js index ca9a94a53cf90..0125a7ec67244 100644 --- a/apps/federatedfilesharing/l10n/fr.js +++ b/apps/federatedfilesharing/l10n/fr.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Partagez avec moi grâce à mon identifiant de Cloud Fédéré #Nextcloud %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Partagez avec moi grâce à mon identifiant de Cloud Fédéré #Nextcloud", "Sharing" : "Partage", + "Federated file sharing" : "Partage de fichiers fédéré", "Federated Cloud Sharing" : "Partage Cloud Fédéré", "Open documentation" : "Voir la documentation", "Adjust how people can share between servers." : "Réglez comment les personnes peuvent partager entre les serveurs.", diff --git a/apps/federatedfilesharing/l10n/fr.json b/apps/federatedfilesharing/l10n/fr.json index a1bfc4bae77e0..172b7b18a7ae9 100644 --- a/apps/federatedfilesharing/l10n/fr.json +++ b/apps/federatedfilesharing/l10n/fr.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Partagez avec moi grâce à mon identifiant de Cloud Fédéré #Nextcloud %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Partagez avec moi grâce à mon identifiant de Cloud Fédéré #Nextcloud", "Sharing" : "Partage", + "Federated file sharing" : "Partage de fichiers fédéré", "Federated Cloud Sharing" : "Partage Cloud Fédéré", "Open documentation" : "Voir la documentation", "Adjust how people can share between servers." : "Réglez comment les personnes peuvent partager entre les serveurs.", diff --git a/apps/federatedfilesharing/l10n/it.js b/apps/federatedfilesharing/l10n/it.js index 771bb751b78db..e8a904cb4cece 100644 --- a/apps/federatedfilesharing/l10n/it.js +++ b/apps/federatedfilesharing/l10n/it.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Condividi con me attraverso il mio ID di cloud federata #Nextcloud, vedi %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Condividi con me attraverso il mio ID di cloud federata #Nextcloud", "Sharing" : "Condivisione", + "Federated file sharing" : "Condivisione file federata", "Federated Cloud Sharing" : "Condivisione cloud federata", "Open documentation" : "Apri la documentazione", "Adjust how people can share between servers." : "Regola come le persone possono condividere tra i server.", diff --git a/apps/federatedfilesharing/l10n/it.json b/apps/federatedfilesharing/l10n/it.json index 214d9a120647c..50bb99c7e6d82 100644 --- a/apps/federatedfilesharing/l10n/it.json +++ b/apps/federatedfilesharing/l10n/it.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Condividi con me attraverso il mio ID di cloud federata #Nextcloud, vedi %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Condividi con me attraverso il mio ID di cloud federata #Nextcloud", "Sharing" : "Condivisione", + "Federated file sharing" : "Condivisione file federata", "Federated Cloud Sharing" : "Condivisione cloud federata", "Open documentation" : "Apri la documentazione", "Adjust how people can share between servers." : "Regola come le persone possono condividere tra i server.", diff --git a/apps/federatedfilesharing/l10n/pt_BR.js b/apps/federatedfilesharing/l10n/pt_BR.js index 6459d4a77a591..cfff796cf10d6 100644 --- a/apps/federatedfilesharing/l10n/pt_BR.js +++ b/apps/federatedfilesharing/l10n/pt_BR.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Compartilhe comigo através do meu ID de Nuvem Federada #Nextcloud, veja %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartilhe comigo através do meu ID de Nuvem Federada #Nextcloud", "Sharing" : "Compartilhar", + "Federated file sharing" : "Compartilhamento federado de arquivos", "Federated Cloud Sharing" : "Compartilhamento de Nuvem Federada", "Open documentation" : "Abrir documentação", "Adjust how people can share between servers." : "Ajustar como as pessoas podem compartilhar entre servidores.", diff --git a/apps/federatedfilesharing/l10n/pt_BR.json b/apps/federatedfilesharing/l10n/pt_BR.json index c80dc7b421ef3..8b42bb547deaa 100644 --- a/apps/federatedfilesharing/l10n/pt_BR.json +++ b/apps/federatedfilesharing/l10n/pt_BR.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Compartilhe comigo através do meu ID de Nuvem Federada #Nextcloud, veja %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartilhe comigo através do meu ID de Nuvem Federada #Nextcloud", "Sharing" : "Compartilhar", + "Federated file sharing" : "Compartilhamento federado de arquivos", "Federated Cloud Sharing" : "Compartilhamento de Nuvem Federada", "Open documentation" : "Abrir documentação", "Adjust how people can share between servers." : "Ajustar como as pessoas podem compartilhar entre servidores.", diff --git a/apps/federatedfilesharing/l10n/sr.js b/apps/federatedfilesharing/l10n/sr.js index 51240b6a174e8..2479473de863c 100644 --- a/apps/federatedfilesharing/l10n/sr.js +++ b/apps/federatedfilesharing/l10n/sr.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Дели са мном преко мог #Некстклауд Здруженог облака, види %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Дели са мном преко мог #Некстклауд Здруженог облака", "Sharing" : "Дељење", + "Federated file sharing" : "Здружено дељење фајлова", "Federated Cloud Sharing" : "Здружено дељење у облаку", "Open documentation" : "Отвори документацију", "Adjust how people can share between servers." : "Подеси како људи деле фајлове између сервера.", diff --git a/apps/federatedfilesharing/l10n/sr.json b/apps/federatedfilesharing/l10n/sr.json index 2a1f71c10537d..70bc0b9c26e81 100644 --- a/apps/federatedfilesharing/l10n/sr.json +++ b/apps/federatedfilesharing/l10n/sr.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Дели са мном преко мог #Некстклауд Здруженог облака, види %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Дели са мном преко мог #Некстклауд Здруженог облака", "Sharing" : "Дељење", + "Federated file sharing" : "Здружено дељење фајлова", "Federated Cloud Sharing" : "Здружено дељење у облаку", "Open documentation" : "Отвори документацију", "Adjust how people can share between servers." : "Подеси како људи деле фајлове између сервера.", diff --git a/apps/federatedfilesharing/l10n/tr.js b/apps/federatedfilesharing/l10n/tr.js index cc100330a9548..66750ccfb4715 100644 --- a/apps/federatedfilesharing/l10n/tr.js +++ b/apps/federatedfilesharing/l10n/tr.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "#Nextcloud Birleşmiş Bulut Kimliğim ile paylaş, %s bölümüne bakın", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud Birleşmiş Bulut kimliğim üzerinden benimle paylaş", "Sharing" : "Paylaşım", + "Federated file sharing" : "Birleşmiş dosya paylaşımı", "Federated Cloud Sharing" : "Birleşmiş Bulut Paylaşımı", "Open documentation" : "Belgeleri aç", "Adjust how people can share between servers." : "Kişilerin sunucular arasında nasıl paylaşım yapabileceğini ayarlayın.", diff --git a/apps/federatedfilesharing/l10n/tr.json b/apps/federatedfilesharing/l10n/tr.json index fc191a7de4acf..ca9f4060f29a5 100644 --- a/apps/federatedfilesharing/l10n/tr.json +++ b/apps/federatedfilesharing/l10n/tr.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "#Nextcloud Birleşmiş Bulut Kimliğim ile paylaş, %s bölümüne bakın", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud Birleşmiş Bulut kimliğim üzerinden benimle paylaş", "Sharing" : "Paylaşım", + "Federated file sharing" : "Birleşmiş dosya paylaşımı", "Federated Cloud Sharing" : "Birleşmiş Bulut Paylaşımı", "Open documentation" : "Belgeleri aç", "Adjust how people can share between servers." : "Kişilerin sunucular arasında nasıl paylaşım yapabileceğini ayarlayın.", diff --git a/apps/federation/l10n/de.js b/apps/federation/l10n/de.js index 6165d72db5586..c486b5470143a 100644 --- a/apps/federation/l10n/de.js +++ b/apps/federation/l10n/de.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Server ist bereits in der Liste der vertrauenswürdigen Server.", "No server to federate with found" : "Es wurde kein Server zum Verbinden per Federation gefunden", "Could not add server" : "Konnte Server nicht hinzufügen", + "Federation" : "Federation", "Trusted servers" : "Vertrauenswürdige Server", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation erlaubt es Dir, Dich mit anderen vertrauenswürdigen Servern zu verbinden, um das Benutzerverzeichnis auszutauschen. Dies wird zum Beispiel für die automatische Vervollständigung externer Benutzernamen beim Federated-Sharing verwendet.", "Add server automatically once a federated share was created successfully" : "Server automatisch hinzufügen, sobald eine Federation-Freigabe erfolgreich erstellt wurde", diff --git a/apps/federation/l10n/de.json b/apps/federation/l10n/de.json index ce0eb724285ab..d1641c2ac3b82 100644 --- a/apps/federation/l10n/de.json +++ b/apps/federation/l10n/de.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Server ist bereits in der Liste der vertrauenswürdigen Server.", "No server to federate with found" : "Es wurde kein Server zum Verbinden per Federation gefunden", "Could not add server" : "Konnte Server nicht hinzufügen", + "Federation" : "Federation", "Trusted servers" : "Vertrauenswürdige Server", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation erlaubt es Dir, Dich mit anderen vertrauenswürdigen Servern zu verbinden, um das Benutzerverzeichnis auszutauschen. Dies wird zum Beispiel für die automatische Vervollständigung externer Benutzernamen beim Federated-Sharing verwendet.", "Add server automatically once a federated share was created successfully" : "Server automatisch hinzufügen, sobald eine Federation-Freigabe erfolgreich erstellt wurde", diff --git a/apps/federation/l10n/de_DE.js b/apps/federation/l10n/de_DE.js index c1481fe5dacb7..c55829d1e6a93 100644 --- a/apps/federation/l10n/de_DE.js +++ b/apps/federation/l10n/de_DE.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Server ist bereits in der Liste der vertrauenswürdigen Servern.", "No server to federate with found" : "Es wurde kein Server zum Verbinden per Federation gefunden", "Could not add server" : "Konnte Server nicht hinzufügen", + "Federation" : "Federation", "Trusted servers" : "Vertrauenswürdige Server", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation erlaubt es Ihnen, sich mit anderen vertrauenswürdigen Servern zu verbinden, um das Benutzerverzeichnis auszutauschen. Dies wird zum Beispiel für die automatische Vervollständigung externer Benutzernamen beim Federated-Sharing verwendet.", "Add server automatically once a federated share was created successfully" : "Server automatisch hinzufügen, sobald eine Federation-Freigabe erfolgreich erstellt wurde", diff --git a/apps/federation/l10n/de_DE.json b/apps/federation/l10n/de_DE.json index 26e962f905f7c..2e82f93b65a21 100644 --- a/apps/federation/l10n/de_DE.json +++ b/apps/federation/l10n/de_DE.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Server ist bereits in der Liste der vertrauenswürdigen Servern.", "No server to federate with found" : "Es wurde kein Server zum Verbinden per Federation gefunden", "Could not add server" : "Konnte Server nicht hinzufügen", + "Federation" : "Federation", "Trusted servers" : "Vertrauenswürdige Server", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation erlaubt es Ihnen, sich mit anderen vertrauenswürdigen Servern zu verbinden, um das Benutzerverzeichnis auszutauschen. Dies wird zum Beispiel für die automatische Vervollständigung externer Benutzernamen beim Federated-Sharing verwendet.", "Add server automatically once a federated share was created successfully" : "Server automatisch hinzufügen, sobald eine Federation-Freigabe erfolgreich erstellt wurde", diff --git a/apps/federation/l10n/en_GB.js b/apps/federation/l10n/en_GB.js index 0f5cdea16e719..abb8ae5d3512a 100644 --- a/apps/federation/l10n/en_GB.js +++ b/apps/federation/l10n/en_GB.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Server is already in the list of trusted servers.", "No server to federate with found" : "No server to federate with found", "Could not add server" : "Could not add server", + "Federation" : "Federation", "Trusted servers" : "Trusted servers", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation allows you to connect with other trusted servers to exchange the user directory. For example: to auto-complete external users for federated sharing.", "Add server automatically once a federated share was created successfully" : "Automatically add server once a federated share is successfully created", diff --git a/apps/federation/l10n/en_GB.json b/apps/federation/l10n/en_GB.json index 1ce6c420fb31c..f38f2e323af1d 100644 --- a/apps/federation/l10n/en_GB.json +++ b/apps/federation/l10n/en_GB.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Server is already in the list of trusted servers.", "No server to federate with found" : "No server to federate with found", "Could not add server" : "Could not add server", + "Federation" : "Federation", "Trusted servers" : "Trusted servers", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation allows you to connect with other trusted servers to exchange the user directory. For example: to auto-complete external users for federated sharing.", "Add server automatically once a federated share was created successfully" : "Automatically add server once a federated share is successfully created", diff --git a/apps/federation/l10n/es.js b/apps/federation/l10n/es.js index 959690f2d5d4a..0b5120fbc9c57 100644 --- a/apps/federation/l10n/es.js +++ b/apps/federation/l10n/es.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "El servidor ya está en la lista de servidores en los que se confía.", "No server to federate with found" : "No se ha encontrado ningún servidor con el que federarse.", "Could not add server" : "No se ha podido añadir el servidor", + "Federation" : "Federación", "Trusted servers" : "Servidores de confianza", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "La federación permite conectarte con otros servidores de confianza para intercambiar directorios. Por ejemplo, esto se usará para autocompletar la selección de usuarios externos al compartir en federación.", "Add server automatically once a federated share was created successfully" : "Añadir el servidor automáticamente una vez que un compartido federado se haya creado exitosamente", diff --git a/apps/federation/l10n/es.json b/apps/federation/l10n/es.json index 353ca883fda77..4548b3dc709f0 100644 --- a/apps/federation/l10n/es.json +++ b/apps/federation/l10n/es.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "El servidor ya está en la lista de servidores en los que se confía.", "No server to federate with found" : "No se ha encontrado ningún servidor con el que federarse.", "Could not add server" : "No se ha podido añadir el servidor", + "Federation" : "Federación", "Trusted servers" : "Servidores de confianza", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "La federación permite conectarte con otros servidores de confianza para intercambiar directorios. Por ejemplo, esto se usará para autocompletar la selección de usuarios externos al compartir en federación.", "Add server automatically once a federated share was created successfully" : "Añadir el servidor automáticamente una vez que un compartido federado se haya creado exitosamente", diff --git a/apps/federation/l10n/fr.js b/apps/federation/l10n/fr.js index 8fc1c456d0428..6bf668f8a62f0 100644 --- a/apps/federation/l10n/fr.js +++ b/apps/federation/l10n/fr.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Le serveur est déjà dans la liste des serveurs de confiance.", "No server to federate with found" : "Aucun serveur avec lequel fédérer n'a été trouvé", "Could not add server" : "Impossible d'ajouter le serveur", + "Federation" : "Fédération", "Trusted servers" : "Serveurs de confiance", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Une fédération vous permet de vous connecter avec d'autres serveurs de confiance pour échanger la liste des utilisateurs. Par exemple, ce sera utilisé pour auto-compléter les utilisateurs externes lors du partage fédéré.", "Add server automatically once a federated share was created successfully" : "Ajouter un serveur automatiquement une fois que le partage a été créé avec succès", diff --git a/apps/federation/l10n/fr.json b/apps/federation/l10n/fr.json index b538b74682154..f05f092fcd195 100644 --- a/apps/federation/l10n/fr.json +++ b/apps/federation/l10n/fr.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Le serveur est déjà dans la liste des serveurs de confiance.", "No server to federate with found" : "Aucun serveur avec lequel fédérer n'a été trouvé", "Could not add server" : "Impossible d'ajouter le serveur", + "Federation" : "Fédération", "Trusted servers" : "Serveurs de confiance", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Une fédération vous permet de vous connecter avec d'autres serveurs de confiance pour échanger la liste des utilisateurs. Par exemple, ce sera utilisé pour auto-compléter les utilisateurs externes lors du partage fédéré.", "Add server automatically once a federated share was created successfully" : "Ajouter un serveur automatiquement une fois que le partage a été créé avec succès", diff --git a/apps/federation/l10n/it.js b/apps/federation/l10n/it.js index 0d2db01305680..3adece3b0e507 100644 --- a/apps/federation/l10n/it.js +++ b/apps/federation/l10n/it.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Il server è già nell'elenco dei server affidabili.", "No server to federate with found" : "Non ho trovato alcun server per la federazione", "Could not add server" : "Impossibile aggiungere il server", + "Federation" : "Federazione", "Trusted servers" : "Server affidabili", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "La federazione consente di connettersi ad altri server affidabili per accedere alla cartella utente. Ad esempio, può essere utilizzata per il completamento automatico di utenti esterni per la condivisione federata.", "Add server automatically once a federated share was created successfully" : "Aggiungi automaticamente il server dopo che una condivisione federata è stata creata con successo", diff --git a/apps/federation/l10n/it.json b/apps/federation/l10n/it.json index dd9c8c3bceda1..8a25db1804d26 100644 --- a/apps/federation/l10n/it.json +++ b/apps/federation/l10n/it.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Il server è già nell'elenco dei server affidabili.", "No server to federate with found" : "Non ho trovato alcun server per la federazione", "Could not add server" : "Impossibile aggiungere il server", + "Federation" : "Federazione", "Trusted servers" : "Server affidabili", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "La federazione consente di connettersi ad altri server affidabili per accedere alla cartella utente. Ad esempio, può essere utilizzata per il completamento automatico di utenti esterni per la condivisione federata.", "Add server automatically once a federated share was created successfully" : "Aggiungi automaticamente il server dopo che una condivisione federata è stata creata con successo", diff --git a/apps/federation/l10n/pt_BR.js b/apps/federation/l10n/pt_BR.js index c42b3cfdf85b6..683474b372679 100644 --- a/apps/federation/l10n/pt_BR.js +++ b/apps/federation/l10n/pt_BR.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "O servidor já está na lista de servidores confiáveis.", "No server to federate with found" : "Nenhum servidor encontrado para federar", "Could not add server" : "Não foi possível adicionar servidor", + "Federation" : "Federação", "Trusted servers" : "Servidores confiáveis", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federação permite que você conecte com outros servidores confiáveis para trocar o diretório do usuário. Por exemplo, este atributo será usado para completar automaticamente usuários externos para compartilhamento federado.", "Add server automatically once a federated share was created successfully" : "Adicionar servidor automaticamente uma vez que um compartilhamento federado foi criado com êxito", diff --git a/apps/federation/l10n/pt_BR.json b/apps/federation/l10n/pt_BR.json index 4f03a447ae10a..ea13a6ef4b237 100644 --- a/apps/federation/l10n/pt_BR.json +++ b/apps/federation/l10n/pt_BR.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "O servidor já está na lista de servidores confiáveis.", "No server to federate with found" : "Nenhum servidor encontrado para federar", "Could not add server" : "Não foi possível adicionar servidor", + "Federation" : "Federação", "Trusted servers" : "Servidores confiáveis", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federação permite que você conecte com outros servidores confiáveis para trocar o diretório do usuário. Por exemplo, este atributo será usado para completar automaticamente usuários externos para compartilhamento federado.", "Add server automatically once a federated share was created successfully" : "Adicionar servidor automaticamente uma vez que um compartilhamento federado foi criado com êxito", diff --git a/apps/federation/l10n/sr.js b/apps/federation/l10n/sr.js index 34f3ba508c272..9726ab9e3f5ac 100644 --- a/apps/federation/l10n/sr.js +++ b/apps/federation/l10n/sr.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Сервер је већ на списку сервера од поверења.", "No server to federate with found" : "Није нађен сервер за здруживање", "Could not add server" : "Неуспело додавање сервера", + "Federation" : "Здруживање", "Trusted servers" : "Сервери од поверења", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Здруживање омогућава да се повежете са другим серверима од поверења и да мењате корисничке директоријуме.", "Add server automatically once a federated share was created successfully" : "Додај сервер аутоматски по успешном прављењу здруженог дељења", diff --git a/apps/federation/l10n/sr.json b/apps/federation/l10n/sr.json index 91f53962f24c5..80a1204ac6346 100644 --- a/apps/federation/l10n/sr.json +++ b/apps/federation/l10n/sr.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Сервер је већ на списку сервера од поверења.", "No server to federate with found" : "Није нађен сервер за здруживање", "Could not add server" : "Неуспело додавање сервера", + "Federation" : "Здруживање", "Trusted servers" : "Сервери од поверења", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Здруживање омогућава да се повежете са другим серверима од поверења и да мењате корисничке директоријуме.", "Add server automatically once a federated share was created successfully" : "Додај сервер аутоматски по успешном прављењу здруженог дељења", diff --git a/apps/federation/l10n/tr.js b/apps/federation/l10n/tr.js index 44b9e9ab80446..799047e953b00 100644 --- a/apps/federation/l10n/tr.js +++ b/apps/federation/l10n/tr.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Sunucu zaten güvenilen sunucu listesine eklenmiş.", "No server to federate with found" : "Birleştirilecek bir sunucu bulunamadı", "Could not add server" : "Sunucu eklenemedi", + "Federation" : "Birleşim", "Trusted servers" : "Güvenilen sunucular", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Birleşim, diğer güvenilir sunucularla dosya/klasör paylaşımı yapılmasını sağlar. Örneğin, bu işlem birleştirilmiş paylaşım için dış kullanıcıların otomatik olarak tamamlanmasını sağlar.", "Add server automatically once a federated share was created successfully" : "Bir birleşmiş paylaşım eklendiğinde sunucu otomatik olarak eklensin", diff --git a/apps/federation/l10n/tr.json b/apps/federation/l10n/tr.json index a71611dd85dc5..a8b38fdc19dcc 100644 --- a/apps/federation/l10n/tr.json +++ b/apps/federation/l10n/tr.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Sunucu zaten güvenilen sunucu listesine eklenmiş.", "No server to federate with found" : "Birleştirilecek bir sunucu bulunamadı", "Could not add server" : "Sunucu eklenemedi", + "Federation" : "Birleşim", "Trusted servers" : "Güvenilen sunucular", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Birleşim, diğer güvenilir sunucularla dosya/klasör paylaşımı yapılmasını sağlar. Örneğin, bu işlem birleştirilmiş paylaşım için dış kullanıcıların otomatik olarak tamamlanmasını sağlar.", "Add server automatically once a federated share was created successfully" : "Bir birleşmiş paylaşım eklendiğinde sunucu otomatik olarak eklensin", diff --git a/apps/files/l10n/ca.js b/apps/files/l10n/ca.js index 7c5d2f9385e15..c4c56d4f29d87 100644 --- a/apps/files/l10n/ca.js +++ b/apps/files/l10n/ca.js @@ -16,8 +16,11 @@ OC.L10N.register( "Not enough free space, you are uploading {size1} but only {size2} is left" : "No hi ha prou espai lliure, està carregant {size1} però només pot {size2}", "Target folder \"{dir}\" does not exist any more" : "La carpeta objectiu \"{dir}\" ja no existeix", "Not enough free space" : "Espai lliure insuficient", + "Uploading …" : "Carregant...", "…" : ".....", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} de {totalSize} ({bitrate})", + "Target folder does not exist any more" : "La carpeta de destí no existeix", + "Error when assembling chunks, status code {status}" : "S'ha produït un error mentre es recopilaven els fragments, el codi d'estat és {status}", "Actions" : "Accions", "Download" : "Baixa", "Rename" : "Reanomena", @@ -59,8 +62,11 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "No teniu permisos per a pujar o crear els fitxers aquí", "_Uploading %n file_::_Uploading %n files_" : ["Pujant %n fitxer","Pujant %n fitxers"], "New" : "Nou", + "{used} of {quota} used" : "{used} de {quota} utilitzat", + "{used} used" : "{used} utilitzat", "\"{name}\" is an invalid file name." : "\"{name}\" no es un fitxer vàlid.", "File name cannot be empty." : "El nom del fitxer no pot ser buit.", + "\"/\" is not allowed inside a file name." : "El caràcter \"/\" no es pot utilitzar en el nom de l'arxiu.", "\"{name}\" is not an allowed filetype" : "\"{name}\" no és un tipus de fitxer permès", "Storage of {owner} is full, files can not be updated or synced anymore!" : "L'emmagatzematge de {owner} està ple, els arxius no es poden actualitzar o sincronitzar més!", "Your storage is full, files can not be updated or synced anymore!" : "El vostre espai d'emmagatzemament és ple, els fitxers ja no es poden actualitzar o sincronitzar!", @@ -76,6 +82,9 @@ OC.L10N.register( "Favorite" : "Preferits", "New folder" : "Carpeta nova", "Upload file" : "Puja fitxer", + "Not favorited" : "No està inclòs en els favorits", + "Remove from favorites" : "Eliminar dels favorits", + "Add to favorites" : "Afegir als favorits", "An error occurred while trying to update the tags" : "S'ha produït un error en tractar d'actualitzar les etiquetes", "Added to favorites" : "Afegit a favorits", "Removed from favorites" : "Esborra de preferits", @@ -121,6 +130,8 @@ OC.L10N.register( "Settings" : "Arranjament", "Show hidden files" : "Mostra els fitxers ocults", "WebDAV" : "WebDAV", + "Use this address to access your Files via WebDAV" : "Utilitza aquesta adreça per accedir als teus arxius mitjançant WebDAV", + "Cancel upload" : "Cancel·la la pujada", "No files in here" : "No hi ha arxius", "Upload some content or sync with your devices!" : "Pugi continguts o sincronitzi els seus dispositius.", "No entries found in this folder" : "No hi ha entrades en aquesta carpeta", @@ -135,6 +146,10 @@ OC.L10N.register( "Tags" : "Etiquetes", "Deleted files" : "Fitxers esborrats", "Text file" : "Fitxer de text", - "New text file.txt" : "Nou fitxer de text.txt" + "New text file.txt" : "Nou fitxer de text.txt", + "Move" : "Moure", + "A new file or folder has been deleted" : "S'ha eliminat un nou fitxer o carpeta", + "A new file or folder has been restored" : "S'ha restaurat un nou fitxer o carpeta", + "Use this address to access your Files via WebDAV" : "Utilitzeu aquesta adreça per accedir als vostres fitxers a través de WebDAV" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ca.json b/apps/files/l10n/ca.json index 5897600230e5b..eae669d0b9bc2 100644 --- a/apps/files/l10n/ca.json +++ b/apps/files/l10n/ca.json @@ -14,8 +14,11 @@ "Not enough free space, you are uploading {size1} but only {size2} is left" : "No hi ha prou espai lliure, està carregant {size1} però només pot {size2}", "Target folder \"{dir}\" does not exist any more" : "La carpeta objectiu \"{dir}\" ja no existeix", "Not enough free space" : "Espai lliure insuficient", + "Uploading …" : "Carregant...", "…" : ".....", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} de {totalSize} ({bitrate})", + "Target folder does not exist any more" : "La carpeta de destí no existeix", + "Error when assembling chunks, status code {status}" : "S'ha produït un error mentre es recopilaven els fragments, el codi d'estat és {status}", "Actions" : "Accions", "Download" : "Baixa", "Rename" : "Reanomena", @@ -57,8 +60,11 @@ "You don’t have permission to upload or create files here" : "No teniu permisos per a pujar o crear els fitxers aquí", "_Uploading %n file_::_Uploading %n files_" : ["Pujant %n fitxer","Pujant %n fitxers"], "New" : "Nou", + "{used} of {quota} used" : "{used} de {quota} utilitzat", + "{used} used" : "{used} utilitzat", "\"{name}\" is an invalid file name." : "\"{name}\" no es un fitxer vàlid.", "File name cannot be empty." : "El nom del fitxer no pot ser buit.", + "\"/\" is not allowed inside a file name." : "El caràcter \"/\" no es pot utilitzar en el nom de l'arxiu.", "\"{name}\" is not an allowed filetype" : "\"{name}\" no és un tipus de fitxer permès", "Storage of {owner} is full, files can not be updated or synced anymore!" : "L'emmagatzematge de {owner} està ple, els arxius no es poden actualitzar o sincronitzar més!", "Your storage is full, files can not be updated or synced anymore!" : "El vostre espai d'emmagatzemament és ple, els fitxers ja no es poden actualitzar o sincronitzar!", @@ -74,6 +80,9 @@ "Favorite" : "Preferits", "New folder" : "Carpeta nova", "Upload file" : "Puja fitxer", + "Not favorited" : "No està inclòs en els favorits", + "Remove from favorites" : "Eliminar dels favorits", + "Add to favorites" : "Afegir als favorits", "An error occurred while trying to update the tags" : "S'ha produït un error en tractar d'actualitzar les etiquetes", "Added to favorites" : "Afegit a favorits", "Removed from favorites" : "Esborra de preferits", @@ -119,6 +128,8 @@ "Settings" : "Arranjament", "Show hidden files" : "Mostra els fitxers ocults", "WebDAV" : "WebDAV", + "Use this address to access your Files via WebDAV" : "Utilitza aquesta adreça per accedir als teus arxius mitjançant WebDAV", + "Cancel upload" : "Cancel·la la pujada", "No files in here" : "No hi ha arxius", "Upload some content or sync with your devices!" : "Pugi continguts o sincronitzi els seus dispositius.", "No entries found in this folder" : "No hi ha entrades en aquesta carpeta", @@ -133,6 +144,10 @@ "Tags" : "Etiquetes", "Deleted files" : "Fitxers esborrats", "Text file" : "Fitxer de text", - "New text file.txt" : "Nou fitxer de text.txt" + "New text file.txt" : "Nou fitxer de text.txt", + "Move" : "Moure", + "A new file or folder has been deleted" : "S'ha eliminat un nou fitxer o carpeta", + "A new file or folder has been restored" : "S'ha restaurat un nou fitxer o carpeta", + "Use this address to access your Files via WebDAV" : "Utilitzeu aquesta adreça per accedir als vostres fitxers a través de WebDAV" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/en_GB.js b/apps/files/l10n/en_GB.js index 4d27b63bfa330..cbe3bcb9b7a2b 100644 --- a/apps/files/l10n/en_GB.js +++ b/apps/files/l10n/en_GB.js @@ -146,6 +146,10 @@ OC.L10N.register( "Tags" : "Tags", "Deleted files" : "Deleted files", "Text file" : "Text file", - "New text file.txt" : "New text file.txt" + "New text file.txt" : "New text file.txt", + "Move" : "Move", + "A new file or folder has been deleted" : "A new file or folder has been deleted", + "A new file or folder has been restored" : "A new file or folder has been restored", + "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/en_GB.json b/apps/files/l10n/en_GB.json index 4191f7847dc93..0a994ff551b57 100644 --- a/apps/files/l10n/en_GB.json +++ b/apps/files/l10n/en_GB.json @@ -144,6 +144,10 @@ "Tags" : "Tags", "Deleted files" : "Deleted files", "Text file" : "Text file", - "New text file.txt" : "New text file.txt" + "New text file.txt" : "New text file.txt", + "Move" : "Move", + "A new file or folder has been deleted" : "A new file or folder has been deleted", + "A new file or folder has been restored" : "A new file or folder has been restored", + "Use this address to access your Files via WebDAV" : "Use this address to access your Files via WebDAV" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/es.js b/apps/files/l10n/es.js index 1c4cad6f01386..d83d2ee3c95de 100644 --- a/apps/files/l10n/es.js +++ b/apps/files/l10n/es.js @@ -146,6 +146,10 @@ OC.L10N.register( "Tags" : "Etiquetas", "Deleted files" : "Archivos eliminados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo archivo de texto.txt" + "New text file.txt" : "Nuevo archivo de texto.txt", + "Move" : "Mover", + "A new file or folder has been deleted" : "Se ha borrado un nuevo archivo o carpeta", + "A new file or folder has been restored" : "Se ha restaurado un nuevo archivo o carpeta", + "Use this address to access your Files via WebDAV" : "Utiliza esta dirección para acceder a tus archivos vía WebDAV" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/es.json b/apps/files/l10n/es.json index 2a49be9c754df..212da33a515c7 100644 --- a/apps/files/l10n/es.json +++ b/apps/files/l10n/es.json @@ -144,6 +144,10 @@ "Tags" : "Etiquetas", "Deleted files" : "Archivos eliminados", "Text file" : "Archivo de texto", - "New text file.txt" : "Nuevo archivo de texto.txt" + "New text file.txt" : "Nuevo archivo de texto.txt", + "Move" : "Mover", + "A new file or folder has been deleted" : "Se ha borrado un nuevo archivo o carpeta", + "A new file or folder has been restored" : "Se ha restaurado un nuevo archivo o carpeta", + "Use this address to access your Files via WebDAV" : "Utiliza esta dirección para acceder a tus archivos vía WebDAV" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/fi.js b/apps/files/l10n/fi.js index e7ea921602bd4..79c7fb087453a 100644 --- a/apps/files/l10n/fi.js +++ b/apps/files/l10n/fi.js @@ -142,6 +142,10 @@ OC.L10N.register( "Tags" : "Tunnisteet", "Deleted files" : "Poistetut tiedostot", "Text file" : "Tekstitiedosto", - "New text file.txt" : "Uusi tekstitiedosto.txt" + "New text file.txt" : "Uusi tekstitiedosto.txt", + "Move" : "Siirrä", + "A new file or folder has been deleted" : "Uusi tiedosto tai kansio on poistettu", + "A new file or folder has been restored" : "Uusi tiedosto tai kansio on palautettu", + "Use this address to access your Files via WebDAV" : "Käytä tätä osoitetetta käyttääksesi tiedostojasi WebDAV:in välityksellä" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/fi.json b/apps/files/l10n/fi.json index 2c768b4df3c2e..7356d2c4b2238 100644 --- a/apps/files/l10n/fi.json +++ b/apps/files/l10n/fi.json @@ -140,6 +140,10 @@ "Tags" : "Tunnisteet", "Deleted files" : "Poistetut tiedostot", "Text file" : "Tekstitiedosto", - "New text file.txt" : "Uusi tekstitiedosto.txt" + "New text file.txt" : "Uusi tekstitiedosto.txt", + "Move" : "Siirrä", + "A new file or folder has been deleted" : "Uusi tiedosto tai kansio on poistettu", + "A new file or folder has been restored" : "Uusi tiedosto tai kansio on palautettu", + "Use this address to access your Files via WebDAV" : "Käytä tätä osoitetetta käyttääksesi tiedostojasi WebDAV:in välityksellä" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/nl.js b/apps/files/l10n/nl.js index e6580e55440d0..aacae19af4199 100644 --- a/apps/files/l10n/nl.js +++ b/apps/files/l10n/nl.js @@ -146,6 +146,7 @@ OC.L10N.register( "Tags" : "Tags", "Deleted files" : "Verwijderde bestanden", "Text file" : "Tekstbestand", - "New text file.txt" : "Nieuw tekstbestand.txt" + "New text file.txt" : "Nieuw tekstbestand.txt", + "Move" : "Verplaatsen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nl.json b/apps/files/l10n/nl.json index 699ee19c211c0..de059f16f089c 100644 --- a/apps/files/l10n/nl.json +++ b/apps/files/l10n/nl.json @@ -144,6 +144,7 @@ "Tags" : "Tags", "Deleted files" : "Verwijderde bestanden", "Text file" : "Tekstbestand", - "New text file.txt" : "Nieuw tekstbestand.txt" + "New text file.txt" : "Nieuw tekstbestand.txt", + "Move" : "Verplaatsen" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/de.js b/apps/files_external/l10n/de.js index a7c964d256ede..0280a4c3b8dfc 100644 --- a/apps/files_external/l10n/de.js +++ b/apps/files_external/l10n/de.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die cURL-Unterstützung von PHP ist deaktiviert oder nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an den Systemadministrator.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die FTP-Unterstützung von PHP ist deaktiviert oder nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an den Systemadministrator.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an den Administrator.", + "External storage support" : "Unterstützung für externen Speicher", "No external storage configured" : "Kein externer Speicher konfiguriert", "You can add external storages in the personal settings" : "Externe Speicher können in den persönlichen Einstellungen hinzugefügt werden", "Name" : "Name", diff --git a/apps/files_external/l10n/de.json b/apps/files_external/l10n/de.json index 6481030cd8ae3..c920578ab2337 100644 --- a/apps/files_external/l10n/de.json +++ b/apps/files_external/l10n/de.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die cURL-Unterstützung von PHP ist deaktiviert oder nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an den Systemadministrator.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die FTP-Unterstützung von PHP ist deaktiviert oder nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an den Systemadministrator.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wende Dich zur Installation an den Administrator.", + "External storage support" : "Unterstützung für externen Speicher", "No external storage configured" : "Kein externer Speicher konfiguriert", "You can add external storages in the personal settings" : "Externe Speicher können in den persönlichen Einstellungen hinzugefügt werden", "Name" : "Name", diff --git a/apps/files_external/l10n/de_DE.js b/apps/files_external/l10n/de_DE.js index be20876807eca..3896ddcdcaaa2 100644 --- a/apps/files_external/l10n/de_DE.js +++ b/apps/files_external/l10n/de_DE.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die cURL-Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich bezüglich Aktivierung oder Installation an Ihren Administrator.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die FTP-Unterstützung von PHP ist deaktiviert oder nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich bezüglich Aktivierung oder Installation an Ihren Administrator.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Administrator.", + "External storage support" : "Unterstützung für externen Speicher", "No external storage configured" : "Kein externer Speicher konfiguriert", "You can add external storages in the personal settings" : "Externe Speicher können in den persönlichen Einstellungen hinzugefügt werden", "Name" : "Name", diff --git a/apps/files_external/l10n/de_DE.json b/apps/files_external/l10n/de_DE.json index e708f753a53ff..d299d793a79b2 100644 --- a/apps/files_external/l10n/de_DE.json +++ b/apps/files_external/l10n/de_DE.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die cURL-Unterstützung von PHP ist nicht aktiviert oder installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich bezüglich Aktivierung oder Installation an Ihren Administrator.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Die FTP-Unterstützung von PHP ist deaktiviert oder nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich bezüglich Aktivierung oder Installation an Ihren Administrator.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" ist nicht installiert. Das Hinzufügen von %s ist nicht möglich. Bitte wenden Sie sich zur Installation an Ihren Administrator.", + "External storage support" : "Unterstützung für externen Speicher", "No external storage configured" : "Kein externer Speicher konfiguriert", "You can add external storages in the personal settings" : "Externe Speicher können in den persönlichen Einstellungen hinzugefügt werden", "Name" : "Name", diff --git a/apps/files_external/l10n/en_GB.js b/apps/files_external/l10n/en_GB.js index a48a4a11e0ee5..7f6a151650b3e 100644 --- a/apps/files_external/l10n/en_GB.js +++ b/apps/files_external/l10n/en_GB.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it.", + "External storage support" : "External storage support", "No external storage configured" : "No external storage configured", "You can add external storages in the personal settings" : "You can add external storages in the personal settings", "Name" : "Name", @@ -120,6 +121,14 @@ OC.L10N.register( "Advanced settings" : "Advanced settings", "Delete" : "Delete", "Allow users to mount external storage" : "Allow users to mount external storage", - "Allow users to mount the following external storage" : "Allow users to mount the following external storage" + "Allow users to mount the following external storage" : "Allow users to mount the following external storage", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fetching request tokens failed. Verify that your app key and secret are correct.", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Fetching access tokens failed. Verify that your app key and secret are correct.", + "Step 1 failed. Exception: %s" : "Step 1 failed. Exception: %s", + "Step 2 failed. Exception: %s" : "Step 2 failed. Exception: %s", + "Dropbox App Configuration" : "Dropbox App Configuration", + "Google Drive App Configuration" : "Google Drive App Configuration", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/en_GB.json b/apps/files_external/l10n/en_GB.json index 4d168c622269b..2e75124669185 100644 --- a/apps/files_external/l10n/en_GB.json +++ b/apps/files_external/l10n/en_GB.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it.", + "External storage support" : "External storage support", "No external storage configured" : "No external storage configured", "You can add external storages in the personal settings" : "You can add external storages in the personal settings", "Name" : "Name", @@ -118,6 +119,14 @@ "Advanced settings" : "Advanced settings", "Delete" : "Delete", "Allow users to mount external storage" : "Allow users to mount external storage", - "Allow users to mount the following external storage" : "Allow users to mount the following external storage" + "Allow users to mount the following external storage" : "Allow users to mount the following external storage", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fetching request tokens failed. Verify that your app key and secret are correct.", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Fetching access tokens failed. Verify that your app key and secret are correct.", + "Step 1 failed. Exception: %s" : "Step 1 failed. Exception: %s", + "Step 2 failed. Exception: %s" : "Step 2 failed. Exception: %s", + "Dropbox App Configuration" : "Dropbox App Configuration", + "Google Drive App Configuration" : "Google Drive App Configuration", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/es.js b/apps/files_external/l10n/es.js index 7807d92f5662f..ba47dd608e4e2 100644 --- a/apps/files_external/l10n/es.js +++ b/apps/files_external/l10n/es.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "El soporte de cURL en PHP no está activado o instalado. No se puede montar %s. Pídale al administrador del sistema que lo instale.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "El soporte para FTP desde PHP no esta habilitado o instalado. Montar el %s no ha sido posible. Por favor consulta al administrador de tu sistema para que lo instale.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" no está instalado. El montaje de %s no es posible. Por favor, pregunte a su administrador del sistema para instalarlo.", + "External storage support" : "Soporte de almacenamiento externo", "No external storage configured" : "No hay ningún almacenamiento externo configurado", "You can add external storages in the personal settings" : "Puede agregar almacenamientos externos en la configuración personal", "Name" : "Nombre", @@ -120,6 +121,14 @@ OC.L10N.register( "Advanced settings" : "Configuración avanzada", "Delete" : "Eliminar", "Allow users to mount external storage" : "Permitir a los usuarios montar un almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fallo al recuperar los tokens de peticiones. Verifica que tu clave de aplicación y secreto son correctos.", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Fallo al recuperar los tokens de peticiones. Verifica que tu clave de aplicación y secreto son correctos.", + "Step 1 failed. Exception: %s" : "El paso 1 ha fallado. Excepción: %s", + "Step 2 failed. Exception: %s" : "El paso 2 ha fallado. Excepción: %s", + "Dropbox App Configuration" : "Configuración de la app de Dropbox", + "Google Drive App Configuration" : "Configuración de la app de Google Drive", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/es.json b/apps/files_external/l10n/es.json index f1573989a56ed..6eb1827584362 100644 --- a/apps/files_external/l10n/es.json +++ b/apps/files_external/l10n/es.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "El soporte de cURL en PHP no está activado o instalado. No se puede montar %s. Pídale al administrador del sistema que lo instale.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "El soporte para FTP desde PHP no esta habilitado o instalado. Montar el %s no ha sido posible. Por favor consulta al administrador de tu sistema para que lo instale.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" no está instalado. El montaje de %s no es posible. Por favor, pregunte a su administrador del sistema para instalarlo.", + "External storage support" : "Soporte de almacenamiento externo", "No external storage configured" : "No hay ningún almacenamiento externo configurado", "You can add external storages in the personal settings" : "Puede agregar almacenamientos externos en la configuración personal", "Name" : "Nombre", @@ -118,6 +119,14 @@ "Advanced settings" : "Configuración avanzada", "Delete" : "Eliminar", "Allow users to mount external storage" : "Permitir a los usuarios montar un almacenamiento externo", - "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo" + "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamiento externo", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Fallo al recuperar los tokens de peticiones. Verifica que tu clave de aplicación y secreto son correctos.", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Fallo al recuperar los tokens de peticiones. Verifica que tu clave de aplicación y secreto son correctos.", + "Step 1 failed. Exception: %s" : "El paso 1 ha fallado. Excepción: %s", + "Step 2 failed. Exception: %s" : "El paso 2 ha fallado. Excepción: %s", + "Dropbox App Configuration" : "Configuración de la app de Dropbox", + "Google Drive App Configuration" : "Configuración de la app de Google Drive", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/fi.js b/apps/files_external/l10n/fi.js index 117977c7092c7..1561aa18c73c5 100644 --- a/apps/files_external/l10n/fi.js +++ b/apps/files_external/l10n/fi.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "cULR tuki PHPsta ei ole aktivoitu tai asennettu. Kohteen %s liittäminen ei ole mahdollista. Ota yhteyttä järjestelmänvalvojaan asentaaksesi puuttuvan osan.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "FTP tuki PHPsta ei ole aktivoitu tai asennettu. Kohteen %s liittäminen ei ole mahdollista. Ota yhteyttä järjestelmänvalvojaan asentaaksesi puuttuvan osan.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää asentamaan puuttuva kohde.", + "External storage support" : "Erillisen tallennustilan tuki", "No external storage configured" : "Erillistä tallennustilaa ei ole määritetty", "You can add external storages in the personal settings" : "Voit lisätä erillisiä tallennustiloja henkilökohtaisista asetuksistasi", "Name" : "Nimi", @@ -120,6 +121,10 @@ OC.L10N.register( "Advanced settings" : "Lisäasetukset", "Delete" : "Poista", "Allow users to mount external storage" : "Salli käyttäjien liittää erillisiä tallennustiloja", - "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet" + "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet", + "Dropbox App Configuration" : "Dropbox-sovelluksen määritykset", + "Google Drive App Configuration" : "Google Drive -sovelluksen määritykset", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/fi.json b/apps/files_external/l10n/fi.json index 35cf74e7682b3..2d219aae64ae1 100644 --- a/apps/files_external/l10n/fi.json +++ b/apps/files_external/l10n/fi.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "cULR tuki PHPsta ei ole aktivoitu tai asennettu. Kohteen %s liittäminen ei ole mahdollista. Ota yhteyttä järjestelmänvalvojaan asentaaksesi puuttuvan osan.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "FTP tuki PHPsta ei ole aktivoitu tai asennettu. Kohteen %s liittäminen ei ole mahdollista. Ota yhteyttä järjestelmänvalvojaan asentaaksesi puuttuvan osan.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" ei ole asennettu. Kohteen %s liittäminen ei ole mahdollista. Pyydä järjestelmän ylläpitäjää asentamaan puuttuva kohde.", + "External storage support" : "Erillisen tallennustilan tuki", "No external storage configured" : "Erillistä tallennustilaa ei ole määritetty", "You can add external storages in the personal settings" : "Voit lisätä erillisiä tallennustiloja henkilökohtaisista asetuksistasi", "Name" : "Nimi", @@ -118,6 +119,10 @@ "Advanced settings" : "Lisäasetukset", "Delete" : "Poista", "Allow users to mount external storage" : "Salli käyttäjien liittää erillisiä tallennustiloja", - "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet" + "Allow users to mount the following external storage" : "Salli käyttäjien liittää seuraavat erilliset tallennusvälineet", + "Dropbox App Configuration" : "Dropbox-sovelluksen määritykset", + "Google Drive App Configuration" : "Google Drive -sovelluksen määritykset", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/fr.js b/apps/files_external/l10n/fr.js index 3898c5f5ed550..94a555c6785e2 100644 --- a/apps/files_external/l10n/fr.js +++ b/apps/files_external/l10n/fr.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Le support de cURL dans PHP n'est pas activé ou installé. Le montage de %s n'est pas possible. Veuillez demander à votre administrateur système de l'installer.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Le support du FTP dans PHP n'est pas activé ou installé. Le montage de %s n'est pas possible. Merci de demander à votre administrateur de l'installer.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" n'est pas installé. Le montage de %s n'est pas possible. Merci de demander à l'administrateur système de l'installer.", + "External storage support" : "Support de stockage externe", "No external storage configured" : "Aucun stockage externe configuré", "You can add external storages in the personal settings" : "Vous pouvez ajouter des stockages externes via vos paramètres personnels", "Name" : "Nom", diff --git a/apps/files_external/l10n/fr.json b/apps/files_external/l10n/fr.json index f3f5f1437b734..0416b9f805f44 100644 --- a/apps/files_external/l10n/fr.json +++ b/apps/files_external/l10n/fr.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Le support de cURL dans PHP n'est pas activé ou installé. Le montage de %s n'est pas possible. Veuillez demander à votre administrateur système de l'installer.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Le support du FTP dans PHP n'est pas activé ou installé. Le montage de %s n'est pas possible. Merci de demander à votre administrateur de l'installer.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" n'est pas installé. Le montage de %s n'est pas possible. Merci de demander à l'administrateur système de l'installer.", + "External storage support" : "Support de stockage externe", "No external storage configured" : "Aucun stockage externe configuré", "You can add external storages in the personal settings" : "Vous pouvez ajouter des stockages externes via vos paramètres personnels", "Name" : "Nom", diff --git a/apps/files_external/l10n/it.js b/apps/files_external/l10n/it.js index 691598bd44dfa..05aa89bc76e31 100644 --- a/apps/files_external/l10n/it.js +++ b/apps/files_external/l10n/it.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Il supporto cURL di PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Il supporto FTP in PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" non è installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", + "External storage support" : "Supporto archiviazioni esterne", "No external storage configured" : "Nessuna archiviazione esterna configurata", "You can add external storages in the personal settings" : "Puoi aggiungere archiviazioni esterne nelle impostazioni personali", "Name" : "Nome", diff --git a/apps/files_external/l10n/it.json b/apps/files_external/l10n/it.json index ce4e01ee25af9..3e4b851eb4bfb 100644 --- a/apps/files_external/l10n/it.json +++ b/apps/files_external/l10n/it.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Il supporto cURL di PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Il supporto FTP in PHP non è abilitato o installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" non è installato. Impossibile montare %s. Chiedi al tuo amministratore di sistema di installarlo.", + "External storage support" : "Supporto archiviazioni esterne", "No external storage configured" : "Nessuna archiviazione esterna configurata", "You can add external storages in the personal settings" : "Puoi aggiungere archiviazioni esterne nelle impostazioni personali", "Name" : "Nome", diff --git a/apps/files_external/l10n/nl.js b/apps/files_external/l10n/nl.js index 1a4b3322b7e90..9d91f42aa6b04 100644 --- a/apps/files_external/l10n/nl.js +++ b/apps/files_external/l10n/nl.js @@ -120,6 +120,8 @@ OC.L10N.register( "Advanced settings" : "Geavanceerde instellingen", "Delete" : "Verwijder", "Allow users to mount external storage" : "Sta gebruikers toe om een externe opslag aan te koppelen", - "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen" + "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/nl.json b/apps/files_external/l10n/nl.json index b9072ddc8a0e4..d66ad3796964b 100644 --- a/apps/files_external/l10n/nl.json +++ b/apps/files_external/l10n/nl.json @@ -118,6 +118,8 @@ "Advanced settings" : "Geavanceerde instellingen", "Delete" : "Verwijder", "Allow users to mount external storage" : "Sta gebruikers toe om een externe opslag aan te koppelen", - "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen" + "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/pt_BR.js b/apps/files_external/l10n/pt_BR.js index 6d0d100b76332..92afa78a0ea9f 100644 --- a/apps/files_external/l10n/pt_BR.js +++ b/apps/files_external/l10n/pt_BR.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "O suporte a cURL no PHP não está habilitado ou instalado. A montagem de %s não foi possível. Por favor, solicite a instalação ao administrador do sistema.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "O suporte FTP no PHP não está habilitado ou instalado. A montagem de %s não foi possível. Por favor, solicite a instalação ao administrador do sistema.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" não está instalado. A montagem de %s não foi possível. Por favor, solicite a instalação ao administrador do sistema.", + "External storage support" : "Suporte a armazenamento externo", "No external storage configured" : "Nenhum armazendo externo foi configurado", "You can add external storages in the personal settings" : "Você pode adicionar armazenamentos externos nas configurações pessoais", "Name" : "Nome", diff --git a/apps/files_external/l10n/pt_BR.json b/apps/files_external/l10n/pt_BR.json index ce611a856bbaa..c680a1f59f341 100644 --- a/apps/files_external/l10n/pt_BR.json +++ b/apps/files_external/l10n/pt_BR.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "O suporte a cURL no PHP não está habilitado ou instalado. A montagem de %s não foi possível. Por favor, solicite a instalação ao administrador do sistema.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "O suporte FTP no PHP não está habilitado ou instalado. A montagem de %s não foi possível. Por favor, solicite a instalação ao administrador do sistema.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" não está instalado. A montagem de %s não foi possível. Por favor, solicite a instalação ao administrador do sistema.", + "External storage support" : "Suporte a armazenamento externo", "No external storage configured" : "Nenhum armazendo externo foi configurado", "You can add external storages in the personal settings" : "Você pode adicionar armazenamentos externos nas configurações pessoais", "Name" : "Nome", diff --git a/apps/files_external/l10n/sr.js b/apps/files_external/l10n/sr.js index bedfdc3fdb0b2..7f984406ebced 100644 --- a/apps/files_external/l10n/sr.js +++ b/apps/files_external/l10n/sr.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "cURL подршка за PHP није омогућена или инсталирана. Монтирање %s није могуће. Затражите од вашег администратора система да је инсталира.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "FTP подршка за PHP није омогућена или инсталирана. Монтирање %s није могуће. Затражите од вашег администратора система да је инсталира.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "„%s“ није инсталиран. Монтирање %s није могуће. Затражите од вашег администратора система да га инсталира.", + "External storage support" : "Подршка за спољашње складиште", "No external storage configured" : "Нема подешеног спољашњег складишта", "You can add external storages in the personal settings" : "Можете додати спољашња складишта у вашим личним подешавањима", "Name" : "Назив", diff --git a/apps/files_external/l10n/sr.json b/apps/files_external/l10n/sr.json index 451edc386eae9..bd6ccee18853c 100644 --- a/apps/files_external/l10n/sr.json +++ b/apps/files_external/l10n/sr.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "cURL подршка за PHP није омогућена или инсталирана. Монтирање %s није могуће. Затражите од вашег администратора система да је инсталира.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "FTP подршка за PHP није омогућена или инсталирана. Монтирање %s није могуће. Затражите од вашег администратора система да је инсталира.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "„%s“ није инсталиран. Монтирање %s није могуће. Затражите од вашег администратора система да га инсталира.", + "External storage support" : "Подршка за спољашње складиште", "No external storage configured" : "Нема подешеног спољашњег складишта", "You can add external storages in the personal settings" : "Можете додати спољашња складишта у вашим личним подешавањима", "Name" : "Назив", diff --git a/apps/files_external/l10n/tr.js b/apps/files_external/l10n/tr.js index 709a831d85df7..989947ccad8d1 100644 --- a/apps/files_external/l10n/tr.js +++ b/apps/files_external/l10n/tr.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHP cURL desteği kurulmamış ya da etkinleştirilmemiş. %s bağlanamaz. Lütfen kurulum için sistem yöneticinizle görüşün.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHP FTP desteği kuurlmamış ya da etkinleştirilmemiş. %s bağlanamaz. Lütfen kurulum için sistem yöneticinizle görüşün.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "%s kurulmamış. %s bağlanamaz. Lütfen kurulum için sistem yöneticinizle görüşün.", + "External storage support" : "Dış depolama desteği", "No external storage configured" : "Herhangi bir dış depolama yapılandırılmamış", "You can add external storages in the personal settings" : "Kişisel ayarlar bölümünden dış depolamaları ekleyebilirsiniz", "Name" : "Ad", diff --git a/apps/files_external/l10n/tr.json b/apps/files_external/l10n/tr.json index a887febafe16b..e2acd45c0df01 100644 --- a/apps/files_external/l10n/tr.json +++ b/apps/files_external/l10n/tr.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHP cURL desteği kurulmamış ya da etkinleştirilmemiş. %s bağlanamaz. Lütfen kurulum için sistem yöneticinizle görüşün.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHP FTP desteği kuurlmamış ya da etkinleştirilmemiş. %s bağlanamaz. Lütfen kurulum için sistem yöneticinizle görüşün.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "%s kurulmamış. %s bağlanamaz. Lütfen kurulum için sistem yöneticinizle görüşün.", + "External storage support" : "Dış depolama desteği", "No external storage configured" : "Herhangi bir dış depolama yapılandırılmamış", "You can add external storages in the personal settings" : "Kişisel ayarlar bölümünden dış depolamaları ekleyebilirsiniz", "Name" : "Ad", diff --git a/apps/files_sharing/l10n/ca.js b/apps/files_sharing/l10n/ca.js index a33d10b6118b8..ddc9ffbb339c5 100644 --- a/apps/files_sharing/l10n/ca.js +++ b/apps/files_sharing/l10n/ca.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "No es poden canviar els permisos per als enllaços compartits públics", "Cannot increase permissions" : "No es poden augmentar els permisos", "Share API is disabled" : "L'API compartida està desactivada", + "File sharing" : "Compartir arxius", "This share is password-protected" : "Aquest compartit està protegit amb contrasenya", "The password is wrong. Try again." : "la contrasenya és incorrecta. Intenteu-ho de nou.", "Password" : "Contrasenya", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Carrega fitxers a %s", "Select or drop files" : "Selecciona o deixa anar els fitxers", "Uploading files…" : "Pujant arxius...", - "Uploaded files:" : "Arxius pujats:" + "Uploaded files:" : "Arxius pujats:", + "%s is publicly shared" : "%s està compartit de forma pública" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/ca.json b/apps/files_sharing/l10n/ca.json index 439d188b7167c..6111dad691710 100644 --- a/apps/files_sharing/l10n/ca.json +++ b/apps/files_sharing/l10n/ca.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "No es poden canviar els permisos per als enllaços compartits públics", "Cannot increase permissions" : "No es poden augmentar els permisos", "Share API is disabled" : "L'API compartida està desactivada", + "File sharing" : "Compartir arxius", "This share is password-protected" : "Aquest compartit està protegit amb contrasenya", "The password is wrong. Try again." : "la contrasenya és incorrecta. Intenteu-ho de nou.", "Password" : "Contrasenya", @@ -107,6 +108,7 @@ "Upload files to %s" : "Carrega fitxers a %s", "Select or drop files" : "Selecciona o deixa anar els fitxers", "Uploading files…" : "Pujant arxius...", - "Uploaded files:" : "Arxius pujats:" + "Uploaded files:" : "Arxius pujats:", + "%s is publicly shared" : "%s està compartit de forma pública" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/de.js b/apps/files_sharing/l10n/de.js index 7b1ca064ebb06..20b0ad7628e3f 100644 --- a/apps/files_sharing/l10n/de.js +++ b/apps/files_sharing/l10n/de.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Berechtigungen für öffentlich freigegebene Links konnten nicht geändert werden", "Cannot increase permissions" : "Berechtigungen können nicht erhöht werden", "Share API is disabled" : "Teilen-API ist deaktivert", + "File sharing" : "Dateifreigabe", "This share is password-protected" : "Freigabe ist passwortgeschützt", "The password is wrong. Try again." : "Das Passwort ist falsch. Versuche es erneut.", "Password" : "Passwort", diff --git a/apps/files_sharing/l10n/de.json b/apps/files_sharing/l10n/de.json index df0fff47e2783..c6b6d458ee4b4 100644 --- a/apps/files_sharing/l10n/de.json +++ b/apps/files_sharing/l10n/de.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Berechtigungen für öffentlich freigegebene Links konnten nicht geändert werden", "Cannot increase permissions" : "Berechtigungen können nicht erhöht werden", "Share API is disabled" : "Teilen-API ist deaktivert", + "File sharing" : "Dateifreigabe", "This share is password-protected" : "Freigabe ist passwortgeschützt", "The password is wrong. Try again." : "Das Passwort ist falsch. Versuche es erneut.", "Password" : "Passwort", diff --git a/apps/files_sharing/l10n/de_DE.js b/apps/files_sharing/l10n/de_DE.js index a9b99fc130987..721a2c21e9834 100644 --- a/apps/files_sharing/l10n/de_DE.js +++ b/apps/files_sharing/l10n/de_DE.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Berechtigungen für öffentlich freigegebene Links konnten nicht geändert werden", "Cannot increase permissions" : "Berechtigungen können nicht erhöht werden", "Share API is disabled" : "Teilen-API ist deaktivert", + "File sharing" : "Dateifreigabe", "This share is password-protected" : "Freigabe ist passwortgeschützt", "The password is wrong. Try again." : "Das Passwort ist falsch. Bitte versuchen Sie es erneut.", "Password" : "Passwort", diff --git a/apps/files_sharing/l10n/de_DE.json b/apps/files_sharing/l10n/de_DE.json index bc67d9fe3f6a9..54dbda5bd4163 100644 --- a/apps/files_sharing/l10n/de_DE.json +++ b/apps/files_sharing/l10n/de_DE.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Berechtigungen für öffentlich freigegebene Links konnten nicht geändert werden", "Cannot increase permissions" : "Berechtigungen können nicht erhöht werden", "Share API is disabled" : "Teilen-API ist deaktivert", + "File sharing" : "Dateifreigabe", "This share is password-protected" : "Freigabe ist passwortgeschützt", "The password is wrong. Try again." : "Das Passwort ist falsch. Bitte versuchen Sie es erneut.", "Password" : "Passwort", diff --git a/apps/files_sharing/l10n/en_GB.js b/apps/files_sharing/l10n/en_GB.js index a52f322cd8f7b..758ee5ec0f764 100644 --- a/apps/files_sharing/l10n/en_GB.js +++ b/apps/files_sharing/l10n/en_GB.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Can't change permissions for public share links", "Cannot increase permissions" : "Cannot increase permissions", "Share API is disabled" : "Share API is disabled", + "File sharing" : "File sharing", "This share is password-protected" : "This share is password-protected", "The password is wrong. Try again." : "The password is wrong. Try again.", "Password" : "Password", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Upload files to %s", "Select or drop files" : "Select or drop files", "Uploading files…" : "Uploading files…", - "Uploaded files:" : "Uploaded files:" + "Uploaded files:" : "Uploaded files:", + "%s is publicly shared" : "%s is publicly shared" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/en_GB.json b/apps/files_sharing/l10n/en_GB.json index d6f3ba4643b30..00da5d90c3cb8 100644 --- a/apps/files_sharing/l10n/en_GB.json +++ b/apps/files_sharing/l10n/en_GB.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Can't change permissions for public share links", "Cannot increase permissions" : "Cannot increase permissions", "Share API is disabled" : "Share API is disabled", + "File sharing" : "File sharing", "This share is password-protected" : "This share is password-protected", "The password is wrong. Try again." : "The password is wrong. Try again.", "Password" : "Password", @@ -107,6 +108,7 @@ "Upload files to %s" : "Upload files to %s", "Select or drop files" : "Select or drop files", "Uploading files…" : "Uploading files…", - "Uploaded files:" : "Uploaded files:" + "Uploaded files:" : "Uploaded files:", + "%s is publicly shared" : "%s is publicly shared" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/es.js b/apps/files_sharing/l10n/es.js index 02475ccd0374d..5464f142c51c0 100644 --- a/apps/files_sharing/l10n/es.js +++ b/apps/files_sharing/l10n/es.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "No se pueden cambiar los permisos para los enlaces de recursos compartidos públicos", "Cannot increase permissions" : "No es posible aumentar permisos", "Share API is disabled" : "El API de compartir está deshabilitado", + "File sharing" : "Compartir archivos", "This share is password-protected" : "Este elemento compartido está protegido por contraseña", "The password is wrong. Try again." : "La contraseña introducida es errónea. Inténtelo de nuevo.", "Password" : "Contraseña", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Subir archivos a %s", "Select or drop files" : "Seleccione o arrastre y suelte archivos", "Uploading files…" : "Subiendo archivos...", - "Uploaded files:" : "Archivos subidos:" + "Uploaded files:" : "Archivos subidos:", + "%s is publicly shared" : "%s está compartido públicamente" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/es.json b/apps/files_sharing/l10n/es.json index 22a8485b00e9d..4b8ede851ea0c 100644 --- a/apps/files_sharing/l10n/es.json +++ b/apps/files_sharing/l10n/es.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "No se pueden cambiar los permisos para los enlaces de recursos compartidos públicos", "Cannot increase permissions" : "No es posible aumentar permisos", "Share API is disabled" : "El API de compartir está deshabilitado", + "File sharing" : "Compartir archivos", "This share is password-protected" : "Este elemento compartido está protegido por contraseña", "The password is wrong. Try again." : "La contraseña introducida es errónea. Inténtelo de nuevo.", "Password" : "Contraseña", @@ -107,6 +108,7 @@ "Upload files to %s" : "Subir archivos a %s", "Select or drop files" : "Seleccione o arrastre y suelte archivos", "Uploading files…" : "Subiendo archivos...", - "Uploaded files:" : "Archivos subidos:" + "Uploaded files:" : "Archivos subidos:", + "%s is publicly shared" : "%s está compartido públicamente" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/fi.js b/apps/files_sharing/l10n/fi.js index a636a19025ca5..1fa452d8a10bd 100644 --- a/apps/files_sharing/l10n/fi.js +++ b/apps/files_sharing/l10n/fi.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Julkisten jakolinkkien käyttöoikeuksia ei voi muuttaa", "Cannot increase permissions" : "Oikeuksien lisääminen ei onnistu", "Share API is disabled" : "Jakamisrajapinta on poistettu käytöstä", + "File sharing" : "Tiedostonjako", "This share is password-protected" : "Tämä jako on suojattu salasanalla", "The password is wrong. Try again." : "Väärä salasana. Yritä uudelleen.", "Password" : "Salasana", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Lähetä tiedostoja käyttäjälle %s", "Select or drop files" : "Valitse tai pudota tiedostoja", "Uploading files…" : "Lähetetään tiedostoja…", - "Uploaded files:" : "Lähetetyt tiedostot:" + "Uploaded files:" : "Lähetetyt tiedostot:", + "%s is publicly shared" : "%s on jaettu julkisesti" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/fi.json b/apps/files_sharing/l10n/fi.json index e0f57251963ad..4c50f9b0b570c 100644 --- a/apps/files_sharing/l10n/fi.json +++ b/apps/files_sharing/l10n/fi.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Julkisten jakolinkkien käyttöoikeuksia ei voi muuttaa", "Cannot increase permissions" : "Oikeuksien lisääminen ei onnistu", "Share API is disabled" : "Jakamisrajapinta on poistettu käytöstä", + "File sharing" : "Tiedostonjako", "This share is password-protected" : "Tämä jako on suojattu salasanalla", "The password is wrong. Try again." : "Väärä salasana. Yritä uudelleen.", "Password" : "Salasana", @@ -107,6 +108,7 @@ "Upload files to %s" : "Lähetä tiedostoja käyttäjälle %s", "Select or drop files" : "Valitse tai pudota tiedostoja", "Uploading files…" : "Lähetetään tiedostoja…", - "Uploaded files:" : "Lähetetyt tiedostot:" + "Uploaded files:" : "Lähetetyt tiedostot:", + "%s is publicly shared" : "%s on jaettu julkisesti" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/fr.js b/apps/files_sharing/l10n/fr.js index 9eaae938c7aad..795c7444d2766 100644 --- a/apps/files_sharing/l10n/fr.js +++ b/apps/files_sharing/l10n/fr.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Impossible de changer les permissions pour les liens de partage public", "Cannot increase permissions" : "Impossible d'augmenter les permissions", "Share API is disabled" : "l'API de partage est désactivée", + "File sharing" : "Partage de fichier", "This share is password-protected" : "Ce partage est protégé par un mot de passe", "The password is wrong. Try again." : "Le mot de passe est incorrect. Veuillez réessayer.", "Password" : "Mot de passe", diff --git a/apps/files_sharing/l10n/fr.json b/apps/files_sharing/l10n/fr.json index b4a3434f0ea7d..9a3ad042b8094 100644 --- a/apps/files_sharing/l10n/fr.json +++ b/apps/files_sharing/l10n/fr.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Impossible de changer les permissions pour les liens de partage public", "Cannot increase permissions" : "Impossible d'augmenter les permissions", "Share API is disabled" : "l'API de partage est désactivée", + "File sharing" : "Partage de fichier", "This share is password-protected" : "Ce partage est protégé par un mot de passe", "The password is wrong. Try again." : "Le mot de passe est incorrect. Veuillez réessayer.", "Password" : "Mot de passe", diff --git a/apps/files_sharing/l10n/it.js b/apps/files_sharing/l10n/it.js index 8285964c9ad40..343d1a6b5d258 100644 --- a/apps/files_sharing/l10n/it.js +++ b/apps/files_sharing/l10n/it.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Impossibile cambiare i permessi per i collegamenti di condivisione pubblici", "Cannot increase permissions" : "Impossibile aumentare i permessi", "Share API is disabled" : "API di condivisione disabilitate", + "File sharing" : "Condivisione di file", "This share is password-protected" : "Questa condivisione è protetta da password", "The password is wrong. Try again." : "La password è errata. Prova ancora.", "Password" : "Password", diff --git a/apps/files_sharing/l10n/it.json b/apps/files_sharing/l10n/it.json index 01725c8b2c350..8fbc36691918f 100644 --- a/apps/files_sharing/l10n/it.json +++ b/apps/files_sharing/l10n/it.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Impossibile cambiare i permessi per i collegamenti di condivisione pubblici", "Cannot increase permissions" : "Impossibile aumentare i permessi", "Share API is disabled" : "API di condivisione disabilitate", + "File sharing" : "Condivisione di file", "This share is password-protected" : "Questa condivisione è protetta da password", "The password is wrong. Try again." : "La password è errata. Prova ancora.", "Password" : "Password", diff --git a/apps/files_sharing/l10n/pt_BR.js b/apps/files_sharing/l10n/pt_BR.js index 098a3ed680417..dd0d22c3a2654 100644 --- a/apps/files_sharing/l10n/pt_BR.js +++ b/apps/files_sharing/l10n/pt_BR.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Não foi possível alterar as permissões para links de compartilhamento público", "Cannot increase permissions" : "Não foi possível aumentar as permissões", "Share API is disabled" : "O compartilhamento de API está desabilitado.", + "File sharing" : "Compartilhamento de arquivos", "This share is password-protected" : "Este compartilhamento é protegido por senha", "The password is wrong. Try again." : "Senha incorreta. Tente novamente.", "Password" : "Senha", diff --git a/apps/files_sharing/l10n/pt_BR.json b/apps/files_sharing/l10n/pt_BR.json index 8ab8a7cd1b211..6829ec95ca636 100644 --- a/apps/files_sharing/l10n/pt_BR.json +++ b/apps/files_sharing/l10n/pt_BR.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Não foi possível alterar as permissões para links de compartilhamento público", "Cannot increase permissions" : "Não foi possível aumentar as permissões", "Share API is disabled" : "O compartilhamento de API está desabilitado.", + "File sharing" : "Compartilhamento de arquivos", "This share is password-protected" : "Este compartilhamento é protegido por senha", "The password is wrong. Try again." : "Senha incorreta. Tente novamente.", "Password" : "Senha", diff --git a/apps/files_sharing/l10n/sr.js b/apps/files_sharing/l10n/sr.js index c456e7b7a7119..1343fa913f642 100644 --- a/apps/files_sharing/l10n/sr.js +++ b/apps/files_sharing/l10n/sr.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Не могу се променити привилегије за јавно доступне везе", "Cannot increase permissions" : "Не могу да повећам привилегије", "Share API is disabled" : "API за дељене је искључен", + "File sharing" : "Дељења фајлова", "This share is password-protected" : "Дељење је заштићено лозинком", "The password is wrong. Try again." : "Лозинка је погрешна. Покушајте поново.", "Password" : "Лозинка", diff --git a/apps/files_sharing/l10n/sr.json b/apps/files_sharing/l10n/sr.json index f2a61d654c85d..e1f1091846a86 100644 --- a/apps/files_sharing/l10n/sr.json +++ b/apps/files_sharing/l10n/sr.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Не могу се променити привилегије за јавно доступне везе", "Cannot increase permissions" : "Не могу да повећам привилегије", "Share API is disabled" : "API за дељене је искључен", + "File sharing" : "Дељења фајлова", "This share is password-protected" : "Дељење је заштићено лозинком", "The password is wrong. Try again." : "Лозинка је погрешна. Покушајте поново.", "Password" : "Лозинка", diff --git a/apps/files_sharing/l10n/tr.js b/apps/files_sharing/l10n/tr.js index 524333922e31f..9a21d387f8a57 100644 --- a/apps/files_sharing/l10n/tr.js +++ b/apps/files_sharing/l10n/tr.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Herkese açık paylaşılan bağlantıların erişim hakları değiştirilemez", "Cannot increase permissions" : "Erişim izinleri yükseltilemez", "Share API is disabled" : "Paylaşım API arayüzü devre dışı", + "File sharing" : "Dosya paylaşımı", "This share is password-protected" : "Bu paylaşım parola korumalı", "The password is wrong. Try again." : "Parola yanlış. Yeniden deneyin.", "Password" : "Parola", diff --git a/apps/files_sharing/l10n/tr.json b/apps/files_sharing/l10n/tr.json index b0754cb52a2bc..4d8778c1d11ba 100644 --- a/apps/files_sharing/l10n/tr.json +++ b/apps/files_sharing/l10n/tr.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Herkese açık paylaşılan bağlantıların erişim hakları değiştirilemez", "Cannot increase permissions" : "Erişim izinleri yükseltilemez", "Share API is disabled" : "Paylaşım API arayüzü devre dışı", + "File sharing" : "Dosya paylaşımı", "This share is password-protected" : "Bu paylaşım parola korumalı", "The password is wrong. Try again." : "Parola yanlış. Yeniden deneyin.", "Password" : "Parola", diff --git a/apps/oauth2/l10n/de.js b/apps/oauth2/l10n/de.js index a3927dbd5170a..f3b969d64a5c1 100644 --- a/apps/oauth2/l10n/de.js +++ b/apps/oauth2/l10n/de.js @@ -1,7 +1,8 @@ OC.L10N.register( "oauth2", { - "OAuth 2.0 clients" : "OAuth-2.0-Clients", + "OAuth 2.0" : "OAuth 2.0", + "OAuth 2.0 clients" : "OAuth 2.0-Clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 erlaubt es externen Diensten nach Zugriff auf %s zu fragen.", "Name" : "Name", "Redirection URI" : "Weiterleitungs-URI", diff --git a/apps/oauth2/l10n/de.json b/apps/oauth2/l10n/de.json index 42c48422d935b..c8c16bfc9b624 100644 --- a/apps/oauth2/l10n/de.json +++ b/apps/oauth2/l10n/de.json @@ -1,5 +1,6 @@ { "translations": { - "OAuth 2.0 clients" : "OAuth-2.0-Clients", + "OAuth 2.0" : "OAuth 2.0", + "OAuth 2.0 clients" : "OAuth 2.0-Clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 erlaubt es externen Diensten nach Zugriff auf %s zu fragen.", "Name" : "Name", "Redirection URI" : "Weiterleitungs-URI", diff --git a/apps/oauth2/l10n/de_DE.js b/apps/oauth2/l10n/de_DE.js index a3927dbd5170a..f3b969d64a5c1 100644 --- a/apps/oauth2/l10n/de_DE.js +++ b/apps/oauth2/l10n/de_DE.js @@ -1,7 +1,8 @@ OC.L10N.register( "oauth2", { - "OAuth 2.0 clients" : "OAuth-2.0-Clients", + "OAuth 2.0" : "OAuth 2.0", + "OAuth 2.0 clients" : "OAuth 2.0-Clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 erlaubt es externen Diensten nach Zugriff auf %s zu fragen.", "Name" : "Name", "Redirection URI" : "Weiterleitungs-URI", diff --git a/apps/oauth2/l10n/de_DE.json b/apps/oauth2/l10n/de_DE.json index 42c48422d935b..c8c16bfc9b624 100644 --- a/apps/oauth2/l10n/de_DE.json +++ b/apps/oauth2/l10n/de_DE.json @@ -1,5 +1,6 @@ { "translations": { - "OAuth 2.0 clients" : "OAuth-2.0-Clients", + "OAuth 2.0" : "OAuth 2.0", + "OAuth 2.0 clients" : "OAuth 2.0-Clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 erlaubt es externen Diensten nach Zugriff auf %s zu fragen.", "Name" : "Name", "Redirection URI" : "Weiterleitungs-URI", diff --git a/apps/oauth2/l10n/en_GB.js b/apps/oauth2/l10n/en_GB.js index 55b0b7534d996..6d89985d8a8f7 100644 --- a/apps/oauth2/l10n/en_GB.js +++ b/apps/oauth2/l10n/en_GB.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 allows external services to request access to %s.", "Name" : "Name", diff --git a/apps/oauth2/l10n/en_GB.json b/apps/oauth2/l10n/en_GB.json index f6fabc7196498..3f19d168e85a8 100644 --- a/apps/oauth2/l10n/en_GB.json +++ b/apps/oauth2/l10n/en_GB.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 allows external services to request access to %s.", "Name" : "Name", diff --git a/apps/oauth2/l10n/es.js b/apps/oauth2/l10n/es.js index cc9762352eb3a..d9e8052265d81 100644 --- a/apps/oauth2/l10n/es.js +++ b/apps/oauth2/l10n/es.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clientes OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAut 2.0 permite a servicios externos solicitar acceso a %s.", "Name" : "Nombre", diff --git a/apps/oauth2/l10n/es.json b/apps/oauth2/l10n/es.json index bc6dacc6c5047..adddffe23cea2 100644 --- a/apps/oauth2/l10n/es.json +++ b/apps/oauth2/l10n/es.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clientes OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAut 2.0 permite a servicios externos solicitar acceso a %s.", "Name" : "Nombre", diff --git a/apps/oauth2/l10n/fi.js b/apps/oauth2/l10n/fi.js index c88e7d95a43c3..072ec9fffb516 100644 --- a/apps/oauth2/l10n/fi.js +++ b/apps/oauth2/l10n/fi.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 -asiakkaat", "Name" : "Nimi", "Redirection URI" : "Uudelleenohjaus URI", diff --git a/apps/oauth2/l10n/fi.json b/apps/oauth2/l10n/fi.json index 2fdbf7298465d..9f4d8511d6171 100644 --- a/apps/oauth2/l10n/fi.json +++ b/apps/oauth2/l10n/fi.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 -asiakkaat", "Name" : "Nimi", "Redirection URI" : "Uudelleenohjaus URI", diff --git a/apps/oauth2/l10n/fr.js b/apps/oauth2/l10n/fr.js index ce5533c073ba9..b62b0dec18216 100644 --- a/apps/oauth2/l10n/fr.js +++ b/apps/oauth2/l10n/fr.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clients OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 permet à des services externes de demander l'accès à %s.", "Name" : "Nom", diff --git a/apps/oauth2/l10n/fr.json b/apps/oauth2/l10n/fr.json index e26315e70aa97..e93e5f26883cd 100644 --- a/apps/oauth2/l10n/fr.json +++ b/apps/oauth2/l10n/fr.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clients OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 permet à des services externes de demander l'accès à %s.", "Name" : "Nom", diff --git a/apps/oauth2/l10n/it.js b/apps/oauth2/l10n/it.js index 90afda1f9cba2..94c33e0eaaa25 100644 --- a/apps/oauth2/l10n/it.js +++ b/apps/oauth2/l10n/it.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Client OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 consente a servizi esterni di richiedere accesso al tuo %s.", "Name" : "Nome", diff --git a/apps/oauth2/l10n/it.json b/apps/oauth2/l10n/it.json index 9f1726e58561e..0fa30df53f43f 100644 --- a/apps/oauth2/l10n/it.json +++ b/apps/oauth2/l10n/it.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Client OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 consente a servizi esterni di richiedere accesso al tuo %s.", "Name" : "Nome", diff --git a/apps/oauth2/l10n/nl.js b/apps/oauth2/l10n/nl.js index cfdb8ece7d8b4..047280bd1cd68 100644 --- a/apps/oauth2/l10n/nl.js +++ b/apps/oauth2/l10n/nl.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 Clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 staat externe services toe om toegang te vragen aan %s", "Name" : "Naam", diff --git a/apps/oauth2/l10n/nl.json b/apps/oauth2/l10n/nl.json index fd2d6fbfa6dcb..d0564c48be624 100644 --- a/apps/oauth2/l10n/nl.json +++ b/apps/oauth2/l10n/nl.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 Clients", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 staat externe services toe om toegang te vragen aan %s", "Name" : "Naam", diff --git a/apps/oauth2/l10n/pt_BR.js b/apps/oauth2/l10n/pt_BR.js index 8a703da5e298f..4cdf0a5f90397 100644 --- a/apps/oauth2/l10n/pt_BR.js +++ b/apps/oauth2/l10n/pt_BR.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clientes OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 permite que serviços externos requisitem acesso a %s.", "Name" : "Nome", diff --git a/apps/oauth2/l10n/pt_BR.json b/apps/oauth2/l10n/pt_BR.json index 16c4871ef0d8c..74f23369db4ab 100644 --- a/apps/oauth2/l10n/pt_BR.json +++ b/apps/oauth2/l10n/pt_BR.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clientes OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 permite que serviços externos requisitem acesso a %s.", "Name" : "Nome", diff --git a/apps/oauth2/l10n/sr.js b/apps/oauth2/l10n/sr.js index 17bf401136de8..0f24d5940dcef 100644 --- a/apps/oauth2/l10n/sr.js +++ b/apps/oauth2/l10n/sr.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 клијенти", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 дозвољава спољним сервисима да захтевају приступ на %s.", "Name" : "Име", diff --git a/apps/oauth2/l10n/sr.json b/apps/oauth2/l10n/sr.json index ce91adc6253a8..4acdc07d5d2f4 100644 --- a/apps/oauth2/l10n/sr.json +++ b/apps/oauth2/l10n/sr.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 клијенти", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 дозвољава спољним сервисима да захтевају приступ на %s.", "Name" : "Име", diff --git a/apps/oauth2/l10n/tr.js b/apps/oauth2/l10n/tr.js index 25bd1645f6119..92b680c60dcf7 100644 --- a/apps/oauth2/l10n/tr.js +++ b/apps/oauth2/l10n/tr.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 istemcileri", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 dış hizmetlerin %s için erişim isteğinde bulunmasını sağlar.", "Name" : "Ad", diff --git a/apps/oauth2/l10n/tr.json b/apps/oauth2/l10n/tr.json index 9b8bafb3c4fd1..b244dc88c08a8 100644 --- a/apps/oauth2/l10n/tr.json +++ b/apps/oauth2/l10n/tr.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 istemcileri", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 dış hizmetlerin %s için erişim isteğinde bulunmasını sağlar.", "Name" : "Ad", diff --git a/apps/sharebymail/l10n/pt_PT.js b/apps/sharebymail/l10n/pt_PT.js new file mode 100644 index 0000000000000..6e8f1dd1972e1 --- /dev/null +++ b/apps/sharebymail/l10n/pt_PT.js @@ -0,0 +1,43 @@ +OC.L10N.register( + "sharebymail", + { + "Shared with %1$s" : "Partilhar com %1$s", + "Shared with {email}" : "Partilhado com {email}", + "Shared with %1$s by %2$s" : "Partilhado com %1$s por %2$s", + "Shared with {email} by {actor}" : "Partilhado com {email} por {actor}", + "Password for mail share sent to %1$s" : "Palavra-chave da partilha por email enviada para %1$s", + "Password for mail share sent to {email}" : "Palavra-chave da partilha por email enviada para {email}", + "Password for mail share sent to you" : "Palavra-chave da partilha por email enviada para si", + "You shared %1$s with %2$s by mail" : "Partilhou %1$s com %2$s por e-mail", + "You shared {file} with {email} by mail" : "Partilhou {file} com {email} por e-mail", + "%3$s shared %1$s with %2$s by mail" : "%3$s partilhou %1$s com %2$s por e-mail", + "{actor} shared {file} with {email} by mail" : "{actor} partilhou {file} com {email} por e-mail", + "Password to access %1$s was sent to %2s" : "Palavra-chave de acesso a %1$s enviada para %2s", + "Password to access {file} was sent to {email}" : "Palavra-chave de acesso a {file} enviada para {email}", + "Password to access %1$s was sent to you" : "Palavra-chave de acesso a %1$s enviada para si", + "Password to access {file} was sent to you" : "Palavra-chave de acesso a {file} enviada para si", + "Sharing %s failed, this item is already shared with %s" : "Partilha de %s falhou, este item já está partilhado com %s", + "We can't send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Não foi possível enviar-lhe a palavra-chave automáticamente gerada. Por favor defina um endereço de email válido nas suas definições pessoais e tente novamente.", + "Failed to send share by email" : "Falhou o envio da partilha por email.", + "%s shared »%s« with you" : "%s partilhou »%s« consigo", + "%s shared »%s« with you." : "%s partilhou »%s« consigo.", + "Click the button below to open it." : "Clicar no botão abaixo para abrir.", + "Open »%s«" : "Abrir »%s«", + "%s via %s" : "%s via %s", + "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s partilhou »%s« consigo.\nJá deverá ter recebido um outro email com uma hiperligação para efectuar o acesso .\n", + "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s partilhou »%s« consigo. Já deverá ter recebido um outro email com uma hiperligação para efectuar o acesso.", + "Password to access »%s« shared to you by %s" : "Palavra-chave para acesso a »%s« partilhada consigo por %s", + "Password to access »%s«" : "Palavra-chave de acesso »%s«", + "It is protected with the following password: %s" : "Está protegido com a seguinte palavra-chave: %s", + "You just shared »%s« with %s. The share was already send to the recipient. Due to the security policies defined by the administrator of %s each share needs to be protected by password and it is not allowed to send the password directly to the recipient. Therefore you need to forward the password manually to the recipient." : "Partilhou »%s« com %s. A partilha já foi enviada ao destinatário. Devido à política de segurança definida pelo administrador de %s cada partilha deverá ser protegida por uma palavra-chave e não é permitido o envio da mesma directamente para o destinatário. Assim, necessita de enviar a palavra-chave manualmente para o respectivo destinatário.", + "Password to access »%s« shared with %s" : "Palavra-chave para aceder a »%s« partilhada com %s", + "This is the password: %s" : "Esta é a palavra-chave: %s", + "You can choose a different password at any time in the share dialog." : "Pode escolher uma palavra-chave diferente a qualquer altura utilizando a caixa de diálogo \"partilha\".", + "Could not find share" : "Não foi possível encontrar a partilha", + "Share by mail" : "Partilhado por e-mail", + "Allows users to share a personalized link to a file or folder by putting in an email address." : "Permitir aos utilizadores a partilha de uma hiperligação personalizada para um ficheiro ou pasta colocando um endereço de email.", + "Send password by mail" : "Enviar palavra-chave por e-mail", + "Enforce password protection" : "Forçar proteção por palavra-passe", + "Failed to send share by E-mail" : "Falhou o envio da partilha por email." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/sharebymail/l10n/pt_PT.json b/apps/sharebymail/l10n/pt_PT.json new file mode 100644 index 0000000000000..19d0fb50ed8ce --- /dev/null +++ b/apps/sharebymail/l10n/pt_PT.json @@ -0,0 +1,41 @@ +{ "translations": { + "Shared with %1$s" : "Partilhar com %1$s", + "Shared with {email}" : "Partilhado com {email}", + "Shared with %1$s by %2$s" : "Partilhado com %1$s por %2$s", + "Shared with {email} by {actor}" : "Partilhado com {email} por {actor}", + "Password for mail share sent to %1$s" : "Palavra-chave da partilha por email enviada para %1$s", + "Password for mail share sent to {email}" : "Palavra-chave da partilha por email enviada para {email}", + "Password for mail share sent to you" : "Palavra-chave da partilha por email enviada para si", + "You shared %1$s with %2$s by mail" : "Partilhou %1$s com %2$s por e-mail", + "You shared {file} with {email} by mail" : "Partilhou {file} com {email} por e-mail", + "%3$s shared %1$s with %2$s by mail" : "%3$s partilhou %1$s com %2$s por e-mail", + "{actor} shared {file} with {email} by mail" : "{actor} partilhou {file} com {email} por e-mail", + "Password to access %1$s was sent to %2s" : "Palavra-chave de acesso a %1$s enviada para %2s", + "Password to access {file} was sent to {email}" : "Palavra-chave de acesso a {file} enviada para {email}", + "Password to access %1$s was sent to you" : "Palavra-chave de acesso a %1$s enviada para si", + "Password to access {file} was sent to you" : "Palavra-chave de acesso a {file} enviada para si", + "Sharing %s failed, this item is already shared with %s" : "Partilha de %s falhou, este item já está partilhado com %s", + "We can't send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Não foi possível enviar-lhe a palavra-chave automáticamente gerada. Por favor defina um endereço de email válido nas suas definições pessoais e tente novamente.", + "Failed to send share by email" : "Falhou o envio da partilha por email.", + "%s shared »%s« with you" : "%s partilhou »%s« consigo", + "%s shared »%s« with you." : "%s partilhou »%s« consigo.", + "Click the button below to open it." : "Clicar no botão abaixo para abrir.", + "Open »%s«" : "Abrir »%s«", + "%s via %s" : "%s via %s", + "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s partilhou »%s« consigo.\nJá deverá ter recebido um outro email com uma hiperligação para efectuar o acesso .\n", + "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s partilhou »%s« consigo. Já deverá ter recebido um outro email com uma hiperligação para efectuar o acesso.", + "Password to access »%s« shared to you by %s" : "Palavra-chave para acesso a »%s« partilhada consigo por %s", + "Password to access »%s«" : "Palavra-chave de acesso »%s«", + "It is protected with the following password: %s" : "Está protegido com a seguinte palavra-chave: %s", + "You just shared »%s« with %s. The share was already send to the recipient. Due to the security policies defined by the administrator of %s each share needs to be protected by password and it is not allowed to send the password directly to the recipient. Therefore you need to forward the password manually to the recipient." : "Partilhou »%s« com %s. A partilha já foi enviada ao destinatário. Devido à política de segurança definida pelo administrador de %s cada partilha deverá ser protegida por uma palavra-chave e não é permitido o envio da mesma directamente para o destinatário. Assim, necessita de enviar a palavra-chave manualmente para o respectivo destinatário.", + "Password to access »%s« shared with %s" : "Palavra-chave para aceder a »%s« partilhada com %s", + "This is the password: %s" : "Esta é a palavra-chave: %s", + "You can choose a different password at any time in the share dialog." : "Pode escolher uma palavra-chave diferente a qualquer altura utilizando a caixa de diálogo \"partilha\".", + "Could not find share" : "Não foi possível encontrar a partilha", + "Share by mail" : "Partilhado por e-mail", + "Allows users to share a personalized link to a file or folder by putting in an email address." : "Permitir aos utilizadores a partilha de uma hiperligação personalizada para um ficheiro ou pasta colocando um endereço de email.", + "Send password by mail" : "Enviar palavra-chave por e-mail", + "Enforce password protection" : "Forçar proteção por palavra-passe", + "Failed to send share by E-mail" : "Falhou o envio da partilha por email." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/ca.js b/apps/twofactor_backupcodes/l10n/ca.js index 6af7f7a83558f..09ad38051b3ab 100644 --- a/apps/twofactor_backupcodes/l10n/ca.js +++ b/apps/twofactor_backupcodes/l10n/ca.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Heu creat codis de còpia de seguretat de dos factors per al vostre compte", "Backup code" : "Codi de copia de seguretat", "Use backup code" : "Utilitza un codi de copia de seguretat", + "Two factor backup codes" : "Codis de seguretat de l'autenticació en dos factors", "Second-factor backup codes" : "Codis secundaris de còpia de seguretat" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/ca.json b/apps/twofactor_backupcodes/l10n/ca.json index d1a5645a2ec9e..9f6b1eac2261c 100644 --- a/apps/twofactor_backupcodes/l10n/ca.json +++ b/apps/twofactor_backupcodes/l10n/ca.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Heu creat codis de còpia de seguretat de dos factors per al vostre compte", "Backup code" : "Codi de copia de seguretat", "Use backup code" : "Utilitza un codi de copia de seguretat", + "Two factor backup codes" : "Codis de seguretat de l'autenticació en dos factors", "Second-factor backup codes" : "Codis secundaris de còpia de seguretat" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/de.js b/apps/twofactor_backupcodes/l10n/de.js index 70d905c8407ac..7e6b06b449478 100644 --- a/apps/twofactor_backupcodes/l10n/de.js +++ b/apps/twofactor_backupcodes/l10n/de.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Du hast Zwei-Faktor Sicherungs-Codes für Dein Konto erstellt", "Backup code" : "Backup-Code", "Use backup code" : "Backup-Code verwenden", + "Two factor backup codes" : "Zweifaktor-Backup-Codes", "Second-factor backup codes" : "Zweitfaktor-Backup-Codes" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/de.json b/apps/twofactor_backupcodes/l10n/de.json index ffc603a5d62a8..444534faf30de 100644 --- a/apps/twofactor_backupcodes/l10n/de.json +++ b/apps/twofactor_backupcodes/l10n/de.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Du hast Zwei-Faktor Sicherungs-Codes für Dein Konto erstellt", "Backup code" : "Backup-Code", "Use backup code" : "Backup-Code verwenden", + "Two factor backup codes" : "Zweifaktor-Backup-Codes", "Second-factor backup codes" : "Zweitfaktor-Backup-Codes" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/de_DE.js b/apps/twofactor_backupcodes/l10n/de_DE.js index f3d804a21abb4..3e76a8d03f198 100644 --- a/apps/twofactor_backupcodes/l10n/de_DE.js +++ b/apps/twofactor_backupcodes/l10n/de_DE.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Sie haben Zwei-Faktor Sicherungs-Codes für Ihr Konto erstellt", "Backup code" : "Backup-Code", "Use backup code" : "Verwende Backup-Code", + "Two factor backup codes" : "Zweifaktor-Backup-Codes", "Second-factor backup codes" : "Zweitfaktor Backup-Codes" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/de_DE.json b/apps/twofactor_backupcodes/l10n/de_DE.json index 33238155ebb9c..4ad7e01cf1a3d 100644 --- a/apps/twofactor_backupcodes/l10n/de_DE.json +++ b/apps/twofactor_backupcodes/l10n/de_DE.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Sie haben Zwei-Faktor Sicherungs-Codes für Ihr Konto erstellt", "Backup code" : "Backup-Code", "Use backup code" : "Verwende Backup-Code", + "Two factor backup codes" : "Zweifaktor-Backup-Codes", "Second-factor backup codes" : "Zweitfaktor Backup-Codes" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/en_GB.js b/apps/twofactor_backupcodes/l10n/en_GB.js index 333735a48cbe6..fc9ec0438078e 100644 --- a/apps/twofactor_backupcodes/l10n/en_GB.js +++ b/apps/twofactor_backupcodes/l10n/en_GB.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "You created two-factor backup codes for your account", "Backup code" : "Backup code", "Use backup code" : "Use backup code", + "Two factor backup codes" : "Two factor backup codes", "Second-factor backup codes" : "Second-factor backup codes" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/en_GB.json b/apps/twofactor_backupcodes/l10n/en_GB.json index b17a168423ec0..21e2d234baa2e 100644 --- a/apps/twofactor_backupcodes/l10n/en_GB.json +++ b/apps/twofactor_backupcodes/l10n/en_GB.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "You created two-factor backup codes for your account", "Backup code" : "Backup code", "Use backup code" : "Use backup code", + "Two factor backup codes" : "Two factor backup codes", "Second-factor backup codes" : "Second-factor backup codes" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/es.js b/apps/twofactor_backupcodes/l10n/es.js index 77f1609fc55bb..ef8ae36371756 100644 --- a/apps/twofactor_backupcodes/l10n/es.js +++ b/apps/twofactor_backupcodes/l10n/es.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Has creado códigos de respaldo de dos pasos para tu cuenta", "Backup code" : "Código de respaldo", "Use backup code" : "Usar código de respaldo", + "Two factor backup codes" : "Códigos de copia de seguridad de dos factores", "Second-factor backup codes" : "Códigos de respaldo de dos-factores" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/es.json b/apps/twofactor_backupcodes/l10n/es.json index e56d3efa07484..9c0345702620b 100644 --- a/apps/twofactor_backupcodes/l10n/es.json +++ b/apps/twofactor_backupcodes/l10n/es.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Has creado códigos de respaldo de dos pasos para tu cuenta", "Backup code" : "Código de respaldo", "Use backup code" : "Usar código de respaldo", + "Two factor backup codes" : "Códigos de copia de seguridad de dos factores", "Second-factor backup codes" : "Códigos de respaldo de dos-factores" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/fr.js b/apps/twofactor_backupcodes/l10n/fr.js index 92aa21797c2cc..275bd61c0da59 100644 --- a/apps/twofactor_backupcodes/l10n/fr.js +++ b/apps/twofactor_backupcodes/l10n/fr.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Vous avez créé des codes de secours à deux facteurs pour votre compte", "Backup code" : "Code de récupération", "Use backup code" : "Utiliser un code de récupération", + "Two factor backup codes" : "Code de secours pour l'authentification double facteur.", "Second-factor backup codes" : "Codes de récupération pour l'authentification en deux étapes" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/twofactor_backupcodes/l10n/fr.json b/apps/twofactor_backupcodes/l10n/fr.json index a6ab3dccc77d2..eed66675b5a60 100644 --- a/apps/twofactor_backupcodes/l10n/fr.json +++ b/apps/twofactor_backupcodes/l10n/fr.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Vous avez créé des codes de secours à deux facteurs pour votre compte", "Backup code" : "Code de récupération", "Use backup code" : "Utiliser un code de récupération", + "Two factor backup codes" : "Code de secours pour l'authentification double facteur.", "Second-factor backup codes" : "Codes de récupération pour l'authentification en deux étapes" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/it.js b/apps/twofactor_backupcodes/l10n/it.js index cd75346fcacdd..7bcd756dea67b 100644 --- a/apps/twofactor_backupcodes/l10n/it.js +++ b/apps/twofactor_backupcodes/l10n/it.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Hai creato codici di backup a due fattori per il tuo account", "Backup code" : "Codice di backup", "Use backup code" : "Usa il codice di backup", + "Two factor backup codes" : "Codici di backup a due fattori", "Second-factor backup codes" : "Codici di backup con secondo fattore" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/it.json b/apps/twofactor_backupcodes/l10n/it.json index 966bd7e8d8223..d05790102e47b 100644 --- a/apps/twofactor_backupcodes/l10n/it.json +++ b/apps/twofactor_backupcodes/l10n/it.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Hai creato codici di backup a due fattori per il tuo account", "Backup code" : "Codice di backup", "Use backup code" : "Usa il codice di backup", + "Two factor backup codes" : "Codici di backup a due fattori", "Second-factor backup codes" : "Codici di backup con secondo fattore" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/pt_BR.js b/apps/twofactor_backupcodes/l10n/pt_BR.js index cfab5318857c4..de2989e9f2ffb 100644 --- a/apps/twofactor_backupcodes/l10n/pt_BR.js +++ b/apps/twofactor_backupcodes/l10n/pt_BR.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Você criou os códigos de backup de dois fatores para sua conta.", "Backup code" : "Código de backup", "Use backup code" : "Usar o código de backup", + "Two factor backup codes" : "Códigos de backup de dois fatores", "Second-factor backup codes" : "Códigos de backup segundo-fator" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/twofactor_backupcodes/l10n/pt_BR.json b/apps/twofactor_backupcodes/l10n/pt_BR.json index daf6d1437979e..dc20b6220437d 100644 --- a/apps/twofactor_backupcodes/l10n/pt_BR.json +++ b/apps/twofactor_backupcodes/l10n/pt_BR.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Você criou os códigos de backup de dois fatores para sua conta.", "Backup code" : "Código de backup", "Use backup code" : "Usar o código de backup", + "Two factor backup codes" : "Códigos de backup de dois fatores", "Second-factor backup codes" : "Códigos de backup segundo-fator" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/sr.js b/apps/twofactor_backupcodes/l10n/sr.js index 41a9ff302c65e..171f20850b846 100644 --- a/apps/twofactor_backupcodes/l10n/sr.js +++ b/apps/twofactor_backupcodes/l10n/sr.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Направили сте двофакторске резервне кодове за Ваш налог", "Backup code" : "Резервни код", "Use backup code" : "Искористи резервни код", + "Two factor backup codes" : "Двофакторски резервни кодови", "Second-factor backup codes" : "Двофакторски резервни кодови" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/twofactor_backupcodes/l10n/sr.json b/apps/twofactor_backupcodes/l10n/sr.json index 8b39a42c23750..dedd7d1b1ae2a 100644 --- a/apps/twofactor_backupcodes/l10n/sr.json +++ b/apps/twofactor_backupcodes/l10n/sr.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Направили сте двофакторске резервне кодове за Ваш налог", "Backup code" : "Резервни код", "Use backup code" : "Искористи резервни код", + "Two factor backup codes" : "Двофакторски резервни кодови", "Second-factor backup codes" : "Двофакторски резервни кодови" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/tr.js b/apps/twofactor_backupcodes/l10n/tr.js index 639fae511e352..af0a3be29569c 100644 --- a/apps/twofactor_backupcodes/l10n/tr.js +++ b/apps/twofactor_backupcodes/l10n/tr.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "İki aşamalı kimlik doğrulama için yedek kodlarınızı oluşturdunuz", "Backup code" : "Yedek kod", "Use backup code" : "Yedek kodu kullan", + "Two factor backup codes" : "İki aşamalı kimlik doğrulama yedek kodları", "Second-factor backup codes" : "İki aşamalı kimlik doğrulama yedek kodları" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/twofactor_backupcodes/l10n/tr.json b/apps/twofactor_backupcodes/l10n/tr.json index 7a78ef1c3a1d5..83017b64cf253 100644 --- a/apps/twofactor_backupcodes/l10n/tr.json +++ b/apps/twofactor_backupcodes/l10n/tr.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "İki aşamalı kimlik doğrulama için yedek kodlarınızı oluşturdunuz", "Backup code" : "Yedek kod", "Use backup code" : "Yedek kodu kullan", + "Two factor backup codes" : "İki aşamalı kimlik doğrulama yedek kodları", "Second-factor backup codes" : "İki aşamalı kimlik doğrulama yedek kodları" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/updatenotification/l10n/ca.js b/apps/updatenotification/l10n/ca.js index 346f606342910..bf5acbda04d49 100644 --- a/apps/updatenotification/l10n/ca.js +++ b/apps/updatenotification/l10n/ca.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Actualització per %1$s està disponible.", "Update for %1$s to version %2$s is available." : "L'actualització per %1$s a la versió %2$s està disponible.", "Update for {app} to version %s is available." : "Actualització per {app} a la versió %s està disponible.", + "Update notification" : "Notificació d'actualització", "A new version is available: %s" : "Una nova versió està disponible: %s", "Open updater" : "Obrir actualitzador", "Download now" : "Descarrega ara", diff --git a/apps/updatenotification/l10n/ca.json b/apps/updatenotification/l10n/ca.json index f0218375eb2f1..1ae358309b016 100644 --- a/apps/updatenotification/l10n/ca.json +++ b/apps/updatenotification/l10n/ca.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Actualització per %1$s està disponible.", "Update for %1$s to version %2$s is available." : "L'actualització per %1$s a la versió %2$s està disponible.", "Update for {app} to version %s is available." : "Actualització per {app} a la versió %s està disponible.", + "Update notification" : "Notificació d'actualització", "A new version is available: %s" : "Una nova versió està disponible: %s", "Open updater" : "Obrir actualitzador", "Download now" : "Descarrega ara", diff --git a/apps/updatenotification/l10n/de.js b/apps/updatenotification/l10n/de.js index a845e13cb8c35..13cfc80a7fca9 100644 --- a/apps/updatenotification/l10n/de.js +++ b/apps/updatenotification/l10n/de.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Aktualisierung auf %1$s ist verfügbar.", "Update for %1$s to version %2$s is available." : "Eine Aktualisierung von %1$s auf Version %2$s ist verfügbar.", "Update for {app} to version %s is available." : "Eine Aktualisierung für {app} auf Version %s ist verfügbar.", + "Update notification" : "Aktualisierungs-Benachrichtigung", "A new version is available: %s" : "Eine neue Version ist verfügbar: %s", "Open updater" : "Updater öffnen", "Download now" : "Jetzt herunterladen", diff --git a/apps/updatenotification/l10n/de.json b/apps/updatenotification/l10n/de.json index d4aee7c82e51d..f045c6e093258 100644 --- a/apps/updatenotification/l10n/de.json +++ b/apps/updatenotification/l10n/de.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Aktualisierung auf %1$s ist verfügbar.", "Update for %1$s to version %2$s is available." : "Eine Aktualisierung von %1$s auf Version %2$s ist verfügbar.", "Update for {app} to version %s is available." : "Eine Aktualisierung für {app} auf Version %s ist verfügbar.", + "Update notification" : "Aktualisierungs-Benachrichtigung", "A new version is available: %s" : "Eine neue Version ist verfügbar: %s", "Open updater" : "Updater öffnen", "Download now" : "Jetzt herunterladen", diff --git a/apps/updatenotification/l10n/de_DE.js b/apps/updatenotification/l10n/de_DE.js index 587879da4319b..380e546450cef 100644 --- a/apps/updatenotification/l10n/de_DE.js +++ b/apps/updatenotification/l10n/de_DE.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Aktualisierung auf %1$s ist verfügbar.", "Update for %1$s to version %2$s is available." : "Eine Aktualisierung von %1$s auf Version %2$s ist verfügbar.", "Update for {app} to version %s is available." : "Eine Aktualisierung für {app} auf Version %s ist verfügbar.", + "Update notification" : "Aktualisierungs-Benachrichtigung", "A new version is available: %s" : "Eine neue Version ist verfügbar: %s", "Open updater" : "Updater öffnen", "Download now" : "Jetzt herunterladen", diff --git a/apps/updatenotification/l10n/de_DE.json b/apps/updatenotification/l10n/de_DE.json index 82d09e4fa9480..f91a8251c4fd6 100644 --- a/apps/updatenotification/l10n/de_DE.json +++ b/apps/updatenotification/l10n/de_DE.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Aktualisierung auf %1$s ist verfügbar.", "Update for %1$s to version %2$s is available." : "Eine Aktualisierung von %1$s auf Version %2$s ist verfügbar.", "Update for {app} to version %s is available." : "Eine Aktualisierung für {app} auf Version %s ist verfügbar.", + "Update notification" : "Aktualisierungs-Benachrichtigung", "A new version is available: %s" : "Eine neue Version ist verfügbar: %s", "Open updater" : "Updater öffnen", "Download now" : "Jetzt herunterladen", diff --git a/apps/updatenotification/l10n/en_GB.js b/apps/updatenotification/l10n/en_GB.js index 54b3768945f11..8dde2c017a99e 100644 --- a/apps/updatenotification/l10n/en_GB.js +++ b/apps/updatenotification/l10n/en_GB.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Update to %1$s is available.", "Update for %1$s to version %2$s is available." : "Update for %1$s to version %2$s is available.", "Update for {app} to version %s is available." : "Update for {app} to version %s is available.", + "Update notification" : "Update notification", "A new version is available: %s" : "A new version is available: %s", "Open updater" : "Open updater", "Download now" : "Download now", diff --git a/apps/updatenotification/l10n/en_GB.json b/apps/updatenotification/l10n/en_GB.json index 132289a1471a9..ed40d35188d2a 100644 --- a/apps/updatenotification/l10n/en_GB.json +++ b/apps/updatenotification/l10n/en_GB.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Update to %1$s is available.", "Update for %1$s to version %2$s is available." : "Update for %1$s to version %2$s is available.", "Update for {app} to version %s is available." : "Update for {app} to version %s is available.", + "Update notification" : "Update notification", "A new version is available: %s" : "A new version is available: %s", "Open updater" : "Open updater", "Download now" : "Download now", diff --git a/apps/updatenotification/l10n/es.js b/apps/updatenotification/l10n/es.js index 9f409b8fe57b5..fa2038ea0b897 100644 --- a/apps/updatenotification/l10n/es.js +++ b/apps/updatenotification/l10n/es.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Actualización a %1$s esta disponible.", "Update for %1$s to version %2$s is available." : "La actualización de %1$s a la versión %2$s está disponible.", "Update for {app} to version %s is available." : "Actualización de {app} a la versión %s disponible.", + "Update notification" : "Notificación de actualización", "A new version is available: %s" : "Hay una nueva versión disponible: %s", "Open updater" : "Abrir el actualizador", "Download now" : "Descargar ahora", diff --git a/apps/updatenotification/l10n/es.json b/apps/updatenotification/l10n/es.json index 41e8d807849bb..6a8f4f87d5b7e 100644 --- a/apps/updatenotification/l10n/es.json +++ b/apps/updatenotification/l10n/es.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Actualización a %1$s esta disponible.", "Update for %1$s to version %2$s is available." : "La actualización de %1$s a la versión %2$s está disponible.", "Update for {app} to version %s is available." : "Actualización de {app} a la versión %s disponible.", + "Update notification" : "Notificación de actualización", "A new version is available: %s" : "Hay una nueva versión disponible: %s", "Open updater" : "Abrir el actualizador", "Download now" : "Descargar ahora", diff --git a/apps/updatenotification/l10n/fi.js b/apps/updatenotification/l10n/fi.js index b0c6c2649c937..898ea2dd04b5a 100644 --- a/apps/updatenotification/l10n/fi.js +++ b/apps/updatenotification/l10n/fi.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Kohteen %1$s päivitys on saatavilla.", "Update for %1$s to version %2$s is available." : "Kohteen %1$s päivitys versioon %2$s on saatavilla.", "Update for {app} to version %s is available." : "Sovelluksen {app} päivitys versioon %s on saatavilla.", + "Update notification" : "Päivitysilmoitus", "A new version is available: %s" : "Uusi versio on saatavilla: %s", "Open updater" : "Avaa päivittäjä", "Download now" : "Lataa heti", diff --git a/apps/updatenotification/l10n/fi.json b/apps/updatenotification/l10n/fi.json index f5da44de182a6..ba795edd34809 100644 --- a/apps/updatenotification/l10n/fi.json +++ b/apps/updatenotification/l10n/fi.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Kohteen %1$s päivitys on saatavilla.", "Update for %1$s to version %2$s is available." : "Kohteen %1$s päivitys versioon %2$s on saatavilla.", "Update for {app} to version %s is available." : "Sovelluksen {app} päivitys versioon %s on saatavilla.", + "Update notification" : "Päivitysilmoitus", "A new version is available: %s" : "Uusi versio on saatavilla: %s", "Open updater" : "Avaa päivittäjä", "Download now" : "Lataa heti", diff --git a/apps/updatenotification/l10n/fr.js b/apps/updatenotification/l10n/fr.js index 32738b7ff2019..f92da8fe5254e 100644 --- a/apps/updatenotification/l10n/fr.js +++ b/apps/updatenotification/l10n/fr.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Une mise à jour vers %1$s est disponible", "Update for %1$s to version %2$s is available." : "Une mise à jour de %1$s vers la version %2$s est disponible.", "Update for {app} to version %s is available." : "Une mise à jour de {app} vers la version %s est disponible.", + "Update notification" : "Notification mise à jour", "A new version is available: %s" : "Une nouvelle version est disponible : %s", "Open updater" : "Ouvrir le système de mise à jour", "Download now" : "Télécharger maintenant", diff --git a/apps/updatenotification/l10n/fr.json b/apps/updatenotification/l10n/fr.json index 09ef72902e1d6..a7a40c8065912 100644 --- a/apps/updatenotification/l10n/fr.json +++ b/apps/updatenotification/l10n/fr.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Une mise à jour vers %1$s est disponible", "Update for %1$s to version %2$s is available." : "Une mise à jour de %1$s vers la version %2$s est disponible.", "Update for {app} to version %s is available." : "Une mise à jour de {app} vers la version %s est disponible.", + "Update notification" : "Notification mise à jour", "A new version is available: %s" : "Une nouvelle version est disponible : %s", "Open updater" : "Ouvrir le système de mise à jour", "Download now" : "Télécharger maintenant", diff --git a/apps/updatenotification/l10n/it.js b/apps/updatenotification/l10n/it.js index 98b40a4db2b74..b1d56b929b320 100644 --- a/apps/updatenotification/l10n/it.js +++ b/apps/updatenotification/l10n/it.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Aggiornamento a %1$s disponibile.", "Update for %1$s to version %2$s is available." : "È disponibile l'aggiornamento di %1$s alla versione %2$s.", "Update for {app} to version %s is available." : "È disponibile l'aggiornamento di {app} alla versione %s.", + "Update notification" : "Notifica di aggiornamento", "A new version is available: %s" : "Una nuova versione è disponibile: %s", "Open updater" : "Apri strumento di aggiornamento", "Download now" : "Scarica ora", diff --git a/apps/updatenotification/l10n/it.json b/apps/updatenotification/l10n/it.json index fd0e40bc624e8..95c26dd09b9d0 100644 --- a/apps/updatenotification/l10n/it.json +++ b/apps/updatenotification/l10n/it.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Aggiornamento a %1$s disponibile.", "Update for %1$s to version %2$s is available." : "È disponibile l'aggiornamento di %1$s alla versione %2$s.", "Update for {app} to version %s is available." : "È disponibile l'aggiornamento di {app} alla versione %s.", + "Update notification" : "Notifica di aggiornamento", "A new version is available: %s" : "Una nuova versione è disponibile: %s", "Open updater" : "Apri strumento di aggiornamento", "Download now" : "Scarica ora", diff --git a/apps/updatenotification/l10n/pt_BR.js b/apps/updatenotification/l10n/pt_BR.js index 29e7706ca74b6..16a463a1a060c 100644 --- a/apps/updatenotification/l10n/pt_BR.js +++ b/apps/updatenotification/l10n/pt_BR.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Atualização para %1$s está disponível.", "Update for %1$s to version %2$s is available." : "Atualização de %1$s para versão %2$s está disponível.", "Update for {app} to version %s is available." : "Atualização para {app} para a versão %s está disponível.", + "Update notification" : "Notificação de atualização", "A new version is available: %s" : "Uma nova versão está disponível: %s", "Open updater" : "Abrir atualizador", "Download now" : "Baixar agora", diff --git a/apps/updatenotification/l10n/pt_BR.json b/apps/updatenotification/l10n/pt_BR.json index a0a73e0a7f658..ee2cfcfd2e34f 100644 --- a/apps/updatenotification/l10n/pt_BR.json +++ b/apps/updatenotification/l10n/pt_BR.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Atualização para %1$s está disponível.", "Update for %1$s to version %2$s is available." : "Atualização de %1$s para versão %2$s está disponível.", "Update for {app} to version %s is available." : "Atualização para {app} para a versão %s está disponível.", + "Update notification" : "Notificação de atualização", "A new version is available: %s" : "Uma nova versão está disponível: %s", "Open updater" : "Abrir atualizador", "Download now" : "Baixar agora", diff --git a/apps/updatenotification/l10n/sr.js b/apps/updatenotification/l10n/sr.js index 55604fd94b9b1..a1caea433dce9 100644 --- a/apps/updatenotification/l10n/sr.js +++ b/apps/updatenotification/l10n/sr.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Доступно је ажурирање на %1$s. ", "Update for %1$s to version %2$s is available." : "Доступно је ажурирање апликације %1$s на верзију %2$s.", "Update for {app} to version %s is available." : "Доступно је ажурирање апликације {app} на верзију %s.", + "Update notification" : "Обавештење о ажурирању", "A new version is available: %s" : "Доступна је нова верзија: %s", "Open updater" : "Отвори програм за ажурирање", "Download now" : "Скини сада", diff --git a/apps/updatenotification/l10n/sr.json b/apps/updatenotification/l10n/sr.json index 68f4ef78df37c..67dc908eca634 100644 --- a/apps/updatenotification/l10n/sr.json +++ b/apps/updatenotification/l10n/sr.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Доступно је ажурирање на %1$s. ", "Update for %1$s to version %2$s is available." : "Доступно је ажурирање апликације %1$s на верзију %2$s.", "Update for {app} to version %s is available." : "Доступно је ажурирање апликације {app} на верзију %s.", + "Update notification" : "Обавештење о ажурирању", "A new version is available: %s" : "Доступна је нова верзија: %s", "Open updater" : "Отвори програм за ажурирање", "Download now" : "Скини сада", diff --git a/apps/updatenotification/l10n/tr.js b/apps/updatenotification/l10n/tr.js index 0cce30659134b..56eee7f2800b4 100644 --- a/apps/updatenotification/l10n/tr.js +++ b/apps/updatenotification/l10n/tr.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "%1$s güncellemesi yayınlanmış.", "Update for %1$s to version %2$s is available." : "%1$s sürümünden %2$s sürümüne güncelleme yayınlanmış.", "Update for {app} to version %s is available." : "{app} uygulaması için %s sürümü güncellemesi yayınlanmış.", + "Update notification" : "Güncelleme bildirimi", "A new version is available: %s" : "Yeni bir sürüm yayınlanmış: %s", "Open updater" : "Güncelleyici aç", "Download now" : "İndir", diff --git a/apps/updatenotification/l10n/tr.json b/apps/updatenotification/l10n/tr.json index ccdde196b3087..cf23dd1018729 100644 --- a/apps/updatenotification/l10n/tr.json +++ b/apps/updatenotification/l10n/tr.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "%1$s güncellemesi yayınlanmış.", "Update for %1$s to version %2$s is available." : "%1$s sürümünden %2$s sürümüne güncelleme yayınlanmış.", "Update for {app} to version %s is available." : "{app} uygulaması için %s sürümü güncellemesi yayınlanmış.", + "Update notification" : "Güncelleme bildirimi", "A new version is available: %s" : "Yeni bir sürüm yayınlanmış: %s", "Open updater" : "Güncelleyici aç", "Download now" : "İndir", diff --git a/apps/workflowengine/l10n/ca.js b/apps/workflowengine/l10n/ca.js index d8232e77682ad..2051fcff3477f 100644 --- a/apps/workflowengine/l10n/ca.js +++ b/apps/workflowengine/l10n/ca.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Comprovació %s no és vàlid", "Check #%s does not exist" : "Comprovació #%s no existeix", "Workflow" : "Flux de treball", + "Files workflow engine" : "Fitxers del motor de flux de treball", "Open documentation" : "Obrir documentació", "Add rule group" : "Afegeix una regla de grup", "Short rule description" : "Descripció breu de regla", diff --git a/apps/workflowengine/l10n/ca.json b/apps/workflowengine/l10n/ca.json index 91ce0880b7f26..66ee033d04ce1 100644 --- a/apps/workflowengine/l10n/ca.json +++ b/apps/workflowengine/l10n/ca.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Comprovació %s no és vàlid", "Check #%s does not exist" : "Comprovació #%s no existeix", "Workflow" : "Flux de treball", + "Files workflow engine" : "Fitxers del motor de flux de treball", "Open documentation" : "Obrir documentació", "Add rule group" : "Afegeix una regla de grup", "Short rule description" : "Descripció breu de regla", diff --git a/apps/workflowengine/l10n/de.js b/apps/workflowengine/l10n/de.js index b65b3ea24921c..001167543c815 100644 --- a/apps/workflowengine/l10n/de.js +++ b/apps/workflowengine/l10n/de.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Die Prüfung %s ist ungültig", "Check #%s does not exist" : "Die Prüfung #%s existiert nicht", "Workflow" : "Workflow", + "Files workflow engine" : "Datei-Workflow-Engine", "Open documentation" : "Dokumentation öffnen", "Add rule group" : "Regelgruppe hinzufügen", "Short rule description" : "Kurze Regelbeschreibung", diff --git a/apps/workflowengine/l10n/de.json b/apps/workflowengine/l10n/de.json index 4132dde912f7b..17f5d2f6e5333 100644 --- a/apps/workflowengine/l10n/de.json +++ b/apps/workflowengine/l10n/de.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Die Prüfung %s ist ungültig", "Check #%s does not exist" : "Die Prüfung #%s existiert nicht", "Workflow" : "Workflow", + "Files workflow engine" : "Datei-Workflow-Engine", "Open documentation" : "Dokumentation öffnen", "Add rule group" : "Regelgruppe hinzufügen", "Short rule description" : "Kurze Regelbeschreibung", diff --git a/apps/workflowengine/l10n/de_DE.js b/apps/workflowengine/l10n/de_DE.js index c2581632afe79..ec2abb9304953 100644 --- a/apps/workflowengine/l10n/de_DE.js +++ b/apps/workflowengine/l10n/de_DE.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Die Prüfung %s ist ungültig", "Check #%s does not exist" : "Die Prüfung #%s existiert nicht", "Workflow" : "Workflow", + "Files workflow engine" : "Datei-Workflow-Engine", "Open documentation" : "Dokumentation öffnen", "Add rule group" : "Regelgruppe hinzufügen", "Short rule description" : "Kurze Regelbeschreibung", diff --git a/apps/workflowengine/l10n/de_DE.json b/apps/workflowengine/l10n/de_DE.json index 5ceb70c97e5b0..a113e8773266a 100644 --- a/apps/workflowengine/l10n/de_DE.json +++ b/apps/workflowengine/l10n/de_DE.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Die Prüfung %s ist ungültig", "Check #%s does not exist" : "Die Prüfung #%s existiert nicht", "Workflow" : "Workflow", + "Files workflow engine" : "Datei-Workflow-Engine", "Open documentation" : "Dokumentation öffnen", "Add rule group" : "Regelgruppe hinzufügen", "Short rule description" : "Kurze Regelbeschreibung", diff --git a/apps/workflowengine/l10n/en_GB.js b/apps/workflowengine/l10n/en_GB.js index 0aded66dac182..2fa01805ea0c4 100644 --- a/apps/workflowengine/l10n/en_GB.js +++ b/apps/workflowengine/l10n/en_GB.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Check %s is invalid", "Check #%s does not exist" : "Check #%s does not exist", "Workflow" : "Workflow", + "Files workflow engine" : "Files workflow engine", "Open documentation" : "Open documentation", "Add rule group" : "Add rule group", "Short rule description" : "Short rule description", diff --git a/apps/workflowengine/l10n/en_GB.json b/apps/workflowengine/l10n/en_GB.json index 3592054f7559d..c0f489d4dc979 100644 --- a/apps/workflowengine/l10n/en_GB.json +++ b/apps/workflowengine/l10n/en_GB.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Check %s is invalid", "Check #%s does not exist" : "Check #%s does not exist", "Workflow" : "Workflow", + "Files workflow engine" : "Files workflow engine", "Open documentation" : "Open documentation", "Add rule group" : "Add rule group", "Short rule description" : "Short rule description", diff --git a/apps/workflowengine/l10n/es.js b/apps/workflowengine/l10n/es.js index 1f1399963def2..c882ece0107a8 100644 --- a/apps/workflowengine/l10n/es.js +++ b/apps/workflowengine/l10n/es.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Chequeo %s no es valido", "Check #%s does not exist" : "El chequeo #%s no existe", "Workflow" : "Flujo de trabajo", + "Files workflow engine" : "Motor de flujo de trabajo de archivos", "Open documentation" : "Documentación abierta", "Add rule group" : "Añadir regla al grupo", "Short rule description" : "Descripción de la regla corta", diff --git a/apps/workflowengine/l10n/es.json b/apps/workflowengine/l10n/es.json index e20adfe22d69d..fd0e54bddaec7 100644 --- a/apps/workflowengine/l10n/es.json +++ b/apps/workflowengine/l10n/es.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Chequeo %s no es valido", "Check #%s does not exist" : "El chequeo #%s no existe", "Workflow" : "Flujo de trabajo", + "Files workflow engine" : "Motor de flujo de trabajo de archivos", "Open documentation" : "Documentación abierta", "Add rule group" : "Añadir regla al grupo", "Short rule description" : "Descripción de la regla corta", diff --git a/apps/workflowengine/l10n/fr.js b/apps/workflowengine/l10n/fr.js index e4f0b34fe58e6..576c1a821aac5 100644 --- a/apps/workflowengine/l10n/fr.js +++ b/apps/workflowengine/l10n/fr.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Vérifiez si %s est invalide", "Check #%s does not exist" : "Vérifiez si #%s n'existe pas", "Workflow" : "Flux d'activités", + "Files workflow engine" : "Moteur de Workflow de fichiers", "Open documentation" : "Voir la documentation", "Add rule group" : "Ajouter une règle de groupe", "Short rule description" : "Trier par description de règle", diff --git a/apps/workflowengine/l10n/fr.json b/apps/workflowengine/l10n/fr.json index ea7be7a7e22dc..5229395b99a54 100644 --- a/apps/workflowengine/l10n/fr.json +++ b/apps/workflowengine/l10n/fr.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Vérifiez si %s est invalide", "Check #%s does not exist" : "Vérifiez si #%s n'existe pas", "Workflow" : "Flux d'activités", + "Files workflow engine" : "Moteur de Workflow de fichiers", "Open documentation" : "Voir la documentation", "Add rule group" : "Ajouter une règle de groupe", "Short rule description" : "Trier par description de règle", diff --git a/apps/workflowengine/l10n/it.js b/apps/workflowengine/l10n/it.js index 2ac19218ccd93..3a7c0c9f85967 100644 --- a/apps/workflowengine/l10n/it.js +++ b/apps/workflowengine/l10n/it.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Il controllo %s non è valido", "Check #%s does not exist" : "Il controllo #%s non esiste", "Workflow" : "Flusso di lavoro", + "Files workflow engine" : "Motore delle procedure dei file", "Open documentation" : "Apri documentazione", "Add rule group" : "Aggiungi gruppo di regole", "Short rule description" : "Descrizione breve della regola", diff --git a/apps/workflowengine/l10n/it.json b/apps/workflowengine/l10n/it.json index c4067987243f5..1f6a04a240c97 100644 --- a/apps/workflowengine/l10n/it.json +++ b/apps/workflowengine/l10n/it.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Il controllo %s non è valido", "Check #%s does not exist" : "Il controllo #%s non esiste", "Workflow" : "Flusso di lavoro", + "Files workflow engine" : "Motore delle procedure dei file", "Open documentation" : "Apri documentazione", "Add rule group" : "Aggiungi gruppo di regole", "Short rule description" : "Descrizione breve della regola", diff --git a/apps/workflowengine/l10n/pt_BR.js b/apps/workflowengine/l10n/pt_BR.js index 01a49470efb3e..d9457eac8eb69 100644 --- a/apps/workflowengine/l10n/pt_BR.js +++ b/apps/workflowengine/l10n/pt_BR.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Verifique se %s é inválido", "Check #%s does not exist" : "Verifique se %s não existe", "Workflow" : "Fluxo de trabalho", + "Files workflow engine" : "Sistema de fluxo de trabalho de arquivos", "Open documentation" : "Abrir documentação", "Add rule group" : "Adicionar regra do grupo", "Short rule description" : "Descrição curta da regra", diff --git a/apps/workflowengine/l10n/pt_BR.json b/apps/workflowengine/l10n/pt_BR.json index 224ea2efb4b23..a5087303cba16 100644 --- a/apps/workflowengine/l10n/pt_BR.json +++ b/apps/workflowengine/l10n/pt_BR.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Verifique se %s é inválido", "Check #%s does not exist" : "Verifique se %s não existe", "Workflow" : "Fluxo de trabalho", + "Files workflow engine" : "Sistema de fluxo de trabalho de arquivos", "Open documentation" : "Abrir documentação", "Add rule group" : "Adicionar regra do grupo", "Short rule description" : "Descrição curta da regra", diff --git a/apps/workflowengine/l10n/sr.js b/apps/workflowengine/l10n/sr.js index 30036dae9f60b..c04e7e917bfa0 100644 --- a/apps/workflowengine/l10n/sr.js +++ b/apps/workflowengine/l10n/sr.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Проверите да ли је %s исправно", "Check #%s does not exist" : "Проверите да ли #%s постоји", "Workflow" : "Процес рада", + "Files workflow engine" : "Датотеке за мотор процеса рада", "Open documentation" : "Отвори документацију", "Add rule group" : "Додај групу правила", "Short rule description" : "Кратки опис правила", diff --git a/apps/workflowengine/l10n/sr.json b/apps/workflowengine/l10n/sr.json index 323c484b3dfc9..99abd98a1a603 100644 --- a/apps/workflowengine/l10n/sr.json +++ b/apps/workflowengine/l10n/sr.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Проверите да ли је %s исправно", "Check #%s does not exist" : "Проверите да ли #%s постоји", "Workflow" : "Процес рада", + "Files workflow engine" : "Датотеке за мотор процеса рада", "Open documentation" : "Отвори документацију", "Add rule group" : "Додај групу правила", "Short rule description" : "Кратки опис правила", diff --git a/apps/workflowengine/l10n/tr.js b/apps/workflowengine/l10n/tr.js index d1f72608d5620..014605ceb48a6 100644 --- a/apps/workflowengine/l10n/tr.js +++ b/apps/workflowengine/l10n/tr.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "%s denetimi geçersiz", "Check #%s does not exist" : "#%s denetimi bulunamadı", "Workflow" : "İş akışı", + "Files workflow engine" : "Dosya iş akışı motoru", "Open documentation" : "Belgeleri aç", "Add rule group" : "Kural grubu ekle", "Short rule description" : "Kısa kural açıklaması", diff --git a/apps/workflowengine/l10n/tr.json b/apps/workflowengine/l10n/tr.json index f9b7ff7a6ba69..3f18ad4b2903b 100644 --- a/apps/workflowengine/l10n/tr.json +++ b/apps/workflowengine/l10n/tr.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "%s denetimi geçersiz", "Check #%s does not exist" : "#%s denetimi bulunamadı", "Workflow" : "İş akışı", + "Files workflow engine" : "Dosya iş akışı motoru", "Open documentation" : "Belgeleri aç", "Add rule group" : "Kural grubu ekle", "Short rule description" : "Kısa kural açıklaması", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index 51cdbae72f659..b532468aa3aab 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Search contacts …", "No contacts found" : "No contacts found", "Show all contacts …" : "Show all contacts …", + "Could not load your contacts" : "Could not load your contacts", "Loading your contacts …" : "Loading your contacts …", "Looking for {term} …" : "Looking for {term} …", "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", @@ -314,6 +315,35 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "This %s instance is currently in maintenance mode, which may take a while.", "This page will refresh itself when the %s instance is available again." : "This page will refresh itself when the %s instance is available again.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contact your system administrator if this message persists or appeared unexpectedly.", - "Thank you for your patience." : "Thank you for your patience." + "Thank you for your patience." : "Thank you for your patience.", + "%s (3rdparty)" : "%s (3rdparty)", + "There was an error loading your contacts" : "There was an error loading your contacts", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Your web server is not yet set up properly to allow file synchronisation because the WebDAV interface seems to be broken.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", + "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", + "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." : "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.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", + "Shared with {recipients}" : "Shared with {recipients}", + "The server encountered an internal error and was unable to complete your request." : "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." : "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report.", + "For information how to properly configure your server, please see the documentation." : "For information how to properly configure your server, please see the documentation.", + "This action requires you to confirm your password:" : "This action requires you to confirm your password:", + "Wrong password. Reset it?" : "Wrong password. Reset it?", + "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account.", + "You are accessing the server from an untrusted domain." : "You are accessing the server from an untrusted domain.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain.", + "For help, see the documentation." : "For help, see the documentation.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index aa7d6d0405447..11993913349e0 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -54,6 +54,7 @@ "Search contacts …" : "Search contacts …", "No contacts found" : "No contacts found", "Show all contacts …" : "Show all contacts …", + "Could not load your contacts" : "Could not load your contacts", "Loading your contacts …" : "Loading your contacts …", "Looking for {term} …" : "Looking for {term} …", "There were problems with the code integrity check. More information…" : "There were problems with the code integrity check. More information…", @@ -312,6 +313,35 @@ "This %s instance is currently in maintenance mode, which may take a while." : "This %s instance is currently in maintenance mode, which may take a while.", "This page will refresh itself when the %s instance is available again." : "This page will refresh itself when the %s instance is available again.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contact your system administrator if this message persists or appeared unexpectedly.", - "Thank you for your patience." : "Thank you for your patience." + "Thank you for your patience." : "Thank you for your patience.", + "%s (3rdparty)" : "%s (3rdparty)", + "There was an error loading your contacts" : "There was an error loading your contacts", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Your web server is not yet set up properly to allow file synchronisation because the WebDAV interface seems to be broken.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation.", + "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 memcached wiki about both modules." : "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 memcached wiki about both modules.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root.", + "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." : "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.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips.", + "Shared with {recipients}" : "Shared with {recipients}", + "The server encountered an internal error and was unable to complete your request." : "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." : "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report.", + "For information how to properly configure your server, please see the documentation." : "For information how to properly configure your server, please see the documentation.", + "This action requires you to confirm your password:" : "This action requires you to confirm your password:", + "Wrong password. Reset it?" : "Wrong password. Reset it?", + "You are about to grant \"%s\" access to your %s account." : "You are about to grant \"%s\" access to your %s account.", + "You are accessing the server from an untrusted domain." : "You are accessing the server from an untrusted domain.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain.", + "For help, see the documentation." : "For help, see the documentation.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/es.js b/core/l10n/es.js index 0604819c487f8..efd6751c0c0a7 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -315,6 +315,35 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Está instancia %s está en modo mantenimiento, por lo que puede llevar un tiempo.", "This page will refresh itself when the %s instance is available again." : "La página se refrescará cuando la instalación %s vuelva a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", - "Thank you for your patience." : "Gracias por su paciencia." + "Thank you for your patience." : "Gracias por su paciencia.", + "%s (3rdparty)" : "%s (de terceras partes)", + "There was an error loading your contacts" : "Ha habido un erro al cargar tus contactos", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web no está bien configurado para permitir la sincronización de archivos oprque el interfaz WebDAV parece estar roto.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está bien configurado para resolver \"{url}\". Se puede encontrar más información en nuestra documentación.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "El servidor no tiene conexión a Internet. No se ha podido alcanzar múltiples puntos. Esto significa que varias de las características como montar almacenamientos externos, notificaciones sobre actualizaciones o instalar apps de terceras partes no funcionará. Puede que no se pueda acceder remotamente a archivos y enviar correos de notificación. Sugerimos activar la conexión a Internet de este servidor si quieres disponer de estas características.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No se ha configurado ningún caché de memoria. Para mejorar el rendimiento, por favor, configura una memcache si está disponible. Se puede encontrar más información en nuestra documentación.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP no puede leer /dev/urandom, lo que no se recomienda por razones de seguridad. Se puede encontrar más información en nuestra documentación.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualmente estás utilizando PHP {version}. Te animamos a actualizar tu versión de PHP para aprovecharte de actualizaciones de rendimiento y seguridad proveídas por el PHP Group tan pronto como tu distribución las soporte.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de encabezados del proxy inverso es incorrecta, o estás accediento a Nextcloud desde un proxy fiable. Si no estás accediendo a Nextclod desde un proxy fiable, esto es un problema de seguridad y puede permitir que un atacante disfrace su IP como visible para Nextcloud. Se puede encontrar más información en nuestra documentación.", + "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 memcached wiki about both modules." : "Memcached está configurada como la caché distribuida, pero está instalado el módulo PHP erróneo \"memcache\". \\OC\\Memcach\\Memcached solo soporta \"memcached\" y no \"memcache\". Consulta la wiki de memcached sobre ambos módulos.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han pasado la comprobación de integridad. Se puede encontrar más información sobre cómo resolver este problema en nuestra documentación. (Lista de archivos inválidos... / Volver a escanear...)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La OPcache de PHP no está bien configurada. Para mejor rendimiento recomendamos usar las siguientes configuraciones en el php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_time_limit\" no está disponible. esto puede resultar en scripts detenidos a media ejecución, rompiendo tu instalación. Recomendamos encarecidamente habilitar esta función.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda encarecidamente que configures tu servidor web de tal forma que tu directorio de datos deje de estar accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", + "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." : "La cabecera HTTP \"{header}\" no está configurada como \"{expected}\". Esto es un riesgo potencial de seguridad o privacidad y recomendamos ajustar esta configuración.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "La cabecera HTTP \"Strict-Transport-Security\" no está configurada en al menos \"{seconds}\" segundos. Para mayor seguridad, recomendamos activar HSTS como se describe en nuestros consejos de seguridad.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo a este stio vía HTTP. Recomendamos encarecidamente que configures tu servidor para que se requiera usar HTTPS, como se describe en nuestros consejos de seguridad.", + "Shared with {recipients}" : "Compartido con {recipients}", + "The server encountered an internal error and was unable to complete your request." : "El servidor encontró un error interno y no ha podido completar tu petición.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor, ponte en contacto con el administrador del servidor si este error reaparece en más ocasiones. Por favor, incluye los detalles técnicos a continuación en tu informe.", + "For information how to properly configure your server, please see the documentation." : "Para información sobre cómo configurar correctamente tu servidor, consulta por favor la documentación.", + "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", + "Wrong password. Reset it?" : "Contraseña errónea. ¿Restablecerla?", + "You are about to grant \"%s\" access to your %s account." : "Vas a conceder acceso a \"%s\" a tu cuenta %s.", + "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no confiado.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacta con tu administrador. Si eres un administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Se ofrece una configuración de ejemplo en config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como administrador puedes tener la posibilidad de usar el botón a continuación para confiar en este dominio.", + "For help, see the documentation." : "Para más ayuda, ver la documentación.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene sooprte de freetype. Esto dará como resultado imágenes de perfil e interfaz de configuración rotas." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/es.json b/core/l10n/es.json index 21e6477cbd5a4..fb9f9746df30c 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -313,6 +313,35 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Está instancia %s está en modo mantenimiento, por lo que puede llevar un tiempo.", "This page will refresh itself when the %s instance is available again." : "La página se refrescará cuando la instalación %s vuelva a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", - "Thank you for your patience." : "Gracias por su paciencia." + "Thank you for your patience." : "Gracias por su paciencia.", + "%s (3rdparty)" : "%s (de terceras partes)", + "There was an error loading your contacts" : "Ha habido un erro al cargar tus contactos", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Tu servidor web no está bien configurado para permitir la sincronización de archivos oprque el interfaz WebDAV parece estar roto.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Tu servidor web no está bien configurado para resolver \"{url}\". Se puede encontrar más información en nuestra documentación.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "El servidor no tiene conexión a Internet. No se ha podido alcanzar múltiples puntos. Esto significa que varias de las características como montar almacenamientos externos, notificaciones sobre actualizaciones o instalar apps de terceras partes no funcionará. Puede que no se pueda acceder remotamente a archivos y enviar correos de notificación. Sugerimos activar la conexión a Internet de este servidor si quieres disponer de estas características.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "No se ha configurado ningún caché de memoria. Para mejorar el rendimiento, por favor, configura una memcache si está disponible. Se puede encontrar más información en nuestra documentación.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP no puede leer /dev/urandom, lo que no se recomienda por razones de seguridad. Se puede encontrar más información en nuestra documentación.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualmente estás utilizando PHP {version}. Te animamos a actualizar tu versión de PHP para aprovecharte de actualizaciones de rendimiento y seguridad proveídas por el PHP Group tan pronto como tu distribución las soporte.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuración de encabezados del proxy inverso es incorrecta, o estás accediento a Nextcloud desde un proxy fiable. Si no estás accediendo a Nextclod desde un proxy fiable, esto es un problema de seguridad y puede permitir que un atacante disfrace su IP como visible para Nextcloud. Se puede encontrar más información en nuestra documentación.", + "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 memcached wiki about both modules." : "Memcached está configurada como la caché distribuida, pero está instalado el módulo PHP erróneo \"memcache\". \\OC\\Memcach\\Memcached solo soporta \"memcached\" y no \"memcache\". Consulta la wiki de memcached sobre ambos módulos.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Algunos archivos no han pasado la comprobación de integridad. Se puede encontrar más información sobre cómo resolver este problema en nuestra documentación. (Lista de archivos inválidos... / Volver a escanear...)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "La OPcache de PHP no está bien configurada. Para mejor rendimiento recomendamos usar las siguientes configuraciones en el php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La función PHP \"set_time_limit\" no está disponible. esto puede resultar en scripts detenidos a media ejecución, rompiendo tu instalación. Recomendamos encarecidamente habilitar esta función.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Tu directorio de datos y tus archivos son accesibles desde Internet. El archivo .htaccess no está funcionando. Se recomienda encarecidamente que configures tu servidor web de tal forma que tu directorio de datos deje de estar accesible o que muevas el directorio de datos fuera de la raíz de documentos del servidor web.", + "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." : "La cabecera HTTP \"{header}\" no está configurada como \"{expected}\". Esto es un riesgo potencial de seguridad o privacidad y recomendamos ajustar esta configuración.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "La cabecera HTTP \"Strict-Transport-Security\" no está configurada en al menos \"{seconds}\" segundos. Para mayor seguridad, recomendamos activar HSTS como se describe en nuestros consejos de seguridad.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Estás accediendo a este stio vía HTTP. Recomendamos encarecidamente que configures tu servidor para que se requiera usar HTTPS, como se describe en nuestros consejos de seguridad.", + "Shared with {recipients}" : "Compartido con {recipients}", + "The server encountered an internal error and was unable to complete your request." : "El servidor encontró un error interno y no ha podido completar tu petición.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor, ponte en contacto con el administrador del servidor si este error reaparece en más ocasiones. Por favor, incluye los detalles técnicos a continuación en tu informe.", + "For information how to properly configure your server, please see the documentation." : "Para información sobre cómo configurar correctamente tu servidor, consulta por favor la documentación.", + "This action requires you to confirm your password:" : "Esta acción requiere que confirmes tu contraseña:", + "Wrong password. Reset it?" : "Contraseña errónea. ¿Restablecerla?", + "You are about to grant \"%s\" access to your %s account." : "Vas a conceder acceso a \"%s\" a tu cuenta %s.", + "You are accessing the server from an untrusted domain." : "Estás accediendo al servidor desde un dominio no confiado.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacta con tu administrador. Si eres un administrador de esta instancia, configura la opción \"trusted_domains\" en config/config.php. Se ofrece una configuración de ejemplo en config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependiendo de tu configuración, como administrador puedes tener la posibilidad de usar el botón a continuación para confiar en este dominio.", + "For help, see the documentation." : "Para más ayuda, ver la documentación.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Tu PHP no tiene sooprte de freetype. Esto dará como resultado imágenes de perfil e interfaz de configuración rotas." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/fi.js b/core/l10n/fi.js index aada088076eb1..119fe5a47b948 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -55,6 +55,7 @@ OC.L10N.register( "Search contacts …" : "Etsi yhteystietoja…", "No contacts found" : "Yhteystietoja ei löytynyt", "Show all contacts …" : "Näytä kaikki yhteystiedot…", + "Could not load your contacts" : "Yhteystietojasi ei voitu ladata", "Loading your contacts …" : "Ladataan yhteystietojasi…", "Looking for {term} …" : "Etsii {term} …", "There were problems with the code integrity check. More information…" : "Eheystarkistus tuotti ongelmia. Lisätietoja…", @@ -261,6 +262,7 @@ OC.L10N.register( "Back to log in" : "Palaa kirjautumiseen", "Alternative Logins" : "Vaihtoehtoiset kirjautumistavat", "Account access" : "Tilin käyttö", + "Grant access" : "Myönnä pääsy", "App token" : "Sovellusvaltuutus", "Alternative login using app token" : "Vaihtoehtoinen kirjautuminen käyttäen sovellusvaltuutusta", "Redirecting …" : "Ohjataan uudelleen…", @@ -287,6 +289,8 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Tämä %s-instanssi on parhaillaan huoltotilassa, huollossa saattaa kestää hetki.", "This page will refresh itself when the %s instance is available again." : "Tämä sivu päivittää itsensä, kun %s on jälleen käytettävissä.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", - "Thank you for your patience." : "Kiitos kärsivällisyydestäsi." + "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", + "There was an error loading your contacts" : "Virhe yhteystietojasi ladattaessa", + "This action requires you to confirm your password:" : "Tämä toiminto vaatii, että vahvistat salasanasi:" }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/fi.json b/core/l10n/fi.json index 3c5f824532bb5..69c849513154f 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -53,6 +53,7 @@ "Search contacts …" : "Etsi yhteystietoja…", "No contacts found" : "Yhteystietoja ei löytynyt", "Show all contacts …" : "Näytä kaikki yhteystiedot…", + "Could not load your contacts" : "Yhteystietojasi ei voitu ladata", "Loading your contacts …" : "Ladataan yhteystietojasi…", "Looking for {term} …" : "Etsii {term} …", "There were problems with the code integrity check. More information…" : "Eheystarkistus tuotti ongelmia. Lisätietoja…", @@ -259,6 +260,7 @@ "Back to log in" : "Palaa kirjautumiseen", "Alternative Logins" : "Vaihtoehtoiset kirjautumistavat", "Account access" : "Tilin käyttö", + "Grant access" : "Myönnä pääsy", "App token" : "Sovellusvaltuutus", "Alternative login using app token" : "Vaihtoehtoinen kirjautuminen käyttäen sovellusvaltuutusta", "Redirecting …" : "Ohjataan uudelleen…", @@ -285,6 +287,8 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Tämä %s-instanssi on parhaillaan huoltotilassa, huollossa saattaa kestää hetki.", "This page will refresh itself when the %s instance is available again." : "Tämä sivu päivittää itsensä, kun %s on jälleen käytettävissä.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", - "Thank you for your patience." : "Kiitos kärsivällisyydestäsi." + "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", + "There was an error loading your contacts" : "Virhe yhteystietojasi ladattaessa", + "This action requires you to confirm your password:" : "Tämä toiminto vaatii, että vahvistat salasanasi:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/fr.js b/core/l10n/fr.js index ab68d8b872434..9e80c515eba4e 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -319,14 +319,18 @@ OC.L10N.register( "%s (3rdparty)" : "%s (origine tierce)", "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Votre serveur web n'est pas correctement configuré pour permettre la synchronisation de fichiers car l'interface WebDAV semble ne pas fonctionner.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Votre serveur web n'est pas configuré correctement pour résoudre \"{url}\". Plus d'informations peuvent être trouvées dans notre documentation.", "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Ce serveur ne peut se connecter à Internet : plusieurs point finaux ne peuvent être atteints. Cela signifie que certaines fonctionnalités, telles que le montage de supports de stockage distants, les notifications de mises à jour ou l'installation d'applications tierces ne fonctionneront pas. L'accès aux fichiers à distance, ainsi que l'envoi de notifications par mail peuvent aussi être indisponibles. Il est recommandé d'activer la connexion internet pour ce serveur si vous souhaitez disposer de l'ensemble des fonctionnalités offertes.", "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Aucun cache mémoire n'est configuré. Si possible, configurez un \"memcache\" pour améliorer les performances. Pour plus d'informations, consultez la documentation.", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom n'est pas lisible par PHP, ce qui est fortement déconseillé pour des raisons de sécurité. Pour plus d'informations, consultez la documentation.", "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Vous utilisez actuellement PHP {version}. Nous vous encourageons à mettre à jour votre version de PHP afin de tirer avantage des améliorations liées à la performance et la sécurité fournies par le PHP Group, dès que votre distribution le supportera.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuration des en-têtes du reverse proxy est incorrecte, ou vous accédez Nextcloud depuis un proxy de confiance. Si vous n'accédez pas à Nextcloud depuis un proxy de confiance, ceci est un problème de sécurité et peut permettre à un attaquant de falsifier son adresse IP comme visible à Nextcloud. Plus d'informations dans notre documentation.", + "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 memcached wiki about both modules." : "Memcached est configuré comme cache distribué, mais le mauvais module PHP est installé. \\OC\\Memcache\\Memcached ne prend en charge que \"memcached\" et non \"memcache\". Consulter le wiki de memcached à propos de ces deux modules.", "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Relancer le scan…)", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", + "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." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\" créant potentiellement un risque relié à la sécurité et à la vie privée. Il est recommandé d'ajuster ce paramètre.", "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "L'en-tête HTTP \"Strict-Transport-Security\" n'est pas configurée à au moins \"{seconds}\" secondes. Pour renforcer la sécurité nous recommandons d'activer HSTS comme décrit dans nos conseils de sécurisation.", "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Vous accédez à ce site via HTTP. Nous vous recommandons fortement de configurer votre serveur pour forcer l'utilisation du HTTPS, comme expliqué dans nos conseils de sécurisation.", "Shared with {recipients}" : "Partagé avec {recipients}", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index ce7aa117583e3..6d48bef7a0840 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -317,14 +317,18 @@ "%s (3rdparty)" : "%s (origine tierce)", "There was an error loading your contacts" : "Il y a eu une erreur lors du chargement de vos contacts", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Votre serveur web n'est pas correctement configuré pour permettre la synchronisation de fichiers car l'interface WebDAV semble ne pas fonctionner.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Votre serveur web n'est pas configuré correctement pour résoudre \"{url}\". Plus d'informations peuvent être trouvées dans notre documentation.", "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Ce serveur ne peut se connecter à Internet : plusieurs point finaux ne peuvent être atteints. Cela signifie que certaines fonctionnalités, telles que le montage de supports de stockage distants, les notifications de mises à jour ou l'installation d'applications tierces ne fonctionneront pas. L'accès aux fichiers à distance, ainsi que l'envoi de notifications par mail peuvent aussi être indisponibles. Il est recommandé d'activer la connexion internet pour ce serveur si vous souhaitez disposer de l'ensemble des fonctionnalités offertes.", "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Aucun cache mémoire n'est configuré. Si possible, configurez un \"memcache\" pour améliorer les performances. Pour plus d'informations, consultez la documentation.", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom n'est pas lisible par PHP, ce qui est fortement déconseillé pour des raisons de sécurité. Pour plus d'informations, consultez la documentation.", "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Vous utilisez actuellement PHP {version}. Nous vous encourageons à mettre à jour votre version de PHP afin de tirer avantage des améliorations liées à la performance et la sécurité fournies par le PHP Group, dès que votre distribution le supportera.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "La configuration des en-têtes du reverse proxy est incorrecte, ou vous accédez Nextcloud depuis un proxy de confiance. Si vous n'accédez pas à Nextcloud depuis un proxy de confiance, ceci est un problème de sécurité et peut permettre à un attaquant de falsifier son adresse IP comme visible à Nextcloud. Plus d'informations dans notre documentation.", + "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 memcached wiki about both modules." : "Memcached est configuré comme cache distribué, mais le mauvais module PHP est installé. \\OC\\Memcache\\Memcached ne prend en charge que \"memcached\" et non \"memcache\". Consulter le wiki de memcached à propos de ces deux modules.", "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Des fichiers n'ont pas passé la vérification d’intégrité. Plus d'information sur comment résoudre ce problème dans notre documentation. (Liste des fichiers invalides… / Relancer le scan…)", "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "Le PHP OPcache n'est pas correctement configuré. Pour de meilleure performance nous recommandons d'utiliser les paramètres suivant dans le php.ini :", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "La fonction PHP \"set_time_limit\" n'est pas disponible. Cela pourrait entraîner l'arrêt des scripts à mi-exécution interrompant votre installation. Nous vous recommandons vivement d'activer cette fonction.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Votre dossier de données et vos fichiers sont probablement accessibles depuis internet. Le fichier .htaccess ne fonctionne pas. Nous vous recommandons vivement de configurer votre serveur web de façon à ce que ce dossier de données ne soit plus accessible, ou de le déplacer hors de la racine du serveur web.", + "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." : "L'en-tête HTTP \"{header}\" n'est pas configurée pour être égale à \"{expected}\" créant potentiellement un risque relié à la sécurité et à la vie privée. Il est recommandé d'ajuster ce paramètre.", "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "L'en-tête HTTP \"Strict-Transport-Security\" n'est pas configurée à au moins \"{seconds}\" secondes. Pour renforcer la sécurité nous recommandons d'activer HSTS comme décrit dans nos conseils de sécurisation.", "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Vous accédez à ce site via HTTP. Nous vous recommandons fortement de configurer votre serveur pour forcer l'utilisation du HTTPS, comme expliqué dans nos conseils de sécurisation.", "Shared with {recipients}" : "Partagé avec {recipients}", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index db164b9112f1a..866661e23dfe4 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -316,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Deze pagina wordt ververst als de %s-installatie weer beschikbaar is.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Neem contact op met je systeembeheerder als deze melding aanhoudt of onverwacht verscheen.", "Thank you for your patience." : "Bedankt voor je geduld.", + "%s (3rdparty)" : "%s (3rdparty)", "There was an error loading your contacts" : "Er is een fout opgetreden tijdens het laden van uw contacten", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Uw webserver is nog niet juist ingesteld voor het synchroniseren van bestanden omdat de WebDAV-interface niet naar behoren werkt.", "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Deze server heeft geen werkende internetverbinding: Meerdere (eind)punten konden niet bereikt worden. Dit betekent dat sommige onderdelen, zoals het koppelen van externe opslag, het ontvangen van notificaties over updates of de installatie van third-party apps, niet zullen werken. Ook het benaderen van bestanden op afstand en het verzenden van notificatie via e-mail werkt mogelijk niet. Als je alle onderdelen wil gebruiken, moet je de internetverbinding van deze server aanzetten.", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index d73b2106fc0c2..42cfbd0112097 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -314,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Deze pagina wordt ververst als de %s-installatie weer beschikbaar is.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Neem contact op met je systeembeheerder als deze melding aanhoudt of onverwacht verscheen.", "Thank you for your patience." : "Bedankt voor je geduld.", + "%s (3rdparty)" : "%s (3rdparty)", "There was an error loading your contacts" : "Er is een fout opgetreden tijdens het laden van uw contacten", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Uw webserver is nog niet juist ingesteld voor het synchroniseren van bestanden omdat de WebDAV-interface niet naar behoren werkt.", "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Deze server heeft geen werkende internetverbinding: Meerdere (eind)punten konden niet bereikt worden. Dit betekent dat sommige onderdelen, zoals het koppelen van externe opslag, het ontvangen van notificaties over updates of de installatie van third-party apps, niet zullen werken. Ook het benaderen van bestanden op afstand en het verzenden van notificatie via e-mail werkt mogelijk niet. Als je alle onderdelen wil gebruiken, moet je de internetverbinding van deze server aanzetten.", diff --git a/lib/l10n/en_GB.js b/lib/l10n/en_GB.js index 02dcabf883290..b28fe47c46b3b 100644 --- a/lib/l10n/en_GB.js +++ b/lib/l10n/en_GB.js @@ -227,6 +227,20 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Storage incomplete configuration. %s", "Storage connection error. %s" : "Storage connection error. %s", "Storage is temporarily not available" : "Storage is temporarily not available", - "Storage connection timeout. %s" : "Storage connection timeout. %s" + "Storage connection timeout. %s" : "Storage connection timeout. %s", + "Personal" : "Personal", + "Admin" : "Admin", + "DB Error: \"%s\"" : "DB Error: \"%s\"", + "Offending command was: \"%s\"" : "Offending command was: \"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "Offending command was: \"%s\", name: %s, password: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Setting permissions for %s failed, because the permissions exceed permissions granted to %s", + "Setting permissions for %s failed, because the item was not found" : "Setting permissions for %s failed, because the item was not found", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Cannot clear expiration date. Shares are required to have an expiration date.", + "Cannot increase permissions of %s" : "Cannot increase permissions of %s", + "Files can't be shared with delete permissions" : "Files can't be shared with delete permissions", + "Files can't be shared with create permissions" : "Files can't be shared with create permissions", + "Cannot set expiration date more than %s days in the future" : "Cannot set expiration date more than %s days in the future", + "No app name specified" : "No app name specified", + "App '%s' could not be installed!" : "App '%s' could not be installed!" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/en_GB.json b/lib/l10n/en_GB.json index 60228f1a7849a..bf8ea58a8f2f5 100644 --- a/lib/l10n/en_GB.json +++ b/lib/l10n/en_GB.json @@ -225,6 +225,20 @@ "Storage incomplete configuration. %s" : "Storage incomplete configuration. %s", "Storage connection error. %s" : "Storage connection error. %s", "Storage is temporarily not available" : "Storage is temporarily not available", - "Storage connection timeout. %s" : "Storage connection timeout. %s" + "Storage connection timeout. %s" : "Storage connection timeout. %s", + "Personal" : "Personal", + "Admin" : "Admin", + "DB Error: \"%s\"" : "DB Error: \"%s\"", + "Offending command was: \"%s\"" : "Offending command was: \"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "Offending command was: \"%s\", name: %s, password: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Setting permissions for %s failed, because the permissions exceed permissions granted to %s", + "Setting permissions for %s failed, because the item was not found" : "Setting permissions for %s failed, because the item was not found", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Cannot clear expiration date. Shares are required to have an expiration date.", + "Cannot increase permissions of %s" : "Cannot increase permissions of %s", + "Files can't be shared with delete permissions" : "Files can't be shared with delete permissions", + "Files can't be shared with create permissions" : "Files can't be shared with create permissions", + "Cannot set expiration date more than %s days in the future" : "Cannot set expiration date more than %s days in the future", + "No app name specified" : "No app name specified", + "App '%s' could not be installed!" : "App '%s' could not be installed!" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/es.js b/lib/l10n/es.js index 69dd8aaebebe7..b411012a6276d 100644 --- a/lib/l10n/es.js +++ b/lib/l10n/es.js @@ -227,6 +227,20 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Configuración de almacenamiento incompleta. %s", "Storage connection error. %s" : "Error de conexión de almacenamiento. %s", "Storage is temporarily not available" : "El almacenamiento no esta disponible temporalmente", - "Storage connection timeout. %s" : "Tiempo de conexión de almacenamiento agotado. %s" + "Storage connection timeout. %s" : "Tiempo de conexión de almacenamiento agotado. %s", + "Personal" : "Personal", + "Admin" : "Administración", + "DB Error: \"%s\"" : "Error de BD: \"%s\"", + "Offending command was: \"%s\"" : "El comando ofensivo fue: \"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "El comando ofensivo fue: \"%s\", nombre: %s, contraseña: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Ha fallado la configuración de permisos para %s porque los permisos exceden los permisos concedidos a %s", + "Setting permissions for %s failed, because the item was not found" : "Ha fallado la configuración de permisos para %s porque no se ha encontrado el objeto", + "Cannot clear expiration date. Shares are required to have an expiration date." : "No se puede eliminar la fecha de expiración. Se requiere que los recursos compartidos tengan una fecha de expiración.", + "Cannot increase permissions of %s" : "No se pueden aumentar los permisos de %s", + "Files can't be shared with delete permissions" : "Los archivos no se pueden compartir con permisos de borrado", + "Files can't be shared with create permissions" : "Los archivos no se pueden compartir con permisos de creación", + "Cannot set expiration date more than %s days in the future" : "No se puede marcar la fecha de expiración a más de %s días en el futuro", + "No app name specified" : "No se ha especificado ningún nombre de app", + "App '%s' could not be installed!" : "¡No se ha podido instalar la app '%s'!" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/es.json b/lib/l10n/es.json index ac2a24ef31708..0607da188b6b5 100644 --- a/lib/l10n/es.json +++ b/lib/l10n/es.json @@ -225,6 +225,20 @@ "Storage incomplete configuration. %s" : "Configuración de almacenamiento incompleta. %s", "Storage connection error. %s" : "Error de conexión de almacenamiento. %s", "Storage is temporarily not available" : "El almacenamiento no esta disponible temporalmente", - "Storage connection timeout. %s" : "Tiempo de conexión de almacenamiento agotado. %s" + "Storage connection timeout. %s" : "Tiempo de conexión de almacenamiento agotado. %s", + "Personal" : "Personal", + "Admin" : "Administración", + "DB Error: \"%s\"" : "Error de BD: \"%s\"", + "Offending command was: \"%s\"" : "El comando ofensivo fue: \"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "El comando ofensivo fue: \"%s\", nombre: %s, contraseña: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Ha fallado la configuración de permisos para %s porque los permisos exceden los permisos concedidos a %s", + "Setting permissions for %s failed, because the item was not found" : "Ha fallado la configuración de permisos para %s porque no se ha encontrado el objeto", + "Cannot clear expiration date. Shares are required to have an expiration date." : "No se puede eliminar la fecha de expiración. Se requiere que los recursos compartidos tengan una fecha de expiración.", + "Cannot increase permissions of %s" : "No se pueden aumentar los permisos de %s", + "Files can't be shared with delete permissions" : "Los archivos no se pueden compartir con permisos de borrado", + "Files can't be shared with create permissions" : "Los archivos no se pueden compartir con permisos de creación", + "Cannot set expiration date more than %s days in the future" : "No se puede marcar la fecha de expiración a más de %s días en el futuro", + "No app name specified" : "No se ha especificado ningún nombre de app", + "App '%s' could not be installed!" : "¡No se ha podido instalar la app '%s'!" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/fi.js b/lib/l10n/fi.js index 72810d345f188..118d0e02f2846 100644 --- a/lib/l10n/fi.js +++ b/lib/l10n/fi.js @@ -26,14 +26,23 @@ OC.L10N.register( "Invalid image" : "Virheellinen kuva", "Avatar image is not square" : "Avatar-kuva ei ole neliö", "today" : "tänään", + "tomorrow" : "huomenna", "yesterday" : "eilen", + "_in %n day_::_in %n days_" : ["%n päivän päästä","%n päivän päästä"], "_%n day ago_::_%n days ago_" : ["%n päivä sitten","%n päivää sitten"], + "next month" : "ensi kuussa", "last month" : "viime kuussa", + "_in %n month_::_in %n months_" : ["%n kuukauden päästä","%n kuukauden päästä"], "_%n month ago_::_%n months ago_" : ["%n kuukausi sitten","%n kuukautta sitten"], + "next year" : "ensi vuonna", "last year" : "viime vuonna", + "_in %n year_::_in %n years_" : ["%n vuoden päästä","%n vuoden päästä"], "_%n year ago_::_%n years ago_" : ["%n vuosi sitten","%n vuotta sitten"], + "_in %n hour_::_in %n hours_" : ["%n tunnin päästä","%n tunnin päästä"], "_%n hour ago_::_%n hours ago_" : ["%n tunti sitten","%n tuntia sitten"], + "_in %n minute_::_in %n minutes_" : ["%n minuutin päästä","%n minuutin päästä"], "_%n minute ago_::_%n minutes ago_" : ["%n minuutti sitten","%n minuuttia sitten"], + "in a few seconds" : "muutaman sekunnin päästä", "seconds ago" : "sekunteja sitten", "File name is a reserved word" : "Tiedoston nimi on varattu sana", "File name contains at least one invalid character" : "Tiedoston nimi sisältää ainakin yhden virheellisen merkin", @@ -194,6 +203,8 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Tallennustilan puutteellinen määritys. %s", "Storage connection error. %s" : "Tallennustilan yhteysvirhe. %s", "Storage is temporarily not available" : "Tallennustila on tilapäisesti pois käytöstä", - "Storage connection timeout. %s" : "Tallennustilan yhteyden aikakatkaisu. %s" + "Storage connection timeout. %s" : "Tallennustilan yhteyden aikakatkaisu. %s", + "DB Error: \"%s\"" : "Tietokantavirhe: \"%s\"", + "App '%s' could not be installed!" : "Sovellusta '%s' ei voitu asentaa!" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/fi.json b/lib/l10n/fi.json index e79bbdf77daa1..716eefdd5c902 100644 --- a/lib/l10n/fi.json +++ b/lib/l10n/fi.json @@ -24,14 +24,23 @@ "Invalid image" : "Virheellinen kuva", "Avatar image is not square" : "Avatar-kuva ei ole neliö", "today" : "tänään", + "tomorrow" : "huomenna", "yesterday" : "eilen", + "_in %n day_::_in %n days_" : ["%n päivän päästä","%n päivän päästä"], "_%n day ago_::_%n days ago_" : ["%n päivä sitten","%n päivää sitten"], + "next month" : "ensi kuussa", "last month" : "viime kuussa", + "_in %n month_::_in %n months_" : ["%n kuukauden päästä","%n kuukauden päästä"], "_%n month ago_::_%n months ago_" : ["%n kuukausi sitten","%n kuukautta sitten"], + "next year" : "ensi vuonna", "last year" : "viime vuonna", + "_in %n year_::_in %n years_" : ["%n vuoden päästä","%n vuoden päästä"], "_%n year ago_::_%n years ago_" : ["%n vuosi sitten","%n vuotta sitten"], + "_in %n hour_::_in %n hours_" : ["%n tunnin päästä","%n tunnin päästä"], "_%n hour ago_::_%n hours ago_" : ["%n tunti sitten","%n tuntia sitten"], + "_in %n minute_::_in %n minutes_" : ["%n minuutin päästä","%n minuutin päästä"], "_%n minute ago_::_%n minutes ago_" : ["%n minuutti sitten","%n minuuttia sitten"], + "in a few seconds" : "muutaman sekunnin päästä", "seconds ago" : "sekunteja sitten", "File name is a reserved word" : "Tiedoston nimi on varattu sana", "File name contains at least one invalid character" : "Tiedoston nimi sisältää ainakin yhden virheellisen merkin", @@ -192,6 +201,8 @@ "Storage incomplete configuration. %s" : "Tallennustilan puutteellinen määritys. %s", "Storage connection error. %s" : "Tallennustilan yhteysvirhe. %s", "Storage is temporarily not available" : "Tallennustila on tilapäisesti pois käytöstä", - "Storage connection timeout. %s" : "Tallennustilan yhteyden aikakatkaisu. %s" + "Storage connection timeout. %s" : "Tallennustilan yhteyden aikakatkaisu. %s", + "DB Error: \"%s\"" : "Tietokantavirhe: \"%s\"", + "App '%s' could not be installed!" : "Sovellusta '%s' ei voitu asentaa!" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/nl.js b/lib/l10n/nl.js index 41f9a528b5f0b..393927174da10 100644 --- a/lib/l10n/nl.js +++ b/lib/l10n/nl.js @@ -227,6 +227,9 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Incomplete opslag configuratie. %s", "Storage connection error. %s" : "Opslag verbindingsfout. %s", "Storage is temporarily not available" : "Opslag is tijdelijk niet beschikbaar", - "Storage connection timeout. %s" : "Opslag verbinding time-out. %s" + "Storage connection timeout. %s" : "Opslag verbinding time-out. %s", + "Personal" : "Persoonlijk", + "Admin" : "Beheerder", + "DB Error: \"%s\"" : "DB Fout: \"%s\"" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/nl.json b/lib/l10n/nl.json index d33e10b0c7a7c..c3c8f6cf072e8 100644 --- a/lib/l10n/nl.json +++ b/lib/l10n/nl.json @@ -225,6 +225,9 @@ "Storage incomplete configuration. %s" : "Incomplete opslag configuratie. %s", "Storage connection error. %s" : "Opslag verbindingsfout. %s", "Storage is temporarily not available" : "Opslag is tijdelijk niet beschikbaar", - "Storage connection timeout. %s" : "Opslag verbinding time-out. %s" + "Storage connection timeout. %s" : "Opslag verbinding time-out. %s", + "Personal" : "Persoonlijk", + "Admin" : "Beheerder", + "DB Error: \"%s\"" : "DB Fout: \"%s\"" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/af.js b/settings/l10n/af.js new file mode 100644 index 0000000000000..8bfa7bc360d1d --- /dev/null +++ b/settings/l10n/af.js @@ -0,0 +1,85 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} het u wagwoord verander", + "You changed your password" : "U het u wagwoord verander", + "Your password was reset by an administrator" : "U wagwoord is deur ’n administrateur herstel", + "{actor} changed your email address" : "{actor} het u e-posadres verander", + "You changed your email address" : "U het u e-posadres verander", + "Your email address was changed by an administrator" : "U e-posadres is deur ’n administrateur verander", + "Security" : "Sekuriteit", + "Your password or email was modified" : "U wagwoord of e-pos is gewysig", + "Your apps" : "U toeps", + "Enabled apps" : "Geaktiveerde toeps", + "Disabled apps" : "Gedeaktiveerde toeps", + "App bundles" : "Toepbundels", + "Wrong password" : "Verkeerde wagwoord", + "Saved" : "Bewaar", + "Group already exists." : "Groep bestaan reeds.", + "Well done, %s!" : "Welgedaan %s!", + "by %s" : "deur %s", + "%s-licensed" : "%s-gelisensieer", + "Documentation:" : "Dokumentasie:", + "User documentation" : "Gebruikerdokumentasie", + "Admin documentation" : "Admindokumentasie", + "Visit website" : "Besoek webwerf", + "Common Name" : "Algemene Naam", + "Valid until" : "Geldig tot", + "Issued By" : "Uitgereik deur", + "Valid until %s" : "Geldig tot %s", + "Administrator documentation" : "Administrateurdokumentasie", + "Online documentation" : "Aanlyndokumentasie", + "Forum" : "Forum", + "days" : "dae", + "Tips & tricks" : "Wenke & truuks", + "You are using %s of %s" : "U gebruik %s van %s", + "You are using %s of %s (%s %%)" : "U gebruik %s van %s (%s %%)", + "Profile picture" : "Profielprent", + "Upload new" : "Laai nuwe op", + "Select from Files" : "Kies uit Lêers", + "Remove image" : "Verwyder beeld", + "png or jpg, max. 20 MB" : "png of jpg, maks. 20 MB", + "Cancel" : "Kanselleer", + "Choose as profile picture" : "Kies as profielprent", + "Full name" : "Volle naam", + "Email" : "E-pos", + "Your email address" : "U e-posadres", + "No email address set" : "Geen e-posadres ingestel", + "For password reset and notifications" : "Vir wagwoordherstel en kennisgewings", + "Phone number" : "Foonnommer", + "Your phone number" : "U foonnommer", + "Address" : "Adres", + "Your postal address" : "U posadres", + "Website" : "Webwerf", + "Link https://…" : "Skakel https://…", + "Twitter" : "Twitter", + "Twitter handle @…" : "Twitter-handvatsel @…", + "You are member of the following groups:" : "U is ’n lid van die volgende groepe:", + "Language" : "Taal", + "Help translate" : "Help met vertaling", + "Password" : "Wagwoord", + "Current password" : "Huidige wagwoord", + "New password" : "Nuwe wagwoord", + "Change password" : "Verander wagwoord", + "Device" : "Toestel", + "App name" : "Toepnaam", + "Create new app password" : "Skep nuwe toepwagwoord", + "Username" : "Gebruikersnaam", + "Settings" : "Instellings", + "Show email address" : "Toon e-posadres", + "Send email to new user" : "Stuur e-pos aan nuwe gebruiker", + "E-Mail" : "E-pos", + "Create" : "Skep", + "Everyone" : "Almal", + "Default quota" : "Verstekkwota", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Voer asb. ’n verstekkwota in (bv.: “512 MB” of “12 GB”)", + "Other" : "Ander", + "Group admin for" : "Groepadmin vir", + "Quota" : "Kwota", + "Last login" : "Laaste aantekening", + "change full name" : "verander volle naam", + "set new password" : "stel nuwe wagwoord", + "change email address" : "verander e-posadres", + "Default" : "Verstek" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/af.json b/settings/l10n/af.json new file mode 100644 index 0000000000000..937214ec08061 --- /dev/null +++ b/settings/l10n/af.json @@ -0,0 +1,83 @@ +{ "translations": { + "{actor} changed your password" : "{actor} het u wagwoord verander", + "You changed your password" : "U het u wagwoord verander", + "Your password was reset by an administrator" : "U wagwoord is deur ’n administrateur herstel", + "{actor} changed your email address" : "{actor} het u e-posadres verander", + "You changed your email address" : "U het u e-posadres verander", + "Your email address was changed by an administrator" : "U e-posadres is deur ’n administrateur verander", + "Security" : "Sekuriteit", + "Your password or email was modified" : "U wagwoord of e-pos is gewysig", + "Your apps" : "U toeps", + "Enabled apps" : "Geaktiveerde toeps", + "Disabled apps" : "Gedeaktiveerde toeps", + "App bundles" : "Toepbundels", + "Wrong password" : "Verkeerde wagwoord", + "Saved" : "Bewaar", + "Group already exists." : "Groep bestaan reeds.", + "Well done, %s!" : "Welgedaan %s!", + "by %s" : "deur %s", + "%s-licensed" : "%s-gelisensieer", + "Documentation:" : "Dokumentasie:", + "User documentation" : "Gebruikerdokumentasie", + "Admin documentation" : "Admindokumentasie", + "Visit website" : "Besoek webwerf", + "Common Name" : "Algemene Naam", + "Valid until" : "Geldig tot", + "Issued By" : "Uitgereik deur", + "Valid until %s" : "Geldig tot %s", + "Administrator documentation" : "Administrateurdokumentasie", + "Online documentation" : "Aanlyndokumentasie", + "Forum" : "Forum", + "days" : "dae", + "Tips & tricks" : "Wenke & truuks", + "You are using %s of %s" : "U gebruik %s van %s", + "You are using %s of %s (%s %%)" : "U gebruik %s van %s (%s %%)", + "Profile picture" : "Profielprent", + "Upload new" : "Laai nuwe op", + "Select from Files" : "Kies uit Lêers", + "Remove image" : "Verwyder beeld", + "png or jpg, max. 20 MB" : "png of jpg, maks. 20 MB", + "Cancel" : "Kanselleer", + "Choose as profile picture" : "Kies as profielprent", + "Full name" : "Volle naam", + "Email" : "E-pos", + "Your email address" : "U e-posadres", + "No email address set" : "Geen e-posadres ingestel", + "For password reset and notifications" : "Vir wagwoordherstel en kennisgewings", + "Phone number" : "Foonnommer", + "Your phone number" : "U foonnommer", + "Address" : "Adres", + "Your postal address" : "U posadres", + "Website" : "Webwerf", + "Link https://…" : "Skakel https://…", + "Twitter" : "Twitter", + "Twitter handle @…" : "Twitter-handvatsel @…", + "You are member of the following groups:" : "U is ’n lid van die volgende groepe:", + "Language" : "Taal", + "Help translate" : "Help met vertaling", + "Password" : "Wagwoord", + "Current password" : "Huidige wagwoord", + "New password" : "Nuwe wagwoord", + "Change password" : "Verander wagwoord", + "Device" : "Toestel", + "App name" : "Toepnaam", + "Create new app password" : "Skep nuwe toepwagwoord", + "Username" : "Gebruikersnaam", + "Settings" : "Instellings", + "Show email address" : "Toon e-posadres", + "Send email to new user" : "Stuur e-pos aan nuwe gebruiker", + "E-Mail" : "E-pos", + "Create" : "Skep", + "Everyone" : "Almal", + "Default quota" : "Verstekkwota", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Voer asb. ’n verstekkwota in (bv.: “512 MB” of “12 GB”)", + "Other" : "Ander", + "Group admin for" : "Groepadmin vir", + "Quota" : "Kwota", + "Last login" : "Laaste aantekening", + "change full name" : "verander volle naam", + "set new password" : "stel nuwe wagwoord", + "change email address" : "verander e-posadres", + "Default" : "Verstek" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/ar.js b/settings/l10n/ar.js new file mode 100644 index 0000000000000..9534130ed6a21 --- /dev/null +++ b/settings/l10n/ar.js @@ -0,0 +1,84 @@ +OC.L10N.register( + "settings", + { + "Your apps" : "تطبيقاتك", + "Updates" : "التحديثات", + "Wrong password" : "كلمة مرور خاطئة", + "Saved" : "حفظ", + "No user supplied" : "لم يتم توفير مستخدم ", + "Unable to change password" : "لا يمكن تغيير كلمة المرور", + "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", + "Wrong admin recovery password. Please check the password and try again." : "خطا في كلمة مرور المسؤول المستردة, يرجى التاكد من كلمة المرور والمحاولة مرة اخرى.", + "Unable to change full name" : "لم يتم التمكن من تغيير اسمك الكامل", + "Your full name has been changed." : "اسمك الكامل تم تغييره.", + "Email saved" : "تم حفظ البريد الإلكتروني", + "Couldn't update app." : "تعذر تحديث التطبيق.", + "Add trusted domain" : "أضافة نطاق موثوق فيه", + "Email sent" : "تم ارسال البريد الالكتروني", + "All" : "الكل", + "Error while disabling app" : "خطا عند تعطيل البرنامج", + "Disable" : "إيقاف", + "Enable" : "تفعيل", + "Error while enabling app" : "خطا عند تفعيل البرنامج ", + "Updated" : "تم التحديث بنجاح", + "Copy" : "نسخ", + "Delete" : "إلغاء", + "Select a profile picture" : "اختر صورة الملف الشخصي ", + "Very weak password" : "كلمة السر ضعيفة جدا", + "Weak password" : "كلمة السر ضعيفة", + "Good password" : "كلمة السر جيدة", + "Strong password" : "كلمة السر قوية", + "Groups" : "مجموعات", + "undo" : "تراجع", + "never" : "بتاتا", + "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", + "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "Documentation:" : "التوثيق", + "Valid until" : "صالح حتى", + "Forum" : "منتدى", + "None" : "لا شيء", + "Login" : "تسجيل الدخول", + "Send mode" : "وضعية الإرسال", + "Encryption" : "التشفير", + "Authentication method" : "أسلوب التطابق", + "Server address" : "عنوان الخادم", + "Port" : "المنفذ", + "Test email settings" : "فحص إعدادات البريد الإلكتروني", + "System locale can not be set to a one which supports UTF-8." : "لا يمكن تعيين لغة النظام الى احد اللغات التي تدعم UTF-8.", + "Execute one task with each page loaded" : "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها", + "Version" : "إصدار", + "Sharing" : "مشاركة", + "Allow apps to use the Share API" : "السماح للتطبيقات بالمشاركة عن طريق الAPI", + "Allow users to share via link" : "السماح للمستخدم بمشاركة الملف عن طريق رابط", + "Allow public uploads" : "السماح بالرفع للعامة ", + "Expire after " : "ينتهي بعد", + "days" : "أيام", + "Allow resharing" : "السماح بإعادة المشاركة ", + "Profile picture" : "صورة الملف الشخصي", + "Upload new" : "رفع الان", + "Remove image" : "إزالة الصورة", + "Cancel" : "الغاء", + "Email" : "البريد الإلكترونى", + "Your email address" : "عنوانك البريدي", + "Language" : "اللغة", + "Help translate" : "ساعد في الترجمه", + "Password" : "كلمة المرور", + "Current password" : "كلمات السر الحالية", + "New password" : "كلمات سر جديدة", + "Change password" : "عدل كلمة السر", + "Username" : "إسم المستخدم", + "Settings" : "الإعدادات", + "E-Mail" : "بريد إلكتروني", + "Create" : "انشئ", + "Admin Recovery Password" : "استعادة كلمة المرور للمسؤول", + "Enter the recovery password in order to recover the users files during password change" : "ادخل كلمة المرور المستعادة من اجل استرداد ملفات المستخدمين اثناء تغيير كلمة المرور", + "Everyone" : "الجميع", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "يرجى ادخال تخزين quota (مثل:\"512 MB\" او \"12 GB\")", + "Unlimited" : "غير محدود", + "Other" : "شيء آخر", + "Quota" : "حصه", + "change full name" : "تغيير اسمك الكامل", + "set new password" : "اعداد كلمة مرور جديدة", + "Default" : "افتراضي" +}, +"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/settings/l10n/ar.json b/settings/l10n/ar.json new file mode 100644 index 0000000000000..c0bac3abd4927 --- /dev/null +++ b/settings/l10n/ar.json @@ -0,0 +1,82 @@ +{ "translations": { + "Your apps" : "تطبيقاتك", + "Updates" : "التحديثات", + "Wrong password" : "كلمة مرور خاطئة", + "Saved" : "حفظ", + "No user supplied" : "لم يتم توفير مستخدم ", + "Unable to change password" : "لا يمكن تغيير كلمة المرور", + "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", + "Wrong admin recovery password. Please check the password and try again." : "خطا في كلمة مرور المسؤول المستردة, يرجى التاكد من كلمة المرور والمحاولة مرة اخرى.", + "Unable to change full name" : "لم يتم التمكن من تغيير اسمك الكامل", + "Your full name has been changed." : "اسمك الكامل تم تغييره.", + "Email saved" : "تم حفظ البريد الإلكتروني", + "Couldn't update app." : "تعذر تحديث التطبيق.", + "Add trusted domain" : "أضافة نطاق موثوق فيه", + "Email sent" : "تم ارسال البريد الالكتروني", + "All" : "الكل", + "Error while disabling app" : "خطا عند تعطيل البرنامج", + "Disable" : "إيقاف", + "Enable" : "تفعيل", + "Error while enabling app" : "خطا عند تفعيل البرنامج ", + "Updated" : "تم التحديث بنجاح", + "Copy" : "نسخ", + "Delete" : "إلغاء", + "Select a profile picture" : "اختر صورة الملف الشخصي ", + "Very weak password" : "كلمة السر ضعيفة جدا", + "Weak password" : "كلمة السر ضعيفة", + "Good password" : "كلمة السر جيدة", + "Strong password" : "كلمة السر قوية", + "Groups" : "مجموعات", + "undo" : "تراجع", + "never" : "بتاتا", + "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", + "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "Documentation:" : "التوثيق", + "Valid until" : "صالح حتى", + "Forum" : "منتدى", + "None" : "لا شيء", + "Login" : "تسجيل الدخول", + "Send mode" : "وضعية الإرسال", + "Encryption" : "التشفير", + "Authentication method" : "أسلوب التطابق", + "Server address" : "عنوان الخادم", + "Port" : "المنفذ", + "Test email settings" : "فحص إعدادات البريد الإلكتروني", + "System locale can not be set to a one which supports UTF-8." : "لا يمكن تعيين لغة النظام الى احد اللغات التي تدعم UTF-8.", + "Execute one task with each page loaded" : "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها", + "Version" : "إصدار", + "Sharing" : "مشاركة", + "Allow apps to use the Share API" : "السماح للتطبيقات بالمشاركة عن طريق الAPI", + "Allow users to share via link" : "السماح للمستخدم بمشاركة الملف عن طريق رابط", + "Allow public uploads" : "السماح بالرفع للعامة ", + "Expire after " : "ينتهي بعد", + "days" : "أيام", + "Allow resharing" : "السماح بإعادة المشاركة ", + "Profile picture" : "صورة الملف الشخصي", + "Upload new" : "رفع الان", + "Remove image" : "إزالة الصورة", + "Cancel" : "الغاء", + "Email" : "البريد الإلكترونى", + "Your email address" : "عنوانك البريدي", + "Language" : "اللغة", + "Help translate" : "ساعد في الترجمه", + "Password" : "كلمة المرور", + "Current password" : "كلمات السر الحالية", + "New password" : "كلمات سر جديدة", + "Change password" : "عدل كلمة السر", + "Username" : "إسم المستخدم", + "Settings" : "الإعدادات", + "E-Mail" : "بريد إلكتروني", + "Create" : "انشئ", + "Admin Recovery Password" : "استعادة كلمة المرور للمسؤول", + "Enter the recovery password in order to recover the users files during password change" : "ادخل كلمة المرور المستعادة من اجل استرداد ملفات المستخدمين اثناء تغيير كلمة المرور", + "Everyone" : "الجميع", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "يرجى ادخال تخزين quota (مثل:\"512 MB\" او \"12 GB\")", + "Unlimited" : "غير محدود", + "Other" : "شيء آخر", + "Quota" : "حصه", + "change full name" : "تغيير اسمك الكامل", + "set new password" : "اعداد كلمة مرور جديدة", + "Default" : "افتراضي" +},"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" +} \ No newline at end of file diff --git a/settings/l10n/az.js b/settings/l10n/az.js new file mode 100644 index 0000000000000..efeb9cc37e6d1 --- /dev/null +++ b/settings/l10n/az.js @@ -0,0 +1,146 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Yalnış şifrə", + "Saved" : "Saxlanıldı", + "No user supplied" : "Heç bir istifadəçiyə mənimsədilmir", + "Unable to change password" : "Şifrəni dəyişmək olmur", + "Authentication error" : "Təyinat metodikası", + "Wrong admin recovery password. Please check the password and try again." : "İnzibatçı geriyə qayıdış şifrəsi yalnışdır. Xahiş olunur şifrəni yoxlayıb yenidən təkrar edəsiniz.", + "Federated Cloud Sharing" : "Federal Cloud Paylaşım", + "Group already exists." : "Qrup artılq mövcduddur.", + "Unable to add group." : "Qrupu əlavə etmək mümkün deyil. ", + "Unable to delete group." : "Qrupu silmək mümkün deyil.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Məktubun yollanmasında səhv baş verdi. Xahiş olunur öz quraşdırmalarınıza yenidən göz yetirəsiniz.(Error: %s)", + "You need to set your user email before being able to send test emails." : "Test məktubu göndərməzdən öncə, siz öz istifadəçi poçtunuzu təyin etməlisiniz.", + "Invalid mail address" : "Yalnış mail ünvanı", + "A user with that name already exists." : "Bu adla istifadəçi artıq mövcuddur.", + "Unable to create user." : "İstifadəçi yaratmaq mümkün deyil.", + "Unable to delete user." : "İstifadəçini silmək mümkün deyil.", + "Unable to change full name" : "Tam adı dəyişmək olmur", + "Your full name has been changed." : "Sizin tam adınız dəyişdirildi.", + "Forbidden" : "Qadağan", + "Invalid user" : "İstifadəçi adı yalnışdır", + "Unable to change mail address" : "Mail ünvanını dəyişmək olmur", + "Email saved" : "Məktub yadda saxlanıldı", + "Your %s account was created" : "Sizin %s hesab yaradıldı", + "Couldn't remove app." : "Proqram təminatını silmək mümkün olmadı.", + "Couldn't update app." : "Proqram təminatını yeniləmək mümkün deyil.", + "Add trusted domain" : "İnamlı domainlərə əlavə et", + "Email sent" : "Məktub göndərildi", + "All" : "Hamısı", + "Update to %s" : "Yenilə bunadək %s", + "No apps found for your version" : "Sizin versiya üçün proqram tapılmadı", + "Error while disabling app" : "Proqram təminatını dayandırdıqda səhv baş verdi", + "Disable" : "Dayandır", + "Enable" : "İşə sal", + "Error while enabling app" : "Proqram təminatını işə saldıqda səhv baş verdi", + "Updated" : "Yeniləndi", + "Valid until {date}" : "Müddətədək keçərlidir {date}", + "Delete" : "Sil", + "Select a profile picture" : "Profil üçün şəkli seç", + "Very weak password" : "Çox asan şifrə", + "Weak password" : "Asan şifrə", + "So-so password" : "Elə-belə şifrə", + "Good password" : "Yaxşı şifrə", + "Strong password" : "Çətin şifrə", + "Groups" : "Qruplar", + "Unable to delete {objName}" : "{objName} silmək olmur", + "A valid group name must be provided" : "Düzgün qrup adı təyin edilməlidir", + "deleted {groupName}" : "{groupName} silindi", + "undo" : "geriyə", + "never" : "heç vaxt", + "deleted {userName}" : "{userName} silindi", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Şifrənin dəyişdirilməsi data itkisinə gətirəcək ona görə ki, datanın bərpası bu istifadəçi üçün movcud deyil.", + "A valid username must be provided" : "Düzgün istifadəçi adı daxil edilməlidir", + "A valid password must be provided" : "Düzgün şifrə daxil edilməlidir", + "A valid email must be provided" : "Düzgün email təqdim edilməlidir", + "Developer documentation" : "Yaradıcı sənədləşməsi", + "Documentation:" : "Sənədləşmə:", + "Show description …" : "Açıqlanmanı göstər ...", + "Hide description …" : "Açıqlamanı gizlət ...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Bu proqram yüklənə bilməz ona görə ki, göstərilən asılılıqlar yerinə yetirilməyib:", + "Enable only for specific groups" : "Yalnız spesifik qruplara izin ver", + "Common Name" : "Ümumi ad", + "Valid until" : "Vaxtadək keçərlidir", + "Issued By" : "Tərəfindən yaradılıb", + "Valid until %s" : "Keçərlidir vaxtadək %s", + "Import root certificate" : "root sertifikatı import et", + "Forum" : "Forum", + "None" : "Heç bir", + "Login" : "Giriş", + "Plain" : "Adi", + "NT LAN Manager" : "NT LAN Manager", + "Open documentation" : "Sənədləri aç", + "Send mode" : "Göndərmə rejimi", + "Encryption" : "Şifrələnmə", + "From address" : "Ünvandan", + "mail" : "poçt", + "Authentication method" : "Qeydiyyat metodikası", + "Authentication required" : "Qeydiyyat tələb edilir", + "Server address" : "Server ünvanı", + "Port" : "Port", + "Credentials" : "Səlahiyyətlər", + "SMTP Username" : "SMTP İstifadəçi adı", + "SMTP Password" : "SMTP Şifrəsi", + "Store credentials" : "Səlahiyyətləri saxla", + "Test email settings" : "Email qurmalarını test et", + "Send email" : "Email yolla", + "Security & setup warnings" : "Təhlükəsizlik & işə salma xəbərdarlıqları", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Yalnız-Oxuma işə salınıb. Bu web-interface vasitəsilə edilən bəzi konfiqlərin qarşısını alır. Bundan başqa, fayl əllə edilən istənilən yenilınmə üçün yazılma yetkisinə sahib olmalıdır. ", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Bu ola bilər ki, cache/accelerator such tərəfindən cağırılıb hansi ki, Zend OPcache və eAccelerator-da olduğu kimidir.", + "System locale can not be set to a one which supports UTF-8." : "UTF-8 dsətklənən sistemdə daxili vaxt və dil təyinatı ola bilməz. ", + "Execute one task with each page loaded" : "Hər səhifə yüklənməsində bir işi yerinə yetir", + "Version" : "Versiya", + "Sharing" : "Paylaşılır", + "Allow apps to use the Share API" : "Proqramlara izin verin ki, Paylaşım API-sindən istifadə edə bilsinlər.", + "Allow users to share via link" : "Istifadəçilərə link üzərindən paylaşım etməyə izin vermək", + "Allow public uploads" : "Ümumi yüklənmələrə izin vermək", + "Enforce password protection" : "Şifrə müdafiəsini həyata keçirmək", + "Set default expiration date" : "Susmaya görə olan bitmə vaxtını təyin edin", + "Expire after " : "Bitir sonra", + "days" : "günlər", + "Enforce expiration date" : "Bitmə tarixini həyata keçir", + "Allow resharing" : "Yenidən paylaşıma izin", + "Restrict users to only share with users in their groups" : "İstifadəçiləri yalnız yerləşdikləri qrup üzvləri ilə paylaşım edə bilmələrini məhdudla", + "Exclude groups from sharing" : "Qrupları paylaşımdan ayır", + "These groups will still be able to receive shares, but not to initiate them." : "Bu qruplar paylaşımları hələdə ala biləcəklər ancaq, yarada bilməyəcəklər", + "How to do backups" : "Rezerv nüsxələr neçə edilisin", + "Profile picture" : "Profil şəkli", + "Upload new" : "Yenisini yüklə", + "Remove image" : "Şəkili sil", + "Cancel" : "Dayandır", + "Full name" : "Tam ad", + "No display name set" : "Ekranda adı dəsti yoxdur", + "Email" : "Email", + "Your email address" : "Sizin email ünvanı", + "No email address set" : "Email ünvanı dəsti yoxdur", + "You are member of the following groups:" : "Siz göstərilən qrupların üzvüsünüz:", + "Language" : "Dil", + "Help translate" : "Tərcüməyə kömək", + "Password" : "Şifrə", + "Current password" : "Hazırkı şifrə", + "New password" : "Yeni şifrə", + "Change password" : "Şifrəni dəyiş", + "Username" : "İstifadəçi adı", + "Done" : "Edildi", + "Show storage location" : "Depo ünvanını göstər", + "Show user backend" : "Daxili istifadəçini göstər", + "Show email address" : "Email ünvanını göstər", + "Send email to new user" : "Yeni istifadəçiyə məktub yolla", + "E-Mail" : "E-Mail", + "Create" : "Yarat", + "Admin Recovery Password" : "İnzibatçı bərpa şifrəsi", + "Enter the recovery password in order to recover the users files during password change" : "Şifrə dəyişilməsi müddətində, səliqə ilə bərpa açarını daxil et ki, istifadəçi fayllları bərpa edilsin. ", + "Everyone" : "Hamı", + "Admins" : "İnzibatçılar", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Xahiş olunur depo normasını daxil edəsiniz (Məs: \"512 MB\" yada \"12 GB\")", + "Unlimited" : "Limitsiz", + "Other" : "Digər", + "Quota" : "Norma", + "change full name" : "tam adı dəyiş", + "set new password" : "yeni şifrə təyin et", + "change email address" : "email ünvanını dəyiş", + "Default" : "Susmaya görə" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/az.json b/settings/l10n/az.json new file mode 100644 index 0000000000000..ca71077ddcd59 --- /dev/null +++ b/settings/l10n/az.json @@ -0,0 +1,144 @@ +{ "translations": { + "Wrong password" : "Yalnış şifrə", + "Saved" : "Saxlanıldı", + "No user supplied" : "Heç bir istifadəçiyə mənimsədilmir", + "Unable to change password" : "Şifrəni dəyişmək olmur", + "Authentication error" : "Təyinat metodikası", + "Wrong admin recovery password. Please check the password and try again." : "İnzibatçı geriyə qayıdış şifrəsi yalnışdır. Xahiş olunur şifrəni yoxlayıb yenidən təkrar edəsiniz.", + "Federated Cloud Sharing" : "Federal Cloud Paylaşım", + "Group already exists." : "Qrup artılq mövcduddur.", + "Unable to add group." : "Qrupu əlavə etmək mümkün deyil. ", + "Unable to delete group." : "Qrupu silmək mümkün deyil.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Məktubun yollanmasında səhv baş verdi. Xahiş olunur öz quraşdırmalarınıza yenidən göz yetirəsiniz.(Error: %s)", + "You need to set your user email before being able to send test emails." : "Test məktubu göndərməzdən öncə, siz öz istifadəçi poçtunuzu təyin etməlisiniz.", + "Invalid mail address" : "Yalnış mail ünvanı", + "A user with that name already exists." : "Bu adla istifadəçi artıq mövcuddur.", + "Unable to create user." : "İstifadəçi yaratmaq mümkün deyil.", + "Unable to delete user." : "İstifadəçini silmək mümkün deyil.", + "Unable to change full name" : "Tam adı dəyişmək olmur", + "Your full name has been changed." : "Sizin tam adınız dəyişdirildi.", + "Forbidden" : "Qadağan", + "Invalid user" : "İstifadəçi adı yalnışdır", + "Unable to change mail address" : "Mail ünvanını dəyişmək olmur", + "Email saved" : "Məktub yadda saxlanıldı", + "Your %s account was created" : "Sizin %s hesab yaradıldı", + "Couldn't remove app." : "Proqram təminatını silmək mümkün olmadı.", + "Couldn't update app." : "Proqram təminatını yeniləmək mümkün deyil.", + "Add trusted domain" : "İnamlı domainlərə əlavə et", + "Email sent" : "Məktub göndərildi", + "All" : "Hamısı", + "Update to %s" : "Yenilə bunadək %s", + "No apps found for your version" : "Sizin versiya üçün proqram tapılmadı", + "Error while disabling app" : "Proqram təminatını dayandırdıqda səhv baş verdi", + "Disable" : "Dayandır", + "Enable" : "İşə sal", + "Error while enabling app" : "Proqram təminatını işə saldıqda səhv baş verdi", + "Updated" : "Yeniləndi", + "Valid until {date}" : "Müddətədək keçərlidir {date}", + "Delete" : "Sil", + "Select a profile picture" : "Profil üçün şəkli seç", + "Very weak password" : "Çox asan şifrə", + "Weak password" : "Asan şifrə", + "So-so password" : "Elə-belə şifrə", + "Good password" : "Yaxşı şifrə", + "Strong password" : "Çətin şifrə", + "Groups" : "Qruplar", + "Unable to delete {objName}" : "{objName} silmək olmur", + "A valid group name must be provided" : "Düzgün qrup adı təyin edilməlidir", + "deleted {groupName}" : "{groupName} silindi", + "undo" : "geriyə", + "never" : "heç vaxt", + "deleted {userName}" : "{userName} silindi", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Şifrənin dəyişdirilməsi data itkisinə gətirəcək ona görə ki, datanın bərpası bu istifadəçi üçün movcud deyil.", + "A valid username must be provided" : "Düzgün istifadəçi adı daxil edilməlidir", + "A valid password must be provided" : "Düzgün şifrə daxil edilməlidir", + "A valid email must be provided" : "Düzgün email təqdim edilməlidir", + "Developer documentation" : "Yaradıcı sənədləşməsi", + "Documentation:" : "Sənədləşmə:", + "Show description …" : "Açıqlanmanı göstər ...", + "Hide description …" : "Açıqlamanı gizlət ...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Bu proqram yüklənə bilməz ona görə ki, göstərilən asılılıqlar yerinə yetirilməyib:", + "Enable only for specific groups" : "Yalnız spesifik qruplara izin ver", + "Common Name" : "Ümumi ad", + "Valid until" : "Vaxtadək keçərlidir", + "Issued By" : "Tərəfindən yaradılıb", + "Valid until %s" : "Keçərlidir vaxtadək %s", + "Import root certificate" : "root sertifikatı import et", + "Forum" : "Forum", + "None" : "Heç bir", + "Login" : "Giriş", + "Plain" : "Adi", + "NT LAN Manager" : "NT LAN Manager", + "Open documentation" : "Sənədləri aç", + "Send mode" : "Göndərmə rejimi", + "Encryption" : "Şifrələnmə", + "From address" : "Ünvandan", + "mail" : "poçt", + "Authentication method" : "Qeydiyyat metodikası", + "Authentication required" : "Qeydiyyat tələb edilir", + "Server address" : "Server ünvanı", + "Port" : "Port", + "Credentials" : "Səlahiyyətlər", + "SMTP Username" : "SMTP İstifadəçi adı", + "SMTP Password" : "SMTP Şifrəsi", + "Store credentials" : "Səlahiyyətləri saxla", + "Test email settings" : "Email qurmalarını test et", + "Send email" : "Email yolla", + "Security & setup warnings" : "Təhlükəsizlik & işə salma xəbərdarlıqları", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Yalnız-Oxuma işə salınıb. Bu web-interface vasitəsilə edilən bəzi konfiqlərin qarşısını alır. Bundan başqa, fayl əllə edilən istənilən yenilınmə üçün yazılma yetkisinə sahib olmalıdır. ", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Bu ola bilər ki, cache/accelerator such tərəfindən cağırılıb hansi ki, Zend OPcache və eAccelerator-da olduğu kimidir.", + "System locale can not be set to a one which supports UTF-8." : "UTF-8 dsətklənən sistemdə daxili vaxt və dil təyinatı ola bilməz. ", + "Execute one task with each page loaded" : "Hər səhifə yüklənməsində bir işi yerinə yetir", + "Version" : "Versiya", + "Sharing" : "Paylaşılır", + "Allow apps to use the Share API" : "Proqramlara izin verin ki, Paylaşım API-sindən istifadə edə bilsinlər.", + "Allow users to share via link" : "Istifadəçilərə link üzərindən paylaşım etməyə izin vermək", + "Allow public uploads" : "Ümumi yüklənmələrə izin vermək", + "Enforce password protection" : "Şifrə müdafiəsini həyata keçirmək", + "Set default expiration date" : "Susmaya görə olan bitmə vaxtını təyin edin", + "Expire after " : "Bitir sonra", + "days" : "günlər", + "Enforce expiration date" : "Bitmə tarixini həyata keçir", + "Allow resharing" : "Yenidən paylaşıma izin", + "Restrict users to only share with users in their groups" : "İstifadəçiləri yalnız yerləşdikləri qrup üzvləri ilə paylaşım edə bilmələrini məhdudla", + "Exclude groups from sharing" : "Qrupları paylaşımdan ayır", + "These groups will still be able to receive shares, but not to initiate them." : "Bu qruplar paylaşımları hələdə ala biləcəklər ancaq, yarada bilməyəcəklər", + "How to do backups" : "Rezerv nüsxələr neçə edilisin", + "Profile picture" : "Profil şəkli", + "Upload new" : "Yenisini yüklə", + "Remove image" : "Şəkili sil", + "Cancel" : "Dayandır", + "Full name" : "Tam ad", + "No display name set" : "Ekranda adı dəsti yoxdur", + "Email" : "Email", + "Your email address" : "Sizin email ünvanı", + "No email address set" : "Email ünvanı dəsti yoxdur", + "You are member of the following groups:" : "Siz göstərilən qrupların üzvüsünüz:", + "Language" : "Dil", + "Help translate" : "Tərcüməyə kömək", + "Password" : "Şifrə", + "Current password" : "Hazırkı şifrə", + "New password" : "Yeni şifrə", + "Change password" : "Şifrəni dəyiş", + "Username" : "İstifadəçi adı", + "Done" : "Edildi", + "Show storage location" : "Depo ünvanını göstər", + "Show user backend" : "Daxili istifadəçini göstər", + "Show email address" : "Email ünvanını göstər", + "Send email to new user" : "Yeni istifadəçiyə məktub yolla", + "E-Mail" : "E-Mail", + "Create" : "Yarat", + "Admin Recovery Password" : "İnzibatçı bərpa şifrəsi", + "Enter the recovery password in order to recover the users files during password change" : "Şifrə dəyişilməsi müddətində, səliqə ilə bərpa açarını daxil et ki, istifadəçi fayllları bərpa edilsin. ", + "Everyone" : "Hamı", + "Admins" : "İnzibatçılar", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Xahiş olunur depo normasını daxil edəsiniz (Məs: \"512 MB\" yada \"12 GB\")", + "Unlimited" : "Limitsiz", + "Other" : "Digər", + "Quota" : "Norma", + "change full name" : "tam adı dəyiş", + "set new password" : "yeni şifrə təyin et", + "change email address" : "email ünvanını dəyiş", + "Default" : "Susmaya görə" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/bg.js b/settings/l10n/bg.js new file mode 100644 index 0000000000000..2369b77e84732 --- /dev/null +++ b/settings/l10n/bg.js @@ -0,0 +1,199 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Грешна парола", + "Saved" : "Запаметяване", + "No user supplied" : "Липсва потребител", + "Unable to change password" : "Неуспешна смяна на паролата.", + "Authentication error" : "Възникна проблем с идентификацията", + "Wrong admin recovery password. Please check the password and try again." : "Грешна администраторска парола за възстановяване. Моля, проверете паролата и опитайте отново.", + "Group already exists." : "Групата вече съществува.", + "Unable to add group." : "Неуспешно добавяне на група.", + "Unable to delete group." : "Неуспешно изтриване на група", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Възникна проблем при изпращането на имейла. Моля, провери настройките. (Грешка: %s)", + "You need to set your user email before being able to send test emails." : "Трябва да зададете своя имейл за да можете да изпращате тестови имейли.", + "Invalid mail address" : "невалиден адрес на електронна поща", + "A user with that name already exists." : "Потребител с това име вече съществува", + "Unable to create user." : "Неуспешно създаване на потребител.", + "Unable to delete user." : "Неуспешно изтриване на потребител.", + "Settings saved" : "Настройките са запазени", + "Unable to change full name" : "Неуспешна промяна на пълното име.", + "Unable to change email address" : "Неуспешна промяна на адрес на електронна поща", + "Your full name has been changed." : "Вашето пълно име е променено.", + "Forbidden" : "Забранено", + "Invalid user" : "Невалиден протребител", + "Unable to change mail address" : "Неуспешна промяна на адрес на електронна поща", + "Email saved" : "Имейлът е запазен", + "Your %s account was created" : "Вашия %s профил бе създаден", + "Couldn't remove app." : "Приложението не бе премахнато.", + "Couldn't update app." : "Приложението не бе обновено.", + "Add trusted domain" : "Добавяне на сигурен домейн", + "Email sent" : "Имейлът е изпратен", + "All" : "Всички", + "Update to %s" : "Обнови до %s", + "No apps found for your version" : "Няма намерени приложения за версията, която ползвате", + "Disabling app …" : "Забраняване на приложение ...", + "Error while disabling app" : "Грешка при изключване на приложението", + "Disable" : "Изключване", + "Enable" : "Включване", + "Enabling app …" : "Разрешаване на приложение ...", + "Error while enabling app" : "Грешка при включване на приложението", + "Updated" : "Обновено", + "Approved" : "Одобрен", + "Experimental" : "Ексериментален", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome за Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS клиент", + "Android Client" : "Android клиент", + "This session" : "Текуща сесия", + "Copy" : "Копиране", + "Copied!" : "Копирано!", + "Not supported!" : "Не се поддържа!", + "Press ⌘-C to copy." : "За копиране натиснете ⌘-C", + "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C", + "Valid until {date}" : "Далидна до {date}", + "Delete" : "Изтриване", + "Local" : "Локално", + "Contacts" : "Контакти", + "Public" : "Публичен", + "Select a profile picture" : "Избиране на профилна снимка", + "Very weak password" : "Много слаба парола", + "Weak password" : "Слаба парола", + "So-so password" : "Не особено добра парола", + "Good password" : "Добра парола", + "Strong password" : "Сигурна парола", + "Groups" : "Групи", + "Unable to delete {objName}" : "Неуспешно изтриване на {objName}.", + "A valid group name must be provided" : "Очаква се валидно име на група", + "deleted {groupName}" : "{groupName} е изтрита", + "undo" : "възстановяване", + "never" : "никога", + "deleted {userName}" : "{userName} е изтрит", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Промяна на паролата ще доведе до загуба на данни, защото не е налично възстановяване за този потребител.", + "A valid username must be provided" : "Трябва да бъде зададено валидно потребителско име", + "A valid password must be provided" : "Трябва да бъде зададена валидна парола", + "A valid email must be provided" : "Трябва да бъде зададена валидна електронна поща", + "Developer documentation" : "Документация за разработчици", + "by %s" : "от %s", + "Documentation:" : "Документация:", + "Visit website" : "Посещаване на интернет страница", + "Report a bug" : "Докладване на грешка", + "Show description …" : "Покажи описание ...", + "Hide description …" : "Скрии описание ...", + "This app has an update available." : "Това приложение има налично обновление.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Приложението не може да бъде инсталирано, защото следните зависимости не са удовлетворени:", + "Enable only for specific groups" : "Включи само за определени групи", + "Common Name" : "Познато Име", + "Valid until" : "Валиден до", + "Issued By" : "Издаден от", + "Valid until %s" : "Валиден до %s", + "Import root certificate" : "Импортиране на основен сертификат", + "Online documentation" : "Онлайн документация", + "Forum" : "Форум", + "Commercial support" : "Платена поддръжка", + "None" : "Няма", + "Login" : "Вход", + "Plain" : "Обикновен", + "NT LAN Manager" : "NT LAN Manager", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Open documentation" : "Отвори документацията", + "Send mode" : "Режим на изпращане", + "Encryption" : "Криптиране", + "From address" : "От адрес", + "mail" : "поща", + "Authentication method" : "Метод за отризиране", + "Authentication required" : "Нужна е идентификация", + "Server address" : "Адрес на сървъра", + "Port" : "Порт", + "Credentials" : "Потр. име и парола", + "SMTP Username" : "SMTP потребител", + "SMTP Password" : "SMTP парола", + "Store credentials" : "Запазвай креденциите", + "Test email settings" : "Настройки на проверяващия имейл", + "Send email" : "Изпрати имейл", + "Enable encryption" : "Включване на криптиране", + "Select default encryption module:" : "Избор на модул за криптиране по подразбиране:", + "Start migration" : "Начало на миграцията", + "Security & setup warnings" : "Предупреждения за сигурност и настройки", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Това може да се дължи на кеш/акселератор като Zend OPache или eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Системните настройки за местоположение не могат да бъдат промени на такива, подържащи UTF-8.", + "Execute one task with each page loaded" : "Изпълни по едно задание с всяка заредена страница.", + "Version" : "Версия", + "Sharing" : "Споделяне", + "Allow apps to use the Share API" : "Разреши приложенията да използват Share API", + "Allow users to share via link" : "Разреши потребителите да споделят с връзка", + "Allow public uploads" : "Разреши общодостъпно качване", + "Enforce password protection" : "Изискай защита с парола.", + "Set default expiration date" : "Заложи стандартна дата на изтичане", + "Expire after " : "Изтечи след", + "days" : "дена", + "Enforce expiration date" : "Изисквай дата на изтичане", + "Allow resharing" : "Разреши пресподеляне.", + "Restrict users to only share with users in their groups" : "Ограничи потребителите, така че да могат да споделят само с други потребители в своите групи.", + "Exclude groups from sharing" : "Забрани групи да споделят", + "These groups will still be able to receive shares, but not to initiate them." : "Тези групи ще могат да получават споделения, но няма да могат самите те да споделят.", + "This is particularly recommended when using the desktop client for file synchronisation." : "Препоръчително, особено ако ползвате клиента за настолен компютър.", + "How to do backups" : "Как се правят резервни копия", + "Performance tuning" : "Настройване на производителност", + "Improving the config.php" : "Подобряване на config.php", + "Theming" : "Промяна на облика", + "You are using %s of %s" : "Ползвате %s от %s", + "Profile picture" : "Аватар", + "Upload new" : "Качи нов", + "Remove image" : "Премахни изображението", + "png or jpg, max. 20 MB" : "png или jpg, макс. 20 MB", + "Cancel" : "Отказ", + "Full name" : "Пълно име", + "No display name set" : "Няма настроено екранно име", + "Email" : "Имейл", + "Your email address" : "Вашият имейл адрес", + "No email address set" : "Няма настроен адрес на електронна поща", + "Phone number" : "Тел. номер", + "Your phone number" : "Вашия тел. номер", + "Address" : "Адрес", + "Your postal address" : "Вашия пощенски код", + "Website" : "Уеб страница", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Член сте на следните групи:", + "Language" : "Език", + "Help translate" : "Помогнете с превода", + "Password" : "Парола", + "Current password" : "Текуща парола", + "New password" : "Нова парола", + "Change password" : "Промяна на паролата", + "Web, desktop and mobile clients currently logged in to your account." : "Уеб, настолни и мобилни клиенти, които в момента са вписани чрез вашия акаунт.", + "Device" : "Устройство", + "Last activity" : "Последна активност", + "App name" : "Име на приложението", + "Username" : "Потребител", + "Done" : "Завършен", + "Show storage location" : "Покажи мястото на хранилището", + "Show email address" : "Покажи адреса на електронната поща", + "Send email to new user" : "Изпращай писмо към нов потребител", + "E-Mail" : "Имейл", + "Create" : "Създаване", + "Admin Recovery Password" : "Възстановяване на администраторската парола", + "Enter the recovery password in order to recover the users files during password change" : "Въведете паролата за възстановяване, за да възстановиш файловете на потребителите при промяна на паролата.", + "Everyone" : "Всички", + "Admins" : "Администратори", + "Default quota" : "Стандартна квота", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Моля, въведете квота за хранилището (напр. \"512 MB\" или \"12 GB\")", + "Unlimited" : "Неограничено", + "Other" : "Друга...", + "Group admin for" : "Групов администратор за", + "Quota" : "Квота", + "Storage location" : "Дисково пространство", + "Last login" : "Последно вписване", + "change full name" : "промени пълното име", + "set new password" : "сложи нова парола", + "change email address" : "Смени адреса на елетронната поща", + "Default" : "Стандарт" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/bg.json b/settings/l10n/bg.json new file mode 100644 index 0000000000000..fb438020d1a24 --- /dev/null +++ b/settings/l10n/bg.json @@ -0,0 +1,197 @@ +{ "translations": { + "Wrong password" : "Грешна парола", + "Saved" : "Запаметяване", + "No user supplied" : "Липсва потребител", + "Unable to change password" : "Неуспешна смяна на паролата.", + "Authentication error" : "Възникна проблем с идентификацията", + "Wrong admin recovery password. Please check the password and try again." : "Грешна администраторска парола за възстановяване. Моля, проверете паролата и опитайте отново.", + "Group already exists." : "Групата вече съществува.", + "Unable to add group." : "Неуспешно добавяне на група.", + "Unable to delete group." : "Неуспешно изтриване на група", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Възникна проблем при изпращането на имейла. Моля, провери настройките. (Грешка: %s)", + "You need to set your user email before being able to send test emails." : "Трябва да зададете своя имейл за да можете да изпращате тестови имейли.", + "Invalid mail address" : "невалиден адрес на електронна поща", + "A user with that name already exists." : "Потребител с това име вече съществува", + "Unable to create user." : "Неуспешно създаване на потребител.", + "Unable to delete user." : "Неуспешно изтриване на потребител.", + "Settings saved" : "Настройките са запазени", + "Unable to change full name" : "Неуспешна промяна на пълното име.", + "Unable to change email address" : "Неуспешна промяна на адрес на електронна поща", + "Your full name has been changed." : "Вашето пълно име е променено.", + "Forbidden" : "Забранено", + "Invalid user" : "Невалиден протребител", + "Unable to change mail address" : "Неуспешна промяна на адрес на електронна поща", + "Email saved" : "Имейлът е запазен", + "Your %s account was created" : "Вашия %s профил бе създаден", + "Couldn't remove app." : "Приложението не бе премахнато.", + "Couldn't update app." : "Приложението не бе обновено.", + "Add trusted domain" : "Добавяне на сигурен домейн", + "Email sent" : "Имейлът е изпратен", + "All" : "Всички", + "Update to %s" : "Обнови до %s", + "No apps found for your version" : "Няма намерени приложения за версията, която ползвате", + "Disabling app …" : "Забраняване на приложение ...", + "Error while disabling app" : "Грешка при изключване на приложението", + "Disable" : "Изключване", + "Enable" : "Включване", + "Enabling app …" : "Разрешаване на приложение ...", + "Error while enabling app" : "Грешка при включване на приложението", + "Updated" : "Обновено", + "Approved" : "Одобрен", + "Experimental" : "Ексериментален", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome за Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS клиент", + "Android Client" : "Android клиент", + "This session" : "Текуща сесия", + "Copy" : "Копиране", + "Copied!" : "Копирано!", + "Not supported!" : "Не се поддържа!", + "Press ⌘-C to copy." : "За копиране натиснете ⌘-C", + "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C", + "Valid until {date}" : "Далидна до {date}", + "Delete" : "Изтриване", + "Local" : "Локално", + "Contacts" : "Контакти", + "Public" : "Публичен", + "Select a profile picture" : "Избиране на профилна снимка", + "Very weak password" : "Много слаба парола", + "Weak password" : "Слаба парола", + "So-so password" : "Не особено добра парола", + "Good password" : "Добра парола", + "Strong password" : "Сигурна парола", + "Groups" : "Групи", + "Unable to delete {objName}" : "Неуспешно изтриване на {objName}.", + "A valid group name must be provided" : "Очаква се валидно име на група", + "deleted {groupName}" : "{groupName} е изтрита", + "undo" : "възстановяване", + "never" : "никога", + "deleted {userName}" : "{userName} е изтрит", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Промяна на паролата ще доведе до загуба на данни, защото не е налично възстановяване за този потребител.", + "A valid username must be provided" : "Трябва да бъде зададено валидно потребителско име", + "A valid password must be provided" : "Трябва да бъде зададена валидна парола", + "A valid email must be provided" : "Трябва да бъде зададена валидна електронна поща", + "Developer documentation" : "Документация за разработчици", + "by %s" : "от %s", + "Documentation:" : "Документация:", + "Visit website" : "Посещаване на интернет страница", + "Report a bug" : "Докладване на грешка", + "Show description …" : "Покажи описание ...", + "Hide description …" : "Скрии описание ...", + "This app has an update available." : "Това приложение има налично обновление.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Приложението не може да бъде инсталирано, защото следните зависимости не са удовлетворени:", + "Enable only for specific groups" : "Включи само за определени групи", + "Common Name" : "Познато Име", + "Valid until" : "Валиден до", + "Issued By" : "Издаден от", + "Valid until %s" : "Валиден до %s", + "Import root certificate" : "Импортиране на основен сертификат", + "Online documentation" : "Онлайн документация", + "Forum" : "Форум", + "Commercial support" : "Платена поддръжка", + "None" : "Няма", + "Login" : "Вход", + "Plain" : "Обикновен", + "NT LAN Manager" : "NT LAN Manager", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Open documentation" : "Отвори документацията", + "Send mode" : "Режим на изпращане", + "Encryption" : "Криптиране", + "From address" : "От адрес", + "mail" : "поща", + "Authentication method" : "Метод за отризиране", + "Authentication required" : "Нужна е идентификация", + "Server address" : "Адрес на сървъра", + "Port" : "Порт", + "Credentials" : "Потр. име и парола", + "SMTP Username" : "SMTP потребител", + "SMTP Password" : "SMTP парола", + "Store credentials" : "Запазвай креденциите", + "Test email settings" : "Настройки на проверяващия имейл", + "Send email" : "Изпрати имейл", + "Enable encryption" : "Включване на криптиране", + "Select default encryption module:" : "Избор на модул за криптиране по подразбиране:", + "Start migration" : "Начало на миграцията", + "Security & setup warnings" : "Предупреждения за сигурност и настройки", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Това може да се дължи на кеш/акселератор като Zend OPache или eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Системните настройки за местоположение не могат да бъдат промени на такива, подържащи UTF-8.", + "Execute one task with each page loaded" : "Изпълни по едно задание с всяка заредена страница.", + "Version" : "Версия", + "Sharing" : "Споделяне", + "Allow apps to use the Share API" : "Разреши приложенията да използват Share API", + "Allow users to share via link" : "Разреши потребителите да споделят с връзка", + "Allow public uploads" : "Разреши общодостъпно качване", + "Enforce password protection" : "Изискай защита с парола.", + "Set default expiration date" : "Заложи стандартна дата на изтичане", + "Expire after " : "Изтечи след", + "days" : "дена", + "Enforce expiration date" : "Изисквай дата на изтичане", + "Allow resharing" : "Разреши пресподеляне.", + "Restrict users to only share with users in their groups" : "Ограничи потребителите, така че да могат да споделят само с други потребители в своите групи.", + "Exclude groups from sharing" : "Забрани групи да споделят", + "These groups will still be able to receive shares, but not to initiate them." : "Тези групи ще могат да получават споделения, но няма да могат самите те да споделят.", + "This is particularly recommended when using the desktop client for file synchronisation." : "Препоръчително, особено ако ползвате клиента за настолен компютър.", + "How to do backups" : "Как се правят резервни копия", + "Performance tuning" : "Настройване на производителност", + "Improving the config.php" : "Подобряване на config.php", + "Theming" : "Промяна на облика", + "You are using %s of %s" : "Ползвате %s от %s", + "Profile picture" : "Аватар", + "Upload new" : "Качи нов", + "Remove image" : "Премахни изображението", + "png or jpg, max. 20 MB" : "png или jpg, макс. 20 MB", + "Cancel" : "Отказ", + "Full name" : "Пълно име", + "No display name set" : "Няма настроено екранно име", + "Email" : "Имейл", + "Your email address" : "Вашият имейл адрес", + "No email address set" : "Няма настроен адрес на електронна поща", + "Phone number" : "Тел. номер", + "Your phone number" : "Вашия тел. номер", + "Address" : "Адрес", + "Your postal address" : "Вашия пощенски код", + "Website" : "Уеб страница", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Член сте на следните групи:", + "Language" : "Език", + "Help translate" : "Помогнете с превода", + "Password" : "Парола", + "Current password" : "Текуща парола", + "New password" : "Нова парола", + "Change password" : "Промяна на паролата", + "Web, desktop and mobile clients currently logged in to your account." : "Уеб, настолни и мобилни клиенти, които в момента са вписани чрез вашия акаунт.", + "Device" : "Устройство", + "Last activity" : "Последна активност", + "App name" : "Име на приложението", + "Username" : "Потребител", + "Done" : "Завършен", + "Show storage location" : "Покажи мястото на хранилището", + "Show email address" : "Покажи адреса на електронната поща", + "Send email to new user" : "Изпращай писмо към нов потребител", + "E-Mail" : "Имейл", + "Create" : "Създаване", + "Admin Recovery Password" : "Възстановяване на администраторската парола", + "Enter the recovery password in order to recover the users files during password change" : "Въведете паролата за възстановяване, за да възстановиш файловете на потребителите при промяна на паролата.", + "Everyone" : "Всички", + "Admins" : "Администратори", + "Default quota" : "Стандартна квота", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Моля, въведете квота за хранилището (напр. \"512 MB\" или \"12 GB\")", + "Unlimited" : "Неограничено", + "Other" : "Друга...", + "Group admin for" : "Групов администратор за", + "Quota" : "Квота", + "Storage location" : "Дисково пространство", + "Last login" : "Последно вписване", + "change full name" : "промени пълното име", + "set new password" : "сложи нова парола", + "change email address" : "Смени адреса на елетронната поща", + "Default" : "Стандарт" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/bn_BD.js b/settings/l10n/bn_BD.js new file mode 100644 index 0000000000000..e553779886a3f --- /dev/null +++ b/settings/l10n/bn_BD.js @@ -0,0 +1,62 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "ভুল কুটশব্দ", + "Saved" : "সংরক্ষণ করা হলো", + "No user supplied" : "ব্যবহারকারী দেয়া হয়নি", + "Authentication error" : "অনুমোদন ঘটিত সমস্যা", + "Your full name has been changed." : "আপনার পূর্ণ নাম পরিবর্তন করা হয়েছে।", + "Email saved" : "ই-মেইল সংরক্ষন করা হয়েছে", + "Couldn't remove app." : "অ্যাপ অপসারণ করা গেলনা", + "Couldn't update app." : "অ্যাপ নবায়ন করা গেলনা।", + "Email sent" : "ই-মেইল পাঠানো হয়েছে", + "All" : "সবাই", + "Error while disabling app" : "অ্যাপ অকার্যকর করতে সমস্যা দেখা দিয়েছে ", + "Disable" : "নিষ্ক্রিয়", + "Enable" : "সক্রিয় ", + "Error while enabling app" : "অ্যাপ কার্যকর করতে সমস্যা দেখা দিয়েছে ", + "Updated" : "নবায়নকৃত", + "Valid until {date}" : "বৈধতা বলবৎ আছে {তারিখ} অবধি ", + "Delete" : "মুছে", + "Strong password" : "শক্তিশালী কুটশব্দ", + "Groups" : "গোষ্ঠীসমূহ", + "undo" : "ক্রিয়া প্রত্যাহার", + "never" : "কখনোই নয়", + "Forum" : "ফোরাম", + "None" : "কোনটিই নয়", + "Login" : "প্রবেশ", + "Send mode" : "পাঠানো মোড", + "Encryption" : "সংকেতায়ন", + "From address" : "হইতে ঠিকানা", + "mail" : "মেইল", + "Server address" : "সার্ভার ঠিকানা", + "Port" : "পোর্ট", + "Send email" : "ইমেইল পাঠান ", + "Version" : "ভার্সন", + "Sharing" : "ভাগাভাগিরত", + "Expire after " : "এরপর মেয়াদোত্তীর্ণ হও", + "days" : "দিনগুলি", + "Enforce expiration date" : "মেয়াদোত্তীর্ণ হওয়ার তারিখ কার্যকর করুন", + "Cancel" : "বাতির", + "Email" : "ইমেইল", + "Your email address" : "আপনার ই-মেইল ঠিকানা", + "Language" : "ভাষা", + "Help translate" : "অনুবাদ করতে সহায়তা করুন", + "Password" : "কূটশব্দ", + "Current password" : "বর্তমান কূটশব্দ", + "New password" : "নতুন কূটশব্দ", + "Change password" : "কূটশব্দ পরিবর্তন করুন", + "Username" : "ব্যবহারকারী", + "Done" : "শেষ হলো", + "Create" : "তৈরী কর", + "Admin Recovery Password" : "প্রশাসক পূণরূদ্ধার কুটশব্দ", + "Everyone" : "সকলে", + "Admins" : "প্রশাসন", + "Unlimited" : "অসীম", + "Other" : "অন্যান্য", + "Quota" : "কোটা", + "change full name" : "পুরোনাম পরিবর্তন করুন", + "set new password" : "নতুন কূটশব্দ নির্ধারণ করুন", + "Default" : "পূর্বনির্ধারিত" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/bn_BD.json b/settings/l10n/bn_BD.json new file mode 100644 index 0000000000000..5af3ccb99dc8d --- /dev/null +++ b/settings/l10n/bn_BD.json @@ -0,0 +1,60 @@ +{ "translations": { + "Wrong password" : "ভুল কুটশব্দ", + "Saved" : "সংরক্ষণ করা হলো", + "No user supplied" : "ব্যবহারকারী দেয়া হয়নি", + "Authentication error" : "অনুমোদন ঘটিত সমস্যা", + "Your full name has been changed." : "আপনার পূর্ণ নাম পরিবর্তন করা হয়েছে।", + "Email saved" : "ই-মেইল সংরক্ষন করা হয়েছে", + "Couldn't remove app." : "অ্যাপ অপসারণ করা গেলনা", + "Couldn't update app." : "অ্যাপ নবায়ন করা গেলনা।", + "Email sent" : "ই-মেইল পাঠানো হয়েছে", + "All" : "সবাই", + "Error while disabling app" : "অ্যাপ অকার্যকর করতে সমস্যা দেখা দিয়েছে ", + "Disable" : "নিষ্ক্রিয়", + "Enable" : "সক্রিয় ", + "Error while enabling app" : "অ্যাপ কার্যকর করতে সমস্যা দেখা দিয়েছে ", + "Updated" : "নবায়নকৃত", + "Valid until {date}" : "বৈধতা বলবৎ আছে {তারিখ} অবধি ", + "Delete" : "মুছে", + "Strong password" : "শক্তিশালী কুটশব্দ", + "Groups" : "গোষ্ঠীসমূহ", + "undo" : "ক্রিয়া প্রত্যাহার", + "never" : "কখনোই নয়", + "Forum" : "ফোরাম", + "None" : "কোনটিই নয়", + "Login" : "প্রবেশ", + "Send mode" : "পাঠানো মোড", + "Encryption" : "সংকেতায়ন", + "From address" : "হইতে ঠিকানা", + "mail" : "মেইল", + "Server address" : "সার্ভার ঠিকানা", + "Port" : "পোর্ট", + "Send email" : "ইমেইল পাঠান ", + "Version" : "ভার্সন", + "Sharing" : "ভাগাভাগিরত", + "Expire after " : "এরপর মেয়াদোত্তীর্ণ হও", + "days" : "দিনগুলি", + "Enforce expiration date" : "মেয়াদোত্তীর্ণ হওয়ার তারিখ কার্যকর করুন", + "Cancel" : "বাতির", + "Email" : "ইমেইল", + "Your email address" : "আপনার ই-মেইল ঠিকানা", + "Language" : "ভাষা", + "Help translate" : "অনুবাদ করতে সহায়তা করুন", + "Password" : "কূটশব্দ", + "Current password" : "বর্তমান কূটশব্দ", + "New password" : "নতুন কূটশব্দ", + "Change password" : "কূটশব্দ পরিবর্তন করুন", + "Username" : "ব্যবহারকারী", + "Done" : "শেষ হলো", + "Create" : "তৈরী কর", + "Admin Recovery Password" : "প্রশাসক পূণরূদ্ধার কুটশব্দ", + "Everyone" : "সকলে", + "Admins" : "প্রশাসন", + "Unlimited" : "অসীম", + "Other" : "অন্যান্য", + "Quota" : "কোটা", + "change full name" : "পুরোনাম পরিবর্তন করুন", + "set new password" : "নতুন কূটশব্দ নির্ধারণ করুন", + "Default" : "পূর্বনির্ধারিত" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/bs.js b/settings/l10n/bs.js new file mode 100644 index 0000000000000..b4893cf59bcb8 --- /dev/null +++ b/settings/l10n/bs.js @@ -0,0 +1,129 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Pogrešna lozinka", + "Saved" : "Spremljeno", + "No user supplied" : "Nijedan korisnik nije dostavljen", + "Unable to change password" : "Promjena lozinke nije moguća", + "Authentication error" : "Grešna autentifikacije", + "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za povratak. Molim provjerite lozinku i pokušajte ponovno.", + "Group already exists." : "Grupa već postoji.", + "Unable to add group." : "Nemoguće dodati grupu.", + "Unable to delete group." : "Nemoguće izbrisati grupu.", + "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu email trebate postaviti svoj korisnički email.", + "Invalid mail address" : "Nevažeća adresa e-pošte", + "Unable to create user." : "Nemoguće kreirati korisnika", + "Unable to delete user." : "Nemoguće izbrisati korisnika", + "Unable to change full name" : "Puno ime nije moguće promijeniti", + "Your full name has been changed." : "Vaše puno ime je promijenjeno.", + "Forbidden" : "Zabranjeno", + "Invalid user" : "Nevažeči korisnik", + "Unable to change mail address" : "Nemoguće je izmjeniti adresu e-pošte", + "Email saved" : "E-pošta je spremljena", + "Your %s account was created" : "Vaš %s račun je kreiran", + "Couldn't remove app." : "Nije moguće ukloniti aplikaciju.", + "Couldn't update app." : "Ažuriranje aplikacije nije moguće.", + "Add trusted domain" : "Dodaj pouzdanu domenu", + "Email sent" : "E-pošta je poslana", + "All" : "Sve", + "Update to %s" : "Ažuriraj na %s", + "Error while disabling app" : "Greška pri onemogućavanju aplikacije", + "Disable" : "Onemogući", + "Enable" : "Omogući", + "Error while enabling app" : "Greška pri omogućavanju aplikacije", + "Updated" : "Ažurirano", + "Valid until {date}" : "Validno do {date}", + "Delete" : "Izbriši", + "Select a profile picture" : "Odaberi sliku profila", + "Very weak password" : "Veoma slaba lozinka", + "Weak password" : "Slaba lozinka", + "So-so password" : "Tu-i-tamo lozinka", + "Good password" : "Dobra lozinka", + "Strong password" : "Jaka lozinka", + "Groups" : "Grupe", + "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", + "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", + "deleted {groupName}" : "izbrisana {groupName}", + "undo" : "poništi", + "never" : "nikad", + "deleted {userName}" : "izbrisan {userName}", + "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", + "A valid password must be provided" : "Nužno je navesti valjanu lozinku", + "A valid email must be provided" : "Nužno je navesti valjanu adresu e-pošte", + "Documentation:" : "Dokumentacija:", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Ova aplikacija se ne može instalirati zbog slijedećih neispunjenih ovisnosti:", + "Enable only for specific groups" : "Omogućite samo za specifične grupe", + "Common Name" : "Opće Ime", + "Valid until" : "Validno do", + "Issued By" : "Izdano od", + "Valid until %s" : "Validno do %s", + "Forum" : "Forum", + "None" : "Ništa", + "Login" : "Prijava", + "Plain" : "Čisti tekst", + "NT LAN Manager" : "NT LAN menedžer", + "Send mode" : "Način rada za slanje", + "Encryption" : "Šifriranje", + "From address" : "S adrese", + "mail" : "pošta", + "Authentication method" : "Metoda autentifikacije", + "Authentication required" : "Potrebna autentifikacija", + "Server address" : "Adresa servera", + "Port" : "Priključak", + "Credentials" : "Vjerodajnice", + "SMTP Username" : "SMTP Korisničko ime", + "SMTP Password" : "SMPT Lozinka", + "Store credentials" : "Spremi vjerodajnice", + "Test email settings" : "Postavke za testnu e-poštu", + "Send email" : "Pošalji e-poštu", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Samo-čitajuća konfiguracija je podešena. Ovo spriječava postavljanje neke konfiguracije putem web-sučelja. Nadalje, datoteka mora biti omogućena ručnu izmjenu pri svakom ažuriranju.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemorisanja kao što je Zend OPcache ili eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Regionalnu šemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", + "Execute one task with each page loaded" : "Izvrši jedan zadatak sa svakom učitanom stranicom", + "Version" : "Verzija", + "Sharing" : "Dijeljenje", + "Allow apps to use the Share API" : "Dozvoli aplikacijama korištenje Share API", + "Allow users to share via link" : "Dozvoli korisnicima dijeljenje putem veze", + "Allow public uploads" : "Dozvoli javno učitavanje", + "Enforce password protection" : "Nametni zaštitu lozinke", + "Set default expiration date" : "Postavite zadani datum isteka", + "Expire after " : "Istek nakon", + "days" : "dana", + "Enforce expiration date" : "Nametni datum isteka", + "Allow resharing" : "Dopustite ponovno dijeljenje", + "Restrict users to only share with users in their groups" : "Ograniči korisnike na međusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", + "Exclude groups from sharing" : "Isključite grupe iz dijeljenja", + "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe i dalje moći primati dijeljene resurse, ali ne i inicirati ih", + "Profile picture" : "Slika profila", + "Upload new" : "Učitaj novu", + "Remove image" : "Ukloni sliku", + "Cancel" : "Odustani", + "Email" : "E-pošta", + "Your email address" : "Vaša adresa e-pošte", + "Language" : "Jezik", + "Help translate" : "Pomozi prevesti", + "Password" : "Lozinka", + "Current password" : "Trenutna lozinka", + "New password" : "Nova lozinka", + "Change password" : "Promijeni lozinku", + "Username" : "Korisničko ime", + "Show storage location" : "Prikaži mjesto pohrane", + "Show user backend" : "Prikaži korisničku pozadinu (backend)", + "Show email address" : "Prikaži adresu e-pošte", + "Send email to new user" : "Pošalji e-poštu novom korisniku", + "E-Mail" : "E-pošta", + "Create" : "Kreiraj", + "Admin Recovery Password" : "Admin lozinka za oporavak", + "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tokom promjene lozinke", + "Everyone" : "Svi", + "Admins" : "Administratori", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molim unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", + "Unlimited" : "Neograničeno", + "Other" : "Ostali", + "Quota" : "Kvota", + "change full name" : "promijeni puno ime", + "set new password" : "postavi novu lozinku", + "change email address" : "promjeni adresu e-pošte", + "Default" : "Zadano" +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/bs.json b/settings/l10n/bs.json new file mode 100644 index 0000000000000..4e29c4d29a853 --- /dev/null +++ b/settings/l10n/bs.json @@ -0,0 +1,127 @@ +{ "translations": { + "Wrong password" : "Pogrešna lozinka", + "Saved" : "Spremljeno", + "No user supplied" : "Nijedan korisnik nije dostavljen", + "Unable to change password" : "Promjena lozinke nije moguća", + "Authentication error" : "Grešna autentifikacije", + "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za povratak. Molim provjerite lozinku i pokušajte ponovno.", + "Group already exists." : "Grupa već postoji.", + "Unable to add group." : "Nemoguće dodati grupu.", + "Unable to delete group." : "Nemoguće izbrisati grupu.", + "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu email trebate postaviti svoj korisnički email.", + "Invalid mail address" : "Nevažeća adresa e-pošte", + "Unable to create user." : "Nemoguće kreirati korisnika", + "Unable to delete user." : "Nemoguće izbrisati korisnika", + "Unable to change full name" : "Puno ime nije moguće promijeniti", + "Your full name has been changed." : "Vaše puno ime je promijenjeno.", + "Forbidden" : "Zabranjeno", + "Invalid user" : "Nevažeči korisnik", + "Unable to change mail address" : "Nemoguće je izmjeniti adresu e-pošte", + "Email saved" : "E-pošta je spremljena", + "Your %s account was created" : "Vaš %s račun je kreiran", + "Couldn't remove app." : "Nije moguće ukloniti aplikaciju.", + "Couldn't update app." : "Ažuriranje aplikacije nije moguće.", + "Add trusted domain" : "Dodaj pouzdanu domenu", + "Email sent" : "E-pošta je poslana", + "All" : "Sve", + "Update to %s" : "Ažuriraj na %s", + "Error while disabling app" : "Greška pri onemogućavanju aplikacije", + "Disable" : "Onemogući", + "Enable" : "Omogući", + "Error while enabling app" : "Greška pri omogućavanju aplikacije", + "Updated" : "Ažurirano", + "Valid until {date}" : "Validno do {date}", + "Delete" : "Izbriši", + "Select a profile picture" : "Odaberi sliku profila", + "Very weak password" : "Veoma slaba lozinka", + "Weak password" : "Slaba lozinka", + "So-so password" : "Tu-i-tamo lozinka", + "Good password" : "Dobra lozinka", + "Strong password" : "Jaka lozinka", + "Groups" : "Grupe", + "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", + "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", + "deleted {groupName}" : "izbrisana {groupName}", + "undo" : "poništi", + "never" : "nikad", + "deleted {userName}" : "izbrisan {userName}", + "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", + "A valid password must be provided" : "Nužno je navesti valjanu lozinku", + "A valid email must be provided" : "Nužno je navesti valjanu adresu e-pošte", + "Documentation:" : "Dokumentacija:", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Ova aplikacija se ne može instalirati zbog slijedećih neispunjenih ovisnosti:", + "Enable only for specific groups" : "Omogućite samo za specifične grupe", + "Common Name" : "Opće Ime", + "Valid until" : "Validno do", + "Issued By" : "Izdano od", + "Valid until %s" : "Validno do %s", + "Forum" : "Forum", + "None" : "Ništa", + "Login" : "Prijava", + "Plain" : "Čisti tekst", + "NT LAN Manager" : "NT LAN menedžer", + "Send mode" : "Način rada za slanje", + "Encryption" : "Šifriranje", + "From address" : "S adrese", + "mail" : "pošta", + "Authentication method" : "Metoda autentifikacije", + "Authentication required" : "Potrebna autentifikacija", + "Server address" : "Adresa servera", + "Port" : "Priključak", + "Credentials" : "Vjerodajnice", + "SMTP Username" : "SMTP Korisničko ime", + "SMTP Password" : "SMPT Lozinka", + "Store credentials" : "Spremi vjerodajnice", + "Test email settings" : "Postavke za testnu e-poštu", + "Send email" : "Pošalji e-poštu", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Samo-čitajuća konfiguracija je podešena. Ovo spriječava postavljanje neke konfiguracije putem web-sučelja. Nadalje, datoteka mora biti omogućena ručnu izmjenu pri svakom ažuriranju.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemorisanja kao što je Zend OPcache ili eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Regionalnu šemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", + "Execute one task with each page loaded" : "Izvrši jedan zadatak sa svakom učitanom stranicom", + "Version" : "Verzija", + "Sharing" : "Dijeljenje", + "Allow apps to use the Share API" : "Dozvoli aplikacijama korištenje Share API", + "Allow users to share via link" : "Dozvoli korisnicima dijeljenje putem veze", + "Allow public uploads" : "Dozvoli javno učitavanje", + "Enforce password protection" : "Nametni zaštitu lozinke", + "Set default expiration date" : "Postavite zadani datum isteka", + "Expire after " : "Istek nakon", + "days" : "dana", + "Enforce expiration date" : "Nametni datum isteka", + "Allow resharing" : "Dopustite ponovno dijeljenje", + "Restrict users to only share with users in their groups" : "Ograniči korisnike na međusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", + "Exclude groups from sharing" : "Isključite grupe iz dijeljenja", + "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe i dalje moći primati dijeljene resurse, ali ne i inicirati ih", + "Profile picture" : "Slika profila", + "Upload new" : "Učitaj novu", + "Remove image" : "Ukloni sliku", + "Cancel" : "Odustani", + "Email" : "E-pošta", + "Your email address" : "Vaša adresa e-pošte", + "Language" : "Jezik", + "Help translate" : "Pomozi prevesti", + "Password" : "Lozinka", + "Current password" : "Trenutna lozinka", + "New password" : "Nova lozinka", + "Change password" : "Promijeni lozinku", + "Username" : "Korisničko ime", + "Show storage location" : "Prikaži mjesto pohrane", + "Show user backend" : "Prikaži korisničku pozadinu (backend)", + "Show email address" : "Prikaži adresu e-pošte", + "Send email to new user" : "Pošalji e-poštu novom korisniku", + "E-Mail" : "E-pošta", + "Create" : "Kreiraj", + "Admin Recovery Password" : "Admin lozinka za oporavak", + "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tokom promjene lozinke", + "Everyone" : "Svi", + "Admins" : "Administratori", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molim unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", + "Unlimited" : "Neograničeno", + "Other" : "Ostali", + "Quota" : "Kvota", + "change full name" : "promijeni puno ime", + "set new password" : "postavi novu lozinku", + "change email address" : "promjeni adresu e-pošte", + "Default" : "Zadano" +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +} \ No newline at end of file diff --git a/settings/l10n/ca.js b/settings/l10n/ca.js index de3c5ae769023..516eff2bf3c66 100644 --- a/settings/l10n/ca.js +++ b/settings/l10n/ca.js @@ -330,6 +330,7 @@ OC.L10N.register( "change full name" : "canvia el nom complet", "set new password" : "estableix nova contrasenya", "change email address" : "canvi d'adreça de correu electrònic", - "Default" : "Per defecte" + "Default" : "Per defecte", + "Android app" : "Aplicació d'Android" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ca.json b/settings/l10n/ca.json index 269c8c07947d8..49832fefb0d1a 100644 --- a/settings/l10n/ca.json +++ b/settings/l10n/ca.json @@ -328,6 +328,7 @@ "change full name" : "canvia el nom complet", "set new password" : "estableix nova contrasenya", "change email address" : "canvi d'adreça de correu electrònic", - "Default" : "Per defecte" + "Default" : "Per defecte", + "Android app" : "Aplicació d'Android" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/cy_GB.js b/settings/l10n/cy_GB.js new file mode 100644 index 0000000000000..cb3faa9fe1e07 --- /dev/null +++ b/settings/l10n/cy_GB.js @@ -0,0 +1,20 @@ +OC.L10N.register( + "settings", + { + "Authentication error" : "Gwall dilysu", + "Email sent" : "Anfonwyd yr e-bost", + "Delete" : "Dileu", + "Groups" : "Grwpiau", + "undo" : "dadwneud", + "never" : "byth", + "None" : "Dim", + "Login" : "Mewngofnodi", + "Encryption" : "Amgryptiad", + "Cancel" : "Diddymu", + "Email" : "E-bost", + "Password" : "Cyfrinair", + "New password" : "Cyfrinair newydd", + "Username" : "Enw defnyddiwr", + "Other" : "Arall" +}, +"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;"); diff --git a/settings/l10n/cy_GB.json b/settings/l10n/cy_GB.json new file mode 100644 index 0000000000000..0a0ba60de690f --- /dev/null +++ b/settings/l10n/cy_GB.json @@ -0,0 +1,18 @@ +{ "translations": { + "Authentication error" : "Gwall dilysu", + "Email sent" : "Anfonwyd yr e-bost", + "Delete" : "Dileu", + "Groups" : "Grwpiau", + "undo" : "dadwneud", + "never" : "byth", + "None" : "Dim", + "Login" : "Mewngofnodi", + "Encryption" : "Amgryptiad", + "Cancel" : "Diddymu", + "Email" : "E-bost", + "Password" : "Cyfrinair", + "New password" : "Cyfrinair newydd", + "Username" : "Enw defnyddiwr", + "Other" : "Arall" +},"pluralForm" :"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;" +} \ No newline at end of file diff --git a/settings/l10n/da.js b/settings/l10n/da.js new file mode 100644 index 0000000000000..d1838ebc186eb --- /dev/null +++ b/settings/l10n/da.js @@ -0,0 +1,313 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} ændrede din adgangskode", + "You changed your password" : "Du ændrede din kode", + "Your password was reset by an administrator" : "Din adgangskode er blevet resat af en administrator", + "{actor} changed your email address" : "{actor} skiftede din e-mail adresse", + "You changed your email address" : "Du har ændret din email adresse", + "Your email address was changed by an administrator" : "Din email adresse er blevet ændret af en administrator", + "Security" : "Sikkerhed", + "You successfully logged in using two-factor authentication (%1$s)" : "Du loggede in ved at bruge two-factor authentication (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Et login forsøg mislykkedes med two-factor authentication (%1$s)", + "Your password or email was modified" : "Dit password eller email blev ændret", + "Your apps" : "Dine apps", + "Updates" : "Opdateringer", + "Enabled apps" : "Aktiverede apps", + "Disabled apps" : "Deaktiverede apps", + "App bundles" : "App bundles", + "Wrong password" : "Forkert kodeord", + "Saved" : "Gemt", + "No user supplied" : "Intet brugernavn givet", + "Unable to change password" : "Kunne ikke ændre kodeord", + "Authentication error" : "Adgangsfejl", + "Please provide an admin recovery password; otherwise, all user data will be lost." : "Angiv venligst en administrator gendannelseskode, ellers vil alt brugerdata gå tabt", + "Wrong admin recovery password. Please check the password and try again." : "Forkert admin gendannelseskode. Se venligst koden efter og prøv igen.", + "Backend doesn't support password change, but the user's encryption key was updated." : "Backend'en understøtter ikke skift af kodeord, men opdateringen af brugerens krypteringsnøgle blev gennemført.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "installation og opdatering af apps via app-butikken eller sammensluttet Cloud deling", + "Federated Cloud Sharing" : "Sammensluttet Cloud deling", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL bruger en forældet %s version (%s). Husk at opdatere dit styresystem ellers vil funktioner såsom %s ikke fungere pålideligt.", + "A problem occurred, please check your log files (Error: %s)" : "Der opstod en fejl - tjek venligst dine logfiler (fejl: %s)", + "Migration Completed" : "Overflytning blev fuldført", + "Group already exists." : "Gruppen findes allerede.", + "Unable to add group." : "Kan ikke tilføje gruppen.", + "Unable to delete group." : "Kan ikke slette gruppen.", + "Invalid SMTP password." : "Ikke gyldigt SMTP password", + "Email setting test" : "Test email-indstillinger", + "Well done, %s!" : "Godt gået, %s!", + "If you received this email, the email configuration seems to be correct." : "Hvis du har modtaget denne email, så er email konfigureret rigtigt.", + "Email could not be sent. Check your mail server log" : "Email kunne ikke sendes. Tjek din mail server log", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Der opstod et problem under afsendelse af e-mailen. Gennemse venligst dine indstillinger. (Fejl: %s)", + "You need to set your user email before being able to send test emails." : "Du skal angive din bruger-e-mail før der kan sendes test-e-mail.", + "Invalid mail address" : "Ugyldig mailadresse", + "No valid group selected" : "Ingen gyldig gruppe valgt", + "A user with that name already exists." : "Dette brugernavn eksistere allerede.", + "To send a password link to the user an email address is required." : "For at sende et password link til brugeren skal der bruges en email.", + "Unable to create user." : "Kan ikke oprette brugeren.", + "Unable to delete user." : "Kan ikke slette brugeren.", + "Error while enabling user." : "Fejl ved aktivering af bruger", + "Error while disabling user." : "Fejl ved deaktivering af bruger", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "For at verificerer din Twitter konto, post den følgende tweet på Twitter (Sørg for at poste det uden linjeskift)", + "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "For at bekræfte din hjemmeside, opbevare følgende indhold i din web-roden '.well-known/CloudIdVerificationCode.txt' \n(vær sikker på, at den fulde tekst er på en linje):", + "Settings saved" : "Indstillinger gemt", + "Unable to change full name" : "Ikke i stand til at ændre dit fulde navn", + "Unable to change email address" : "Kan ikke ændre emailadressen", + "Your full name has been changed." : "Dit fulde navn er blevet ændret.", + "Forbidden" : "Forbudt", + "Invalid user" : "Ugyldig bruger", + "Unable to change mail address" : "Kan ikke ændre mailadresse", + "Email saved" : "E-mailadressen er gemt", + "%1$s changed your password on %2$s." : "%1$s ændrede dit password på %2$s.", + "Your password on %s was changed." : "Dit password på %s blev ændret.", + "Your password on %s was reset by an administrator." : "Dit password på %s er blevet nulstillet af en administrator.", + "Password for %1$s changed on %2$s" : "Password for %1$s er ændret på %2$s", + "Password changed for %s" : "Password ændret for %s", + "If you did not request this, please contact an administrator." : "Kontakt en administrator, hvis du ikke har bedt om dette.", + "%1$s changed your email address on %2$s." : "%1$s ændrede din email på %2$s.", + "Your email address on %s was changed." : "Din email på %s blev ændret.", + "Your email address on %s was changed by an administrator." : "Din email adresse på %s er blevet ændret af en administrator", + "Email address for %1$s changed on %2$s" : "Email adresse for %1$s ændret på %2$s", + "Email address changed for %s" : "Email adresse ændret for %s", + "The new email address is %s" : "Den nye email adresse er %s", + "Your %s account was created" : "Din %s-konto blev oprettet", + "Welcome aboard" : "Velkommen ombord", + "Welcome aboard %s" : "velkommen ombord %s", + "Welcome to your %s account, you can add, protect, and share your data." : "Velkommen til din %s konto, du kan tilføje, beskytte og dele dine data.", + "Your username is: %s" : "Dit brugernavn er: %s", + "Set your password" : "Sæt dit password", + "Go to %s" : "Gå til %s", + "Install Client" : "Installer client", + "Password confirmation is required" : "Password beskæftigelse er påkrævet", + "Couldn't remove app." : "Kunne ikke fjerne app'en.", + "Couldn't update app." : "Kunne ikke opdatere app'en.", + "Are you really sure you want add {domain} as trusted domain?" : "Er du helt sikker på at du vil tilføje {domain} som et betroet domæne?", + "Add trusted domain" : "Tilføj et domæne som du har tillid til", + "Migration in progress. Please wait until the migration is finished" : "Immigration er i gang. Vent venligst indtil overflytningen er afsluttet", + "Migration started …" : "Migrering er påbegyndt...", + "Not saved" : "Ikke gemt", + "Sending…" : "Sender...", + "Email sent" : "E-mail afsendt", + "Official" : "Officiel", + "All" : "Alle", + "Update to %s" : "Opdatér til %s", + "No apps found for your version" : "Ingen apps fundet til din verion", + "The app will be downloaded from the app store" : "Appen vil blive downloaded fra app storen.", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Godkendte programmer er udviklet af betroet udviklere som har bestået en let sikkerheds gennemgang. De er aktivt vedligeholdt i et åben kode lager og udviklerne vurdere programmet til at være stabilt for normalt brug.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Dette program er ikke kontrolleret for sikkerhedsproblemer, og er nyt eller kendt for at være ustabilt. Installer på eget ansvar.", + "Disabling app …" : "Deaktiverer app...", + "Error while disabling app" : "Kunne ikke deaktivere app", + "Disable" : "Deaktiver", + "Enable" : "Aktiver", + "Enabling app …" : "Aktiverer app...", + "Error while enabling app" : "Kunne ikke aktivere app", + "Error: This app can not be enabled because it makes the server unstable" : "Fejl: Denne app kan ikke aktiveres fordi den gør serveren ustabil", + "Error: Could not disable broken app" : "Fejl: Kunne ikke deaktivere app", + "Error while disabling broken app" : "Fejl under deaktivering af ødelagt app", + "Updated" : "Opdateret", + "Removing …" : "Fjerner...", + "Remove" : "Fjern", + "Approved" : "Godkendt", + "Experimental" : "Eksperimentel", + "No apps found for {query}" : "Ingen apps fundet for {query}", + "Enable all" : "Aktiver alle", + "Allow filesystem access" : "Tillad filsystem adgang", + "Disconnect" : "Frakobl", + "Revoke" : "Tilbagekald", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome til Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS Client", + "Android Client" : "Android klient", + "Sync client - {os}" : "Synk klient - {os}", + "This session" : "Sessionen", + "Copy" : "Kopier", + "Copied!" : "Kopieret", + "Not supported!" : "Ikke understøttet", + "Press ⌘-C to copy." : "Tryk ⌘-C for at kopiere.", + "Press Ctrl-C to copy." : "Tryk Ctrl-C for kopi.", + "Error while loading browser sessions and device tokens" : "Fejl mens browser sessions og enhed tokens blev loadet.", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Der opstod en fejl. Upload venligst et ASCII-indkodet PEM-certifikat.", + "Valid until {date}" : "Gyldig indtil {date}", + "Delete" : "Slet", + "Local" : "Lokal", + "Private" : "Privat", + "Only visible to local users" : "Kun synlig for lokale brugere", + "Only visible to you" : "Kun synlig for dig", + "Contacts" : "Kontakter", + "Public" : "Offentlig", + "Verify" : "Bekræft", + "Verifying …" : "Bekræfter.....", + "Select a profile picture" : "Vælg et profilbillede", + "Very weak password" : "Meget svagt kodeord", + "Weak password" : "Svagt kodeord", + "So-so password" : "Jævnt kodeord", + "Good password" : "Godt kodeord", + "Strong password" : "Stærkt kodeord", + "Groups" : "Grupper", + "Unable to delete {objName}" : "Kunne ikke slette {objName}", + "A valid group name must be provided" : "Et gyldigt gruppenavn skal angives ", + "deleted {groupName}" : "slettede {groupName}", + "undo" : "fortryd", + "{size} used" : "{size} brugt", + "never" : "aldrig", + "deleted {userName}" : "slettede {userName}", + "Add group" : "Tilføj gruppe", + "no group" : "ingen gruppe", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Ændring af kodeordet vil føre til datatab, fordi datagendannelse ikke er tilgængelig for denne bruger", + "A valid username must be provided" : "Et gyldigt brugernavn skal angives", + "A valid password must be provided" : "En gyldig adgangskode skal angives", + "A valid email must be provided" : "Der skal angives en gyldig e-mail", + "Developer documentation" : "Dokumentation for udviklere", + "by %s" : "af %s", + "Documentation:" : "Dokumentation:", + "User documentation" : "Brugerdokumentation", + "Admin documentation" : "Admin-dokumentation", + "Show description …" : "Vis beskrivelse", + "Hide description …" : "Skjul beskrivelse", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Dette program kan ikke installeres, da følgende afhængigheder ikke imødekommes:", + "Enable only for specific groups" : "Aktivér kun for udvalgte grupper", + "Common Name" : "Almindeligt navn", + "Valid until" : "Gyldig indtil", + "Issued By" : "Udstedt af", + "Valid until %s" : "Gyldig indtil %s", + "Import root certificate" : "Importer rodcertifikat", + "Administrator documentation" : "Administratordokumentation", + "Online documentation" : "Online dokumentation", + "Forum" : "Forum", + "Getting help" : "Få hjælp", + "Commercial support" : "Kommerciel support", + "None" : "Ingen", + "Login" : "Login", + "Plain" : "Klartekst", + "NT LAN Manager" : "NT LAN Manager", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "E-mailserver", + "Open documentation" : "Åben dokumentation", + "Send mode" : "Tilstand for afsendelse", + "Encryption" : "Kryptering", + "From address" : "Fra adresse", + "mail" : "mail", + "Authentication method" : "Godkendelsesmetode", + "Authentication required" : "Godkendelse påkrævet", + "Server address" : "Serveradresse", + "Port" : "Port", + "Credentials" : "Brugeroplysninger", + "SMTP Username" : "SMTP Brugernavn", + "SMTP Password" : "SMTP Kodeord", + "Store credentials" : "Gem brugeroplysninger", + "Test email settings" : "Test e-mail-indstillinger", + "Send email" : "Send e-mail", + "Server-side encryption" : "Kryptering på serversiden", + "Enable server-side encryption" : "Slå kryptering til på serversiden", + "Please read carefully before activating server-side encryption: " : "Læs venligst dette omhyggeligt, før der aktivere kryptering på serversiden:", + "This is the final warning: Do you really want to enable encryption?" : "Dette er den sidste advarsel: Sikker på at du vil slå kryptering til?", + "Enable encryption" : "Slå kryptering til", + "No encryption module loaded, please enable an encryption module in the app menu." : "Der er ikke indlæst et krypteringsmodul - slå venligst et krypteringsmodul til i app-menuen.", + "Select default encryption module:" : "Vælg standardmodulet til kryptering:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen. Slå venligst \"Standardmodul til kryptering\" til, og kør \"occ encryption:migrate\"", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen.", + "Start migration" : "Påbegynd immigrering", + "Security & setup warnings" : "Advarsler om sikkerhed og opsætning", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Den skrivebeskyttede konfiguration er blevet slået til. Dette forhindrer indstillinger af nogle konfigurationer via webgrænsefladen. I tillæg skal filen gøres skrivbar manuelt for hver opdatering.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dette er sansynligvis forårsaget af et accelerator eller cache som Zend OPcache eller eAccelerator", + "System locale can not be set to a one which supports UTF-8." : "Systemets lokalitet kan ikke sættes til et der bruger UTF-8.", + "All checks passed." : "Alle tjek blev bestået.", + "Execute one task with each page loaded" : "Udføre en opgave med hver side indlæsning", + "Version" : "Version", + "Sharing" : "Deling", + "Allow apps to use the Share API" : "Tillad apps til at bruge Share API", + "Allow users to share via link" : "Tillad brugere at dele via link", + "Allow public uploads" : "Tillad offentlig upload", + "Always ask for a password" : "Altid spørg efter kodeord", + "Enforce password protection" : "Tving kodeords beskyttelse", + "Set default expiration date" : "Vælg standard udløbsdato", + "Expire after " : "Udløber efter", + "days" : "dage", + "Enforce expiration date" : "Påtving udløbsdato", + "Allow resharing" : "Tillad videredeling", + "Restrict users to only share with users in their groups" : "Begræns brugere til kun at dele med brugere i deres egen gruppe", + "Exclude groups from sharing" : "Ekskluder grupper fra at dele", + "These groups will still be able to receive shares, but not to initiate them." : "Disse grupper vil stadig kunne modtage delefiler, men ikke skabe dem.", + "Tips & tricks" : "Tips & tricks", + "How to do backups" : "Hvordan man laver sikkerhedskopier", + "Performance tuning" : "Ydelses optimering", + "Improving the config.php" : "Forbedring af config.php", + "Theming" : "Temaer", + "Hardening and security guidance" : "Modstanddygtighed og sikkerheds vejledning", + "Personal" : "Personligt", + "Administration" : "Administration", + "You are using %s of %s" : "Du bruger %s af %s", + "You are using %s of %s (%s %%)" : "Du bruger %s af %s (%s %%)", + "Profile picture" : "Profilbillede", + "Upload new" : "Upload nyt", + "Select from Files" : "Vælg fra filer", + "Remove image" : "Fjern billede", + "png or jpg, max. 20 MB" : "png eller jpg, max. 20 MB", + "Picture provided by original account" : "Billede leveret af den oprindelige konto", + "Cancel" : "Annuller", + "Choose as profile picture" : "Vælg et profilbillede", + "Full name" : "Fulde navn", + "No display name set" : "Der er ikke angivet skærmnavn", + "Email" : "E-mail", + "Your email address" : "Din e-mailadresse", + "No email address set" : "Der er ikke angivet e-mailadresse", + "For password reset and notifications" : "Til nulstilling af adgangskoder og meddelelser", + "Phone number" : "Telefon nummer", + "Your phone number" : "Dit telefon nummer", + "Address" : "Adresse", + "Your postal address" : "Dit Postnummer", + "Website" : "Hjemmeside", + "It can take up to 24 hours before the account is displayed as verified." : "Det kan tage op til 24 timer, før kontoen vises som verificeret.", + "Twitter" : "Twitter", + "Twitter handle @…" : "Twitter handle @…", + "You are member of the following groups:" : "Du er medlem af følgende grupper:", + "Language" : "Sprog", + "Help translate" : "Hjælp med oversættelsen", + "Password" : "Kodeord", + "Current password" : "Nuværende adgangskode", + "New password" : "Nyt kodeord", + "Change password" : "Skift kodeord", + "Web, desktop and mobile clients currently logged in to your account." : "Web, stationære og mobile klienter, der er logget ind på din konto.", + "Device" : "Enhed", + "Last activity" : "Sidste aktivitet", + "App name" : "App navn", + "Create new app password" : "Opret nyt app kodeord", + "Username" : "Brugernavn", + "Done" : "Færdig", + "Follow us on Google+" : "Følg os på Google+", + "Like our Facebook page" : "Følg os på Facebook", + "Follow us on Twitter" : "Følg os på Twitter", + "Settings" : "Indstillinger", + "Show storage location" : "Vis placering af lageret", + "Show user backend" : "Vis bruger-backend", + "Show last login" : "Vis seneste login", + "Show email address" : "Vis e-mailadresse", + "Send email to new user" : "Send e-mail til ny bruger", + "E-Mail" : "E-mail", + "Create" : "Ny", + "Admin Recovery Password" : "Administrator gendannelse kodeord", + "Enter the recovery password in order to recover the users files during password change" : "Indtast et gendannelse kodeord for, at kunne gendanne brugerens filer ved ændring af kodeord", + "Everyone" : "Alle", + "Admins" : "Administratore", + "Disabled" : "Deaktiveret", + "Default quota" : "Standard kvote", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Indtast venligst lagerkvote (f.eks. \"512 MB\" eller \"12 GB\")", + "Unlimited" : "Ubegrænset", + "Other" : "Andet", + "Group admin for" : "Gruppeadministrator for", + "Quota" : "Kvote", + "Storage location" : "Placering af lageret", + "User backend" : "Bruger-backend", + "Last login" : "Seneste login", + "change full name" : "ændre fulde navn", + "set new password" : "skift kodeord", + "change email address" : "skift e-mailadresse", + "Default" : "Standard" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/da.json b/settings/l10n/da.json new file mode 100644 index 0000000000000..5a43f159ecce9 --- /dev/null +++ b/settings/l10n/da.json @@ -0,0 +1,311 @@ +{ "translations": { + "{actor} changed your password" : "{actor} ændrede din adgangskode", + "You changed your password" : "Du ændrede din kode", + "Your password was reset by an administrator" : "Din adgangskode er blevet resat af en administrator", + "{actor} changed your email address" : "{actor} skiftede din e-mail adresse", + "You changed your email address" : "Du har ændret din email adresse", + "Your email address was changed by an administrator" : "Din email adresse er blevet ændret af en administrator", + "Security" : "Sikkerhed", + "You successfully logged in using two-factor authentication (%1$s)" : "Du loggede in ved at bruge two-factor authentication (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Et login forsøg mislykkedes med two-factor authentication (%1$s)", + "Your password or email was modified" : "Dit password eller email blev ændret", + "Your apps" : "Dine apps", + "Updates" : "Opdateringer", + "Enabled apps" : "Aktiverede apps", + "Disabled apps" : "Deaktiverede apps", + "App bundles" : "App bundles", + "Wrong password" : "Forkert kodeord", + "Saved" : "Gemt", + "No user supplied" : "Intet brugernavn givet", + "Unable to change password" : "Kunne ikke ændre kodeord", + "Authentication error" : "Adgangsfejl", + "Please provide an admin recovery password; otherwise, all user data will be lost." : "Angiv venligst en administrator gendannelseskode, ellers vil alt brugerdata gå tabt", + "Wrong admin recovery password. Please check the password and try again." : "Forkert admin gendannelseskode. Se venligst koden efter og prøv igen.", + "Backend doesn't support password change, but the user's encryption key was updated." : "Backend'en understøtter ikke skift af kodeord, men opdateringen af brugerens krypteringsnøgle blev gennemført.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "installation og opdatering af apps via app-butikken eller sammensluttet Cloud deling", + "Federated Cloud Sharing" : "Sammensluttet Cloud deling", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL bruger en forældet %s version (%s). Husk at opdatere dit styresystem ellers vil funktioner såsom %s ikke fungere pålideligt.", + "A problem occurred, please check your log files (Error: %s)" : "Der opstod en fejl - tjek venligst dine logfiler (fejl: %s)", + "Migration Completed" : "Overflytning blev fuldført", + "Group already exists." : "Gruppen findes allerede.", + "Unable to add group." : "Kan ikke tilføje gruppen.", + "Unable to delete group." : "Kan ikke slette gruppen.", + "Invalid SMTP password." : "Ikke gyldigt SMTP password", + "Email setting test" : "Test email-indstillinger", + "Well done, %s!" : "Godt gået, %s!", + "If you received this email, the email configuration seems to be correct." : "Hvis du har modtaget denne email, så er email konfigureret rigtigt.", + "Email could not be sent. Check your mail server log" : "Email kunne ikke sendes. Tjek din mail server log", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Der opstod et problem under afsendelse af e-mailen. Gennemse venligst dine indstillinger. (Fejl: %s)", + "You need to set your user email before being able to send test emails." : "Du skal angive din bruger-e-mail før der kan sendes test-e-mail.", + "Invalid mail address" : "Ugyldig mailadresse", + "No valid group selected" : "Ingen gyldig gruppe valgt", + "A user with that name already exists." : "Dette brugernavn eksistere allerede.", + "To send a password link to the user an email address is required." : "For at sende et password link til brugeren skal der bruges en email.", + "Unable to create user." : "Kan ikke oprette brugeren.", + "Unable to delete user." : "Kan ikke slette brugeren.", + "Error while enabling user." : "Fejl ved aktivering af bruger", + "Error while disabling user." : "Fejl ved deaktivering af bruger", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "For at verificerer din Twitter konto, post den følgende tweet på Twitter (Sørg for at poste det uden linjeskift)", + "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "For at bekræfte din hjemmeside, opbevare følgende indhold i din web-roden '.well-known/CloudIdVerificationCode.txt' \n(vær sikker på, at den fulde tekst er på en linje):", + "Settings saved" : "Indstillinger gemt", + "Unable to change full name" : "Ikke i stand til at ændre dit fulde navn", + "Unable to change email address" : "Kan ikke ændre emailadressen", + "Your full name has been changed." : "Dit fulde navn er blevet ændret.", + "Forbidden" : "Forbudt", + "Invalid user" : "Ugyldig bruger", + "Unable to change mail address" : "Kan ikke ændre mailadresse", + "Email saved" : "E-mailadressen er gemt", + "%1$s changed your password on %2$s." : "%1$s ændrede dit password på %2$s.", + "Your password on %s was changed." : "Dit password på %s blev ændret.", + "Your password on %s was reset by an administrator." : "Dit password på %s er blevet nulstillet af en administrator.", + "Password for %1$s changed on %2$s" : "Password for %1$s er ændret på %2$s", + "Password changed for %s" : "Password ændret for %s", + "If you did not request this, please contact an administrator." : "Kontakt en administrator, hvis du ikke har bedt om dette.", + "%1$s changed your email address on %2$s." : "%1$s ændrede din email på %2$s.", + "Your email address on %s was changed." : "Din email på %s blev ændret.", + "Your email address on %s was changed by an administrator." : "Din email adresse på %s er blevet ændret af en administrator", + "Email address for %1$s changed on %2$s" : "Email adresse for %1$s ændret på %2$s", + "Email address changed for %s" : "Email adresse ændret for %s", + "The new email address is %s" : "Den nye email adresse er %s", + "Your %s account was created" : "Din %s-konto blev oprettet", + "Welcome aboard" : "Velkommen ombord", + "Welcome aboard %s" : "velkommen ombord %s", + "Welcome to your %s account, you can add, protect, and share your data." : "Velkommen til din %s konto, du kan tilføje, beskytte og dele dine data.", + "Your username is: %s" : "Dit brugernavn er: %s", + "Set your password" : "Sæt dit password", + "Go to %s" : "Gå til %s", + "Install Client" : "Installer client", + "Password confirmation is required" : "Password beskæftigelse er påkrævet", + "Couldn't remove app." : "Kunne ikke fjerne app'en.", + "Couldn't update app." : "Kunne ikke opdatere app'en.", + "Are you really sure you want add {domain} as trusted domain?" : "Er du helt sikker på at du vil tilføje {domain} som et betroet domæne?", + "Add trusted domain" : "Tilføj et domæne som du har tillid til", + "Migration in progress. Please wait until the migration is finished" : "Immigration er i gang. Vent venligst indtil overflytningen er afsluttet", + "Migration started …" : "Migrering er påbegyndt...", + "Not saved" : "Ikke gemt", + "Sending…" : "Sender...", + "Email sent" : "E-mail afsendt", + "Official" : "Officiel", + "All" : "Alle", + "Update to %s" : "Opdatér til %s", + "No apps found for your version" : "Ingen apps fundet til din verion", + "The app will be downloaded from the app store" : "Appen vil blive downloaded fra app storen.", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Godkendte programmer er udviklet af betroet udviklere som har bestået en let sikkerheds gennemgang. De er aktivt vedligeholdt i et åben kode lager og udviklerne vurdere programmet til at være stabilt for normalt brug.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Dette program er ikke kontrolleret for sikkerhedsproblemer, og er nyt eller kendt for at være ustabilt. Installer på eget ansvar.", + "Disabling app …" : "Deaktiverer app...", + "Error while disabling app" : "Kunne ikke deaktivere app", + "Disable" : "Deaktiver", + "Enable" : "Aktiver", + "Enabling app …" : "Aktiverer app...", + "Error while enabling app" : "Kunne ikke aktivere app", + "Error: This app can not be enabled because it makes the server unstable" : "Fejl: Denne app kan ikke aktiveres fordi den gør serveren ustabil", + "Error: Could not disable broken app" : "Fejl: Kunne ikke deaktivere app", + "Error while disabling broken app" : "Fejl under deaktivering af ødelagt app", + "Updated" : "Opdateret", + "Removing …" : "Fjerner...", + "Remove" : "Fjern", + "Approved" : "Godkendt", + "Experimental" : "Eksperimentel", + "No apps found for {query}" : "Ingen apps fundet for {query}", + "Enable all" : "Aktiver alle", + "Allow filesystem access" : "Tillad filsystem adgang", + "Disconnect" : "Frakobl", + "Revoke" : "Tilbagekald", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome til Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS Client", + "Android Client" : "Android klient", + "Sync client - {os}" : "Synk klient - {os}", + "This session" : "Sessionen", + "Copy" : "Kopier", + "Copied!" : "Kopieret", + "Not supported!" : "Ikke understøttet", + "Press ⌘-C to copy." : "Tryk ⌘-C for at kopiere.", + "Press Ctrl-C to copy." : "Tryk Ctrl-C for kopi.", + "Error while loading browser sessions and device tokens" : "Fejl mens browser sessions og enhed tokens blev loadet.", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Der opstod en fejl. Upload venligst et ASCII-indkodet PEM-certifikat.", + "Valid until {date}" : "Gyldig indtil {date}", + "Delete" : "Slet", + "Local" : "Lokal", + "Private" : "Privat", + "Only visible to local users" : "Kun synlig for lokale brugere", + "Only visible to you" : "Kun synlig for dig", + "Contacts" : "Kontakter", + "Public" : "Offentlig", + "Verify" : "Bekræft", + "Verifying …" : "Bekræfter.....", + "Select a profile picture" : "Vælg et profilbillede", + "Very weak password" : "Meget svagt kodeord", + "Weak password" : "Svagt kodeord", + "So-so password" : "Jævnt kodeord", + "Good password" : "Godt kodeord", + "Strong password" : "Stærkt kodeord", + "Groups" : "Grupper", + "Unable to delete {objName}" : "Kunne ikke slette {objName}", + "A valid group name must be provided" : "Et gyldigt gruppenavn skal angives ", + "deleted {groupName}" : "slettede {groupName}", + "undo" : "fortryd", + "{size} used" : "{size} brugt", + "never" : "aldrig", + "deleted {userName}" : "slettede {userName}", + "Add group" : "Tilføj gruppe", + "no group" : "ingen gruppe", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Ændring af kodeordet vil føre til datatab, fordi datagendannelse ikke er tilgængelig for denne bruger", + "A valid username must be provided" : "Et gyldigt brugernavn skal angives", + "A valid password must be provided" : "En gyldig adgangskode skal angives", + "A valid email must be provided" : "Der skal angives en gyldig e-mail", + "Developer documentation" : "Dokumentation for udviklere", + "by %s" : "af %s", + "Documentation:" : "Dokumentation:", + "User documentation" : "Brugerdokumentation", + "Admin documentation" : "Admin-dokumentation", + "Show description …" : "Vis beskrivelse", + "Hide description …" : "Skjul beskrivelse", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Dette program kan ikke installeres, da følgende afhængigheder ikke imødekommes:", + "Enable only for specific groups" : "Aktivér kun for udvalgte grupper", + "Common Name" : "Almindeligt navn", + "Valid until" : "Gyldig indtil", + "Issued By" : "Udstedt af", + "Valid until %s" : "Gyldig indtil %s", + "Import root certificate" : "Importer rodcertifikat", + "Administrator documentation" : "Administratordokumentation", + "Online documentation" : "Online dokumentation", + "Forum" : "Forum", + "Getting help" : "Få hjælp", + "Commercial support" : "Kommerciel support", + "None" : "Ingen", + "Login" : "Login", + "Plain" : "Klartekst", + "NT LAN Manager" : "NT LAN Manager", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "E-mailserver", + "Open documentation" : "Åben dokumentation", + "Send mode" : "Tilstand for afsendelse", + "Encryption" : "Kryptering", + "From address" : "Fra adresse", + "mail" : "mail", + "Authentication method" : "Godkendelsesmetode", + "Authentication required" : "Godkendelse påkrævet", + "Server address" : "Serveradresse", + "Port" : "Port", + "Credentials" : "Brugeroplysninger", + "SMTP Username" : "SMTP Brugernavn", + "SMTP Password" : "SMTP Kodeord", + "Store credentials" : "Gem brugeroplysninger", + "Test email settings" : "Test e-mail-indstillinger", + "Send email" : "Send e-mail", + "Server-side encryption" : "Kryptering på serversiden", + "Enable server-side encryption" : "Slå kryptering til på serversiden", + "Please read carefully before activating server-side encryption: " : "Læs venligst dette omhyggeligt, før der aktivere kryptering på serversiden:", + "This is the final warning: Do you really want to enable encryption?" : "Dette er den sidste advarsel: Sikker på at du vil slå kryptering til?", + "Enable encryption" : "Slå kryptering til", + "No encryption module loaded, please enable an encryption module in the app menu." : "Der er ikke indlæst et krypteringsmodul - slå venligst et krypteringsmodul til i app-menuen.", + "Select default encryption module:" : "Vælg standardmodulet til kryptering:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen. Slå venligst \"Standardmodul til kryptering\" til, og kør \"occ encryption:migrate\"", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du skal immigrere dine krypteringsnøgler fra den gamle kryptering (ownCloud <= 8.0) til den nye af slagsen.", + "Start migration" : "Påbegynd immigrering", + "Security & setup warnings" : "Advarsler om sikkerhed og opsætning", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Den skrivebeskyttede konfiguration er blevet slået til. Dette forhindrer indstillinger af nogle konfigurationer via webgrænsefladen. I tillæg skal filen gøres skrivbar manuelt for hver opdatering.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dette er sansynligvis forårsaget af et accelerator eller cache som Zend OPcache eller eAccelerator", + "System locale can not be set to a one which supports UTF-8." : "Systemets lokalitet kan ikke sættes til et der bruger UTF-8.", + "All checks passed." : "Alle tjek blev bestået.", + "Execute one task with each page loaded" : "Udføre en opgave med hver side indlæsning", + "Version" : "Version", + "Sharing" : "Deling", + "Allow apps to use the Share API" : "Tillad apps til at bruge Share API", + "Allow users to share via link" : "Tillad brugere at dele via link", + "Allow public uploads" : "Tillad offentlig upload", + "Always ask for a password" : "Altid spørg efter kodeord", + "Enforce password protection" : "Tving kodeords beskyttelse", + "Set default expiration date" : "Vælg standard udløbsdato", + "Expire after " : "Udløber efter", + "days" : "dage", + "Enforce expiration date" : "Påtving udløbsdato", + "Allow resharing" : "Tillad videredeling", + "Restrict users to only share with users in their groups" : "Begræns brugere til kun at dele med brugere i deres egen gruppe", + "Exclude groups from sharing" : "Ekskluder grupper fra at dele", + "These groups will still be able to receive shares, but not to initiate them." : "Disse grupper vil stadig kunne modtage delefiler, men ikke skabe dem.", + "Tips & tricks" : "Tips & tricks", + "How to do backups" : "Hvordan man laver sikkerhedskopier", + "Performance tuning" : "Ydelses optimering", + "Improving the config.php" : "Forbedring af config.php", + "Theming" : "Temaer", + "Hardening and security guidance" : "Modstanddygtighed og sikkerheds vejledning", + "Personal" : "Personligt", + "Administration" : "Administration", + "You are using %s of %s" : "Du bruger %s af %s", + "You are using %s of %s (%s %%)" : "Du bruger %s af %s (%s %%)", + "Profile picture" : "Profilbillede", + "Upload new" : "Upload nyt", + "Select from Files" : "Vælg fra filer", + "Remove image" : "Fjern billede", + "png or jpg, max. 20 MB" : "png eller jpg, max. 20 MB", + "Picture provided by original account" : "Billede leveret af den oprindelige konto", + "Cancel" : "Annuller", + "Choose as profile picture" : "Vælg et profilbillede", + "Full name" : "Fulde navn", + "No display name set" : "Der er ikke angivet skærmnavn", + "Email" : "E-mail", + "Your email address" : "Din e-mailadresse", + "No email address set" : "Der er ikke angivet e-mailadresse", + "For password reset and notifications" : "Til nulstilling af adgangskoder og meddelelser", + "Phone number" : "Telefon nummer", + "Your phone number" : "Dit telefon nummer", + "Address" : "Adresse", + "Your postal address" : "Dit Postnummer", + "Website" : "Hjemmeside", + "It can take up to 24 hours before the account is displayed as verified." : "Det kan tage op til 24 timer, før kontoen vises som verificeret.", + "Twitter" : "Twitter", + "Twitter handle @…" : "Twitter handle @…", + "You are member of the following groups:" : "Du er medlem af følgende grupper:", + "Language" : "Sprog", + "Help translate" : "Hjælp med oversættelsen", + "Password" : "Kodeord", + "Current password" : "Nuværende adgangskode", + "New password" : "Nyt kodeord", + "Change password" : "Skift kodeord", + "Web, desktop and mobile clients currently logged in to your account." : "Web, stationære og mobile klienter, der er logget ind på din konto.", + "Device" : "Enhed", + "Last activity" : "Sidste aktivitet", + "App name" : "App navn", + "Create new app password" : "Opret nyt app kodeord", + "Username" : "Brugernavn", + "Done" : "Færdig", + "Follow us on Google+" : "Følg os på Google+", + "Like our Facebook page" : "Følg os på Facebook", + "Follow us on Twitter" : "Følg os på Twitter", + "Settings" : "Indstillinger", + "Show storage location" : "Vis placering af lageret", + "Show user backend" : "Vis bruger-backend", + "Show last login" : "Vis seneste login", + "Show email address" : "Vis e-mailadresse", + "Send email to new user" : "Send e-mail til ny bruger", + "E-Mail" : "E-mail", + "Create" : "Ny", + "Admin Recovery Password" : "Administrator gendannelse kodeord", + "Enter the recovery password in order to recover the users files during password change" : "Indtast et gendannelse kodeord for, at kunne gendanne brugerens filer ved ændring af kodeord", + "Everyone" : "Alle", + "Admins" : "Administratore", + "Disabled" : "Deaktiveret", + "Default quota" : "Standard kvote", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Indtast venligst lagerkvote (f.eks. \"512 MB\" eller \"12 GB\")", + "Unlimited" : "Ubegrænset", + "Other" : "Andet", + "Group admin for" : "Gruppeadministrator for", + "Quota" : "Kvote", + "Storage location" : "Placering af lageret", + "User backend" : "Bruger-backend", + "Last login" : "Seneste login", + "change full name" : "ændre fulde navn", + "set new password" : "skift kodeord", + "change email address" : "skift e-mailadresse", + "Default" : "Standard" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/en_GB.js b/settings/l10n/en_GB.js index 1d655193bcb45..bb40366ef9bcf 100644 --- a/settings/l10n/en_GB.js +++ b/settings/l10n/en_GB.js @@ -384,6 +384,45 @@ OC.L10N.register( "set new password" : "set new password", "change email address" : "change email address", "Default" : "Default", - "__language_name__" : "English (British English)" + "_You have %n app update pending_::_You have %n app updates pending_" : ["You have %n app update pending","You have %n app updates pending"], + "Updating...." : "Updating....", + "Error while updating app" : "Error while updating app", + "Error while removing app" : "Error while removing app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds.", + "App update" : "App update", + "__language_name__" : "English (British English)", + "Verifying" : "Verifying", + "Personal info" : "Personal info", + "Sync clients" : "Sync clients", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information.", + "This means that there might be problems with certain characters in file names." : "This means that there might be problems with certain characters in file names.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "We strongly suggest installing the required packages on your system to support one of the following locales: %s.", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Please double check the installation guides ↗, and check for any errors or warnings in the log.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php is registered at a webcron service to call cron.php every 15 minutes over http.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗.", + "Get the apps to sync your files" : "Get the apps to sync your files", + "Desktop client" : "Desktop client", + "Android app" : "Android app", + "iOS app" : "iOS app", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!", + "Show First Run Wizard again" : "Show First Run Wizard again", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobile clients and app specific passwords that currently have access to your account.", + "App passwords" : "App passwords", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too.", + "Follow us on Google+!" : "Follow us on Google+!", + "Like our facebook page!" : "Like our facebook page!", + "Follow us on Twitter!" : "Follow us on Twitter!", + "Check out our blog!" : "Check out our blog!", + "Subscribe to our newsletter!" : "Subscribe to our newsletter!", + "Group name" : "Group name" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/en_GB.json b/settings/l10n/en_GB.json index 6c031ac99266c..8a449d5470dba 100644 --- a/settings/l10n/en_GB.json +++ b/settings/l10n/en_GB.json @@ -382,6 +382,45 @@ "set new password" : "set new password", "change email address" : "change email address", "Default" : "Default", - "__language_name__" : "English (British English)" + "_You have %n app update pending_::_You have %n app updates pending_" : ["You have %n app update pending","You have %n app updates pending"], + "Updating...." : "Updating....", + "Error while updating app" : "Error while updating app", + "Error while removing app" : "Error while removing app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds.", + "App update" : "App update", + "__language_name__" : "English (British English)", + "Verifying" : "Verifying", + "Personal info" : "Personal info", + "Sync clients" : "Sync clients", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information.", + "This means that there might be problems with certain characters in file names." : "This means that there might be problems with certain characters in file names.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "We strongly suggest installing the required packages on your system to support one of the following locales: %s.", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Please double check the installation guides ↗, and check for any errors or warnings in the log.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php is registered at a webcron service to call cron.php every 15 minutes over http.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗.", + "Get the apps to sync your files" : "Get the apps to sync your files", + "Desktop client" : "Desktop client", + "Android app" : "Android app", + "iOS app" : "iOS app", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!", + "Show First Run Wizard again" : "Show First Run Wizard again", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobile clients and app specific passwords that currently have access to your account.", + "App passwords" : "App passwords", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too.", + "Follow us on Google+!" : "Follow us on Google+!", + "Like our facebook page!" : "Like our facebook page!", + "Follow us on Twitter!" : "Follow us on Twitter!", + "Check out our blog!" : "Check out our blog!", + "Subscribe to our newsletter!" : "Subscribe to our newsletter!", + "Group name" : "Group name" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/eo.js b/settings/l10n/eo.js new file mode 100644 index 0000000000000..0bc751d9352c1 --- /dev/null +++ b/settings/l10n/eo.js @@ -0,0 +1,105 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Malĝusta pasvorto", + "Saved" : "Konservita", + "Unable to change password" : "Ne eblis ŝanĝi la pasvorton", + "Authentication error" : "Aŭtentiga eraro", + "Federated Cloud Sharing" : "Federnuba kunhavado", + "Group already exists." : "Grupo jam ekzistas", + "Unable to change full name" : "Ne eblis ŝanĝi la plenan nomon", + "Your full name has been changed." : "Via plena nomo ŝanĝitas.", + "Email saved" : "La retpoŝtadreso konserviĝis", + "Couldn't update app." : "Ne eblis ĝisdatigi la aplikaĵon.", + "Email sent" : "La retpoŝtaĵo sendiĝis", + "All" : "Ĉio", + "Error while disabling app" : "Eraris malkapabligo de aplikaĵo", + "Disable" : "Malkapabligi", + "Enable" : "Kapabligi", + "Error while enabling app" : "Eraris kapabligo de aplikaĵo", + "Updated" : "Ĝisdatigita", + "Delete" : "Forigi", + "Select a profile picture" : "Elekti profilan bildon", + "Very weak password" : "Tre malforta pasvorto", + "Weak password" : "Malforta pasvorto", + "So-so password" : "Mezaĉa pasvorto", + "Good password" : "Bona pasvorto", + "Strong password" : "Forta pasvorto", + "Groups" : "Grupoj", + "deleted {groupName}" : "{groupName} foriĝis", + "undo" : "malfari", + "never" : "neniam", + "deleted {userName}" : "{userName} foriĝis", + "A valid username must be provided" : "Valida uzantonomo devas proviziĝi", + "A valid password must be provided" : "Valida pasvorto devas proviziĝi", + "by %s" : "de %s", + "%s-licensed" : "%s-permesila", + "Documentation:" : "Dokumentaro:", + "User documentation" : "Uzodokumentaro", + "Admin documentation" : "Administrodokumentaro", + "Show description …" : "Montri priskribon...", + "Hide description …" : "Malmontri priskribon...", + "Enable only for specific groups" : "Kapabligi nur por specifajn grupojn", + "Common Name" : "Komuna nomo", + "Valid until" : "Valida ĝis", + "Valid until %s" : "Valida ĝis %s", + "Administrator documentation" : "Administrodokumentaro", + "Forum" : "Forumo", + "Commercial support" : "Komerca subteno", + "None" : "Nenio", + "Login" : "Ensaluti", + "Email server" : "Retpoŝtoservilo", + "Open documentation" : "Malfermi la dokumentaron", + "Send mode" : "Sendi pli", + "Encryption" : "Ĉifrado", + "From address" : "El adreso", + "mail" : "retpoŝto", + "Authentication method" : "Aŭtentiga metodo", + "Authentication required" : "Aŭtentiĝo nepras", + "Server address" : "Servila adreso", + "Port" : "Pordo", + "Credentials" : "Aŭtentigiloj", + "SMTP Username" : "SMTP-uzantonomo", + "SMTP Password" : "SMTP-pasvorto", + "Test email settings" : "Provi retpoŝtagordon", + "Send email" : "Sendi retpoŝton", + "This is the final warning: Do you really want to enable encryption?" : "Jen la fina averto: ĉu vi certe volas kapabligi ĉifradon?", + "Enable encryption" : "Kapabligi ĉifradon", + "Version" : "Eldono", + "Sharing" : "Kunhavigo", + "Allow apps to use the Share API" : "Kapabligi aplikaĵojn uzi la API-on pri Kunhavigo", + "Allow users to share via link" : "Permesi uzantojn kunhavigi ligile", + "Allow public uploads" : "Permesi publikajn alŝutojn", + "Expire after " : "Eksvalidigi post", + "days" : "tagoj", + "Allow resharing" : "Kapabligi rekunhavigon", + "Profile picture" : "Profila bildo", + "Upload new" : "Alŝuti novan", + "Select from Files" : "Elekti el Dosieroj", + "Remove image" : "Forigi bildon", + "Cancel" : "Nuligi", + "Full name" : "Plena nomo", + "Email" : "Retpoŝto", + "Your email address" : "Via retpoŝta adreso", + "Language" : "Lingvo", + "Help translate" : "Helpu traduki", + "Password" : "Pasvorto", + "Current password" : "Nuna pasvorto", + "New password" : "Nova pasvorto", + "Change password" : "Ŝanĝi la pasvorton", + "Username" : "Uzantonomo", + "Done" : "Farita", + "Show user backend" : "Montri uzantomotoron", + "E-Mail" : "Retpoŝtadreso", + "Create" : "Krei", + "Everyone" : "Ĉiuj", + "Admins" : "Administrantoj", + "Unlimited" : "Senlima", + "Other" : "Alia", + "Quota" : "Kvoto", + "change full name" : "ŝanĝi plenan nomon", + "set new password" : "agordi novan pasvorton", + "change email address" : "ŝanĝi retpoŝtadreson", + "Default" : "Defaŭlta" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/eo.json b/settings/l10n/eo.json new file mode 100644 index 0000000000000..41ce349457aca --- /dev/null +++ b/settings/l10n/eo.json @@ -0,0 +1,103 @@ +{ "translations": { + "Wrong password" : "Malĝusta pasvorto", + "Saved" : "Konservita", + "Unable to change password" : "Ne eblis ŝanĝi la pasvorton", + "Authentication error" : "Aŭtentiga eraro", + "Federated Cloud Sharing" : "Federnuba kunhavado", + "Group already exists." : "Grupo jam ekzistas", + "Unable to change full name" : "Ne eblis ŝanĝi la plenan nomon", + "Your full name has been changed." : "Via plena nomo ŝanĝitas.", + "Email saved" : "La retpoŝtadreso konserviĝis", + "Couldn't update app." : "Ne eblis ĝisdatigi la aplikaĵon.", + "Email sent" : "La retpoŝtaĵo sendiĝis", + "All" : "Ĉio", + "Error while disabling app" : "Eraris malkapabligo de aplikaĵo", + "Disable" : "Malkapabligi", + "Enable" : "Kapabligi", + "Error while enabling app" : "Eraris kapabligo de aplikaĵo", + "Updated" : "Ĝisdatigita", + "Delete" : "Forigi", + "Select a profile picture" : "Elekti profilan bildon", + "Very weak password" : "Tre malforta pasvorto", + "Weak password" : "Malforta pasvorto", + "So-so password" : "Mezaĉa pasvorto", + "Good password" : "Bona pasvorto", + "Strong password" : "Forta pasvorto", + "Groups" : "Grupoj", + "deleted {groupName}" : "{groupName} foriĝis", + "undo" : "malfari", + "never" : "neniam", + "deleted {userName}" : "{userName} foriĝis", + "A valid username must be provided" : "Valida uzantonomo devas proviziĝi", + "A valid password must be provided" : "Valida pasvorto devas proviziĝi", + "by %s" : "de %s", + "%s-licensed" : "%s-permesila", + "Documentation:" : "Dokumentaro:", + "User documentation" : "Uzodokumentaro", + "Admin documentation" : "Administrodokumentaro", + "Show description …" : "Montri priskribon...", + "Hide description …" : "Malmontri priskribon...", + "Enable only for specific groups" : "Kapabligi nur por specifajn grupojn", + "Common Name" : "Komuna nomo", + "Valid until" : "Valida ĝis", + "Valid until %s" : "Valida ĝis %s", + "Administrator documentation" : "Administrodokumentaro", + "Forum" : "Forumo", + "Commercial support" : "Komerca subteno", + "None" : "Nenio", + "Login" : "Ensaluti", + "Email server" : "Retpoŝtoservilo", + "Open documentation" : "Malfermi la dokumentaron", + "Send mode" : "Sendi pli", + "Encryption" : "Ĉifrado", + "From address" : "El adreso", + "mail" : "retpoŝto", + "Authentication method" : "Aŭtentiga metodo", + "Authentication required" : "Aŭtentiĝo nepras", + "Server address" : "Servila adreso", + "Port" : "Pordo", + "Credentials" : "Aŭtentigiloj", + "SMTP Username" : "SMTP-uzantonomo", + "SMTP Password" : "SMTP-pasvorto", + "Test email settings" : "Provi retpoŝtagordon", + "Send email" : "Sendi retpoŝton", + "This is the final warning: Do you really want to enable encryption?" : "Jen la fina averto: ĉu vi certe volas kapabligi ĉifradon?", + "Enable encryption" : "Kapabligi ĉifradon", + "Version" : "Eldono", + "Sharing" : "Kunhavigo", + "Allow apps to use the Share API" : "Kapabligi aplikaĵojn uzi la API-on pri Kunhavigo", + "Allow users to share via link" : "Permesi uzantojn kunhavigi ligile", + "Allow public uploads" : "Permesi publikajn alŝutojn", + "Expire after " : "Eksvalidigi post", + "days" : "tagoj", + "Allow resharing" : "Kapabligi rekunhavigon", + "Profile picture" : "Profila bildo", + "Upload new" : "Alŝuti novan", + "Select from Files" : "Elekti el Dosieroj", + "Remove image" : "Forigi bildon", + "Cancel" : "Nuligi", + "Full name" : "Plena nomo", + "Email" : "Retpoŝto", + "Your email address" : "Via retpoŝta adreso", + "Language" : "Lingvo", + "Help translate" : "Helpu traduki", + "Password" : "Pasvorto", + "Current password" : "Nuna pasvorto", + "New password" : "Nova pasvorto", + "Change password" : "Ŝanĝi la pasvorton", + "Username" : "Uzantonomo", + "Done" : "Farita", + "Show user backend" : "Montri uzantomotoron", + "E-Mail" : "Retpoŝtadreso", + "Create" : "Krei", + "Everyone" : "Ĉiuj", + "Admins" : "Administrantoj", + "Unlimited" : "Senlima", + "Other" : "Alia", + "Quota" : "Kvoto", + "change full name" : "ŝanĝi plenan nomon", + "set new password" : "agordi novan pasvorton", + "change email address" : "ŝanĝi retpoŝtadreson", + "Default" : "Defaŭlta" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/es.js b/settings/l10n/es.js index bcaafec56d711..4b170df5cf28a 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -383,6 +383,46 @@ OC.L10N.register( "change full name" : "cambiar el nombre completo", "set new password" : "establecer nueva contraseña", "change email address" : "cambiar dirección de correo electrónico", - "Default" : "Predeterminado" + "Default" : "Predeterminado", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Tienes %n actualización de app pendiente","Tiene %n actualizaciones de app pendientes"], + "Updating...." : "Actualizando...", + "Error while updating app" : "Error mientras se actualizaba la aplicación", + "Error while removing app" : "Error al eliminar la app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "La app ha sido activada pero tiene que actualizarse. Serás redirigido a la página de actualización en 5 segundos.", + "App update" : "Actualización de la aplicación", + "__language_name__" : "Español", + "Verifying" : "Verificando", + "Personal info" : "Información personal", + "Sync clients" : "Clientes de sincronización", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Es importante para la seguridad y buen funcionamiento de tu instancia que todo esté configurado correctamente. Para ayudarte con esto, vamos a hacer algunas comprobaciones automáticas. Por favor, comprueba la sección 'Sugerencias y trucos' y la documentación para más información.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP parece no estar configurado correctamente para consultar las variables de entorno del sistema. La prueba con getenv(\"PATH\") solo devuelve una respuesta vacía.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Por favor, comprueba la documentación de instalación ↗ para notas sobre configuración de php y la configuración de php en tu servidor, especialmente cuando se usa php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "Aparentemente, PHP está configurado para eliminar los bloques inline de documentos. Esto hará inaccesibles muchas apps del núcleo.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s bajo la versión %2$s instalado. Por motivos de estabilidad y funcionamiento, recomendamos actualizar a una versión más moderna de %1$s.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Falta el módulo PHP 'fileinfo'. Recomendamos encarecidamente activar este módulo para conseguir los mejores resultados en la detección de tipos MIME.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "El bloqueo transaccional de archivos está desactivado. Esto puede provocar problemas en ciertas condiciones. Activa 'filelocking.enabled' en config.php para evitar estos problemas. Mira la documentación ↗ para más información.", + "This means that there might be problems with certain characters in file names." : "Esto significa que podría haber problemas con ciertos caracteres en los nombres de archivos.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Recomendamos encarecidamente instalar los paquetes requeridos en tu sistema para soportar una de las siguientes locales: %s.", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Si tu instalación no está localizada en la raíz del dominio y usa el cron del sistema, puede haber problemas con la generación de URL. Para evitar estos problemas, por favor, activa la opción \"overwrite.cli.url\" en tu archivo config.php a la ruta de la raíz web de tu instalación (sugerencia: \"%s\").", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "No se ha podido ejecutar el trabajo cron vía CLI. Han aparecido los siguientes errores técnicos:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Por favor, vuelve a comprobar las guías de instalación ↗ y comprueba posibles errores y advertencias en el registro. ", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php está registrado en un servicio webcron para llamar a cron.php cada 15 minutos sobre http.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Para ejecutar esto, necesitas la extesión PHP posix. Ver la {linkstart}documentación de PHP{linkend} para más detalles.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos, usa la herramienta de línea de comandos: ''occ db:convert-type', o mira la documentación ↗.", + "Get the apps to sync your files" : "Consigue las apps para sincronizar tus archivos.", + "Desktop client" : "Cliente de escritorio", + "Android app" : "App Android", + "iOS app" : "App iOS", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si quieres apoyar el proyecto, {contributeopen}únete al desarrollo{linkclose}o {contributeopen}difunde la palabra{linkclose}.", + "Show First Run Wizard again" : "Mostrar de nuevo el asistente de primera ejecución", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Clientes web, de escritorio y móviles; y contraseñas específicas de apps que tienen actualmente acceso a tu cuenta", + "App passwords" : "Contraseñas de apps", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí puedes generar contraseñas individuales para apps para no tener que usar tu contraseña. También puedes revocarlas individualmente.", + "Follow us on Google+!" : "¡Síguenos en Google+!", + "Like our facebook page!" : "¡Haz Me gusta en nuestra página de Facebook!", + "Follow us on Twitter!" : "¡Síguenos en Twitter!", + "Check out our blog!" : "¡Mira nuestro blog!", + "Subscribe to our newsletter!" : "¡Suscríbete a nuestro boletín de noticias!", + "Group name" : "Nombre del grupo" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/es.json b/settings/l10n/es.json index e67855029c8d0..c332cb78713b8 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -381,6 +381,46 @@ "change full name" : "cambiar el nombre completo", "set new password" : "establecer nueva contraseña", "change email address" : "cambiar dirección de correo electrónico", - "Default" : "Predeterminado" + "Default" : "Predeterminado", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Tienes %n actualización de app pendiente","Tiene %n actualizaciones de app pendientes"], + "Updating...." : "Actualizando...", + "Error while updating app" : "Error mientras se actualizaba la aplicación", + "Error while removing app" : "Error al eliminar la app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "La app ha sido activada pero tiene que actualizarse. Serás redirigido a la página de actualización en 5 segundos.", + "App update" : "Actualización de la aplicación", + "__language_name__" : "Español", + "Verifying" : "Verificando", + "Personal info" : "Información personal", + "Sync clients" : "Clientes de sincronización", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Es importante para la seguridad y buen funcionamiento de tu instancia que todo esté configurado correctamente. Para ayudarte con esto, vamos a hacer algunas comprobaciones automáticas. Por favor, comprueba la sección 'Sugerencias y trucos' y la documentación para más información.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP parece no estar configurado correctamente para consultar las variables de entorno del sistema. La prueba con getenv(\"PATH\") solo devuelve una respuesta vacía.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Por favor, comprueba la documentación de instalación ↗ para notas sobre configuración de php y la configuración de php en tu servidor, especialmente cuando se usa php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "Aparentemente, PHP está configurado para eliminar los bloques inline de documentos. Esto hará inaccesibles muchas apps del núcleo.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s bajo la versión %2$s instalado. Por motivos de estabilidad y funcionamiento, recomendamos actualizar a una versión más moderna de %1$s.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Falta el módulo PHP 'fileinfo'. Recomendamos encarecidamente activar este módulo para conseguir los mejores resultados en la detección de tipos MIME.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "El bloqueo transaccional de archivos está desactivado. Esto puede provocar problemas en ciertas condiciones. Activa 'filelocking.enabled' en config.php para evitar estos problemas. Mira la documentación ↗ para más información.", + "This means that there might be problems with certain characters in file names." : "Esto significa que podría haber problemas con ciertos caracteres en los nombres de archivos.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Recomendamos encarecidamente instalar los paquetes requeridos en tu sistema para soportar una de las siguientes locales: %s.", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Si tu instalación no está localizada en la raíz del dominio y usa el cron del sistema, puede haber problemas con la generación de URL. Para evitar estos problemas, por favor, activa la opción \"overwrite.cli.url\" en tu archivo config.php a la ruta de la raíz web de tu instalación (sugerencia: \"%s\").", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "No se ha podido ejecutar el trabajo cron vía CLI. Han aparecido los siguientes errores técnicos:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Por favor, vuelve a comprobar las guías de instalación ↗ y comprueba posibles errores y advertencias en el registro. ", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php está registrado en un servicio webcron para llamar a cron.php cada 15 minutos sobre http.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Para ejecutar esto, necesitas la extesión PHP posix. Ver la {linkstart}documentación de PHP{linkend} para más detalles.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Para migrar a otra base de datos, usa la herramienta de línea de comandos: ''occ db:convert-type', o mira la documentación ↗.", + "Get the apps to sync your files" : "Consigue las apps para sincronizar tus archivos.", + "Desktop client" : "Cliente de escritorio", + "Android app" : "App Android", + "iOS app" : "App iOS", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si quieres apoyar el proyecto, {contributeopen}únete al desarrollo{linkclose}o {contributeopen}difunde la palabra{linkclose}.", + "Show First Run Wizard again" : "Mostrar de nuevo el asistente de primera ejecución", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Clientes web, de escritorio y móviles; y contraseñas específicas de apps que tienen actualmente acceso a tu cuenta", + "App passwords" : "Contraseñas de apps", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí puedes generar contraseñas individuales para apps para no tener que usar tu contraseña. También puedes revocarlas individualmente.", + "Follow us on Google+!" : "¡Síguenos en Google+!", + "Like our facebook page!" : "¡Haz Me gusta en nuestra página de Facebook!", + "Follow us on Twitter!" : "¡Síguenos en Twitter!", + "Check out our blog!" : "¡Mira nuestro blog!", + "Subscribe to our newsletter!" : "¡Suscríbete a nuestro boletín de noticias!", + "Group name" : "Nombre del grupo" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/et_EE.js b/settings/l10n/et_EE.js new file mode 100644 index 0000000000000..2f44a2fbbe30a --- /dev/null +++ b/settings/l10n/et_EE.js @@ -0,0 +1,289 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} muutis sinu parooli", + "You changed your password" : "Sa muutsid oma parooli", + "Your password was reset by an administrator" : "Administraator lähtestas sinu parooli", + "{actor} changed your email address" : "{actor} muutis sinu e-posti aadressi", + "You changed your email address" : "Sa muutsid oma e-posti aadressi", + "Your email address was changed by an administrator" : "Administraator muutis sinu e-posti aadressi", + "Security" : "Turvalisus", + "You successfully logged in using two-factor authentication (%1$s)" : "Logisid edukalt sisse, kasutades kaheastmelist autentimiset (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Sisselogimiskatse, kasutades kaheastmelist autentimist, ebaõnnestus (%1$s)", + "Your password or email was modified" : "Sinu parooli või e-posti aadressi muudeti", + "Your apps" : "Sinu rakendused", + "Updates" : "Uuendused", + "Enabled apps" : "Lubatud rakendused", + "Disabled apps" : "Keelatud rakendused", + "App bundles" : "Rakenduste kogumikud", + "Wrong password" : "Vale parool", + "Saved" : "Salvestatud", + "No user supplied" : "Kasutajat ei sisestatud", + "Unable to change password" : "Ei suuda parooli muuta", + "Authentication error" : "Autentimise viga", + "Wrong admin recovery password. Please check the password and try again." : "Vale administraatori taasteparool. Palun kontrolli parooli ning proovi uuesti.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "Paigaldan ja uuendan rakendusi läbi rakenduste poe või liitpilve jagamise", + "Federated Cloud Sharing" : "Jagamine liitpilves", + "A problem occurred, please check your log files (Error: %s)" : "Ilmnes viga, palun kontrollige logifaile. (Viga: %s)", + "Migration Completed" : "Kolimine on lõpetatud", + "Group already exists." : "Grupp on juba olemas.", + "Unable to add group." : "Gruppi lisamine ebaõnnestus.", + "Unable to delete group." : "Grupi kustutamineebaõnnestus.", + "Invalid SMTP password." : "Vale SMTP parool.", + "Email setting test" : "E-posti sätete kontroll", + "Well done, %s!" : "Suurepärane, %s!", + "If you received this email, the email configuration seems to be correct." : "Kui saite selle kirja, näib e-posti seadistus õige.", + "Email could not be sent. Check your mail server log" : "E-posti ei saanud saata. Kontrollige oma meiliserveri logi", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "E-posti saatmisel ilmnes viga. Palun kontrollige seadeid. (Viga: %s)", + "You need to set your user email before being able to send test emails." : "Pead seadistama oma e-postienne kui on võimalik saata test-kirju.", + "Invalid mail address" : "Vigane e-posti aadress", + "A user with that name already exists." : "Selle nimega kasutaja on juba olemas.", + "To send a password link to the user an email address is required." : "Kasutajale parooli saatmiseks on vaja e-posti aadressi.", + "Unable to create user." : "Kasutaja loomine ebaõnnestus.", + "Unable to delete user." : "Kasutaja kustutamine ebaõnnestus.", + "Error while enabling user." : "Viga kasutaja lubamisel.", + "Error while disabling user." : "Viga kasutaja keelamisel.", + "Settings saved" : "Seaded salvestatud", + "Unable to change full name" : "Täispika nime muutmine ebaõnnestus", + "Unable to change email address" : "E-posti aadressi muutmine ebaõnnestus", + "Your full name has been changed." : "Sinu täispikk nimi on muudetud.", + "Forbidden" : "Keelatud", + "Invalid user" : "Vigane kasutaja", + "Unable to change mail address" : "E-posti aadressi muutmine ebaõnnestus", + "Email saved" : "Kiri on salvestatud", + "%1$s changed your password on %2$s." : "%1$s muutis su parooli %2$s.", + "Your password on %s was changed." : "Sinu %s parool muudeti.", + "Your password on %s was reset by an administrator." : "Administraator lähtestas sinu %s parooli.", + "Password for %1$s changed on %2$s" : "%1$s parool muudetud %2$s", + "Password changed for %s" : "%s parool muudetud", + "If you did not request this, please contact an administrator." : "Kui sa pole seda taotlenud, võta ühendust administraatoriga.", + "%1$s changed your email address on %2$s." : "%1$s muutis su e-posti aadressi %2$s.", + "Your email address on %s was changed." : "Sinu %s e-posti aadressi muudeti.", + "Your email address on %s was changed by an administrator." : "Administraator muutis sinu %s e-posti aadressi.", + "Email address for %1$s changed on %2$s" : "%1$s e-posti aadress muudetud %2$s", + "Email address changed for %s" : "%s e-posti aadress muudetud", + "The new email address is %s" : "Uus e-posti aadress on %s", + "Your %s account was created" : "Sinu %s konto on loodud", + "Welcome aboard" : "Tere tulemast", + "Welcome aboard %s" : "Tere tulemast %s", + "Welcome to your %s account, you can add, protect, and share your data." : "Tere tulemast oma %s kontole. Sa saad lisada, kaitsta ja jagada oma andmeid.", + "Your username is: %s" : "Sinu kasutajanimi on: %s", + "Set your password" : "Määra oma parool", + "Go to %s" : "Mine %s", + "Install Client" : "Paigalda kliendiprogramm", + "Password confirmation is required" : "Parooli kinnitus on vajalik", + "Couldn't remove app." : "Ei suutnud rakendit eemaldada.", + "Couldn't update app." : "Rakenduse uuendamine ebaõnnestus.", + "Add trusted domain" : "Lis ausaldusväärne domeen", + "Migration in progress. Please wait until the migration is finished" : "Kolimine on käimas. Palun oota, kuni see on lõpetatud", + "Migration started …" : "Kolimist on alustatud ...", + "Not saved" : "Ei ole salvestatud", + "Sending…" : "Saadan...", + "Email sent" : "E-kiri on saadetud", + "Official" : "Ametlik", + "All" : "Kõik", + "Update to %s" : "Uuenda versioonile %s", + "No apps found for your version" : "Sinu versiooni jaoks ei leitud ühtegi rakendust", + "Disabling app …" : "Keelan rakendust ...", + "Error while disabling app" : "Viga rakenduse keelamisel", + "Disable" : "Lülita välja", + "Enable" : "Lülita sisse", + "Enabling app …" : "Luban rakendust ...", + "Error while enabling app" : "Viga rakenduse lubamisel", + "Updated" : "Uuendatud", + "Removing …" : "Eemaldan ...", + "Remove" : "Eemalda", + "Approved" : "Heaks kiidetud", + "Experimental" : "Katsetusjärgus", + "Enable all" : "Luba kõik", + "Allow filesystem access" : "Luba juurdepääs failisüsteemile", + "Disconnect" : "Ühenda lahti", + "Revoke" : "Tühista", + "This session" : "See sessioon", + "Copy" : "Kopeeri", + "Copied!" : "Kopeeritud!", + "Not supported!" : "Pole toetatud!", + "Press ⌘-C to copy." : "Kopeerimiseks vajuta ⌘ + C.", + "Press Ctrl-C to copy." : "Kopeerimiseks vajuta Ctrl + C.", + "Valid until {date}" : "Kehtib kuni {date}", + "Delete" : "Kustuta", + "Local" : "Kohalik", + "Private" : "Privaatne", + "Only visible to local users" : "Ainult nähtav kohalikele kasutajatele", + "Only visible to you" : "Ainult sinule nähtav", + "Contacts" : "Kontaktid", + "Visible to local users and to trusted servers" : "Nähtav kohelikele kasutajatele ja usaldatud serveritele", + "Public" : "Avalik", + "Verify" : "Kontrolli", + "Verifying …" : "Kontrollin ...", + "An error occured while changing your language. Please reload the page and try again." : "Keele vahetamisel ilmnes viga. Palun taasilaadi leht ja proovi uuesti.", + "Select a profile picture" : "Vali profiili pilt", + "Very weak password" : "Väga nõrk parool", + "Weak password" : "Nõrk parool", + "So-so password" : "Enam-vähem sobiv parool", + "Good password" : "Hea parool", + "Strong password" : "Väga hea parool", + "Groups" : "Grupid", + "Unable to delete {objName}" : "Ei suuda kustutada {objName}", + "Error creating group: {message}" : "Tõrge grupi loomisel: {message}", + "A valid group name must be provided" : "Sisesta nõuetele vastav grupi nimi", + "deleted {groupName}" : "kustutatud {groupName}", + "undo" : "tagasi", + "{size} used" : "{size} kasutatud", + "never" : "mitte kunagi", + "deleted {userName}" : "kustutatud {userName}", + "Unable to add user to group {group}" : "Kasutajat ei saa lisada gruppi {group}", + "Unable to remove user from group {group}" : "Kasutajat ei saa eemaldada grupist {group}", + "Add group" : "Lisa grupp", + "Invalid quota value \"{val}\"" : "Vigane mahupiiri väärtus \"{val}\"", + "Password successfully changed" : "Parool edukalt vahetatud", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Parooli vahetamine toob kaasa andmekao, sest selle kasutaja andmete taastamine pole võimalik", + "Could not change the users email" : "Kasutaja e-posti muutmine ebaõnnestus", + "Error while changing status of {user}" : "Kasutaja {user} staatuse muutmine ebaõnnestus", + "A valid username must be provided" : "Sisesta nõuetele vastav kasutajatunnus", + "Error creating user: {message}" : "Kasutaja loomine ebaõnnestus: {message}", + "A valid password must be provided" : "Sisesta nõuetele vastav parool", + "A valid email must be provided" : "Sisesta kehtiv e-posti aadress", + "Developer documentation" : "Arendaja dokumentatsioon", + "Limit to groups" : "Luba gruppidele", + "Documentation:" : "Dokumentatsioon:", + "User documentation" : "Kasutaja dokumentatsioon", + "Admin documentation" : "Administraatori dokumentatsioon", + "Visit website" : "Külasta veebisaiti", + "Report a bug" : "Teata veast", + "Show description …" : "Näita kirjeldist ...", + "Hide description …" : "Peida kirjeldus ...", + "This app has an update available." : "Sellel rakendusel on uuendus saadaval", + "Enable only for specific groups" : "Luba ainult kindlad grupid", + "SSL Root Certificates" : "SLL Juur sertifikaadid", + "Common Name" : "Üldnimetus", + "Valid until" : "Kehtib kuni", + "Issued By" : "Välja antud", + "Valid until %s" : "Kehtib kuni %s", + "Import root certificate" : "Impordi root sertifikaat", + "Administrator documentation" : "Administraatori dokumentatsioon", + "Online documentation" : "Võrgus olev dokumentatsioon", + "Forum" : "Foorum", + "Getting help" : "Abi saamine", + "Commercial support" : "Tasuline kasutajatugi", + "None" : "Pole", + "Login" : "Logi sisse", + "Plain" : "Tavatekst", + "NT LAN Manager" : "NT LAN Manager", + "Email server" : "E-kirjade server", + "Open documentation" : "Ava dokumentatsioon", + "Send mode" : "Saatmise viis", + "Encryption" : "Krüpteerimine", + "From address" : "Saatja aadress", + "mail" : "e-mail", + "Authentication method" : "Autentimise meetod", + "Authentication required" : "Autentimine on vajalik", + "Server address" : "Serveri aadress", + "Port" : "Port", + "Credentials" : "Kasutajatunnused", + "SMTP Username" : "SMTP kasutajatunnus", + "SMTP Password" : "SMTP parool", + "Store credentials" : "Säilita kasutajaandmed", + "Test email settings" : "Testi e-posti seadeid", + "Send email" : "Saada kiri", + "Server-side encryption" : "Serveripoolne krüpteerimine", + "Enable server-side encryption" : "Luba serveripoolne krüpteerimine", + "Enable encryption" : "Luba krüpteerimine", + "Select default encryption module:" : "Määra vaikimisi krüpteerimise moodul:", + "Start migration" : "Alusta kolimist", + "Security & setup warnings" : "Turva- ja paigalduse hoiatused", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "See on tõenäoliselt põhjustatud puhver/kiirendist nagu Zend OPcache või eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Süsteemi lokaliseeringuks ei saa panna sellist, mis toetab UTF-8-t.", + "All checks passed." : "Kõik kontrollid on läbitud.", + "Execute one task with each page loaded" : "Käivita toiming igal lehe laadimisel", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php on registreeritud webcron teenuses, et käivitada fail cron.php iga 15 minuti tagant üle http.", + "Use system cron service to call the cron.php file every 15 minutes." : "Kasuta süsteemi cron teenust, et käivitada fail cron.php iga 15 minuti järel.", + "The cron.php needs to be executed by the system user \"%s\"." : "cron.php tuleb käivitada süsteemikasutaja \"%s\" poolt.", + "Version" : "Versioon", + "Sharing" : "Jagamine", + "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Administraatorina saate jagamise valikuid täpselt seadistada. Lisateavet leiad dokumentatsioonist.", + "Allow apps to use the Share API" : "Luba rakendustel kasutada Share API-t", + "Allow users to share via link" : "Luba kasutajatel lingiga jagamist ", + "Allow public uploads" : "Luba avalikud üleslaadimised", + "Always ask for a password" : "Alati küsi parooli", + "Enforce password protection" : "Sunni parooliga kaitsmine", + "Set default expiration date" : "Määra vaikimisi aegumise kuupäev", + "Expire after " : "Aegu pärast", + "days" : "päeva", + "Enforce expiration date" : "Sunnitud aegumise kuupäev", + "Allow resharing" : "Luba edasijagamine", + "Allow sharing with groups" : "Luba gruppidega jagamine", + "Restrict users to only share with users in their groups" : "Luba kasutajatel jagada kasutajatega ainult oma grupi piires", + "Exclude groups from sharing" : "Eemalda grupid jagamisest", + "These groups will still be able to receive shares, but not to initiate them." : "Need grupid saavad vastu võtta jagamisi, kuid ise jagamisi algatada ei saa.", + "Allow username autocompletion in share dialog. If this is disabled the full username or email address needs to be entered." : "Luba kasutajanime automaatne lõpetamine jagamisdialoogis. Kui see on keelatud, tuleb sisestada täielik kasutajanimi või e-posti aadress.", + "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Kuva avaliku lingiga üleslaadimise lehel lahtiütluste tekst. (Kuvatakse ainult siis, kui failide loend on peidetud.)", + "This text will be shown on the public link upload page when the file list is hidden." : "Seda teksti näidatakse avaliku lingiga üleslaadimise lehel kui failide loend on peidetud.", + "Tips & tricks" : "Nõuanded ja trikid", + "How to do backups" : "Kuidas teha varukoopiaid", + "Performance tuning" : "Kiiruse seadistamine", + "Improving the config.php" : "config.php faili täiendamine", + "Theming" : "Teemad", + "Personal" : "Isiklik", + "Administration" : "Haldus", + "Profile picture" : "Profiili pilt", + "Upload new" : "Laadi uus üles", + "Select from Files" : "Vali failidest", + "Remove image" : "Eemalda pilt", + "png or jpg, max. 20 MB" : "png või jpg, max. 20 MB", + "Cancel" : "Loobu", + "Choose as profile picture" : "Vali kui profiili pilt", + "Full name" : "Täielik nimi", + "No display name set" : "Näidatavat nime pole veel määratud", + "Email" : "E-post", + "Your email address" : "Sinu e-posti aadress", + "No email address set" : "E-posti aadressi pole veel määratud", + "For password reset and notifications" : "Parooli lähestamiseks ja teadeteks", + "Phone number" : "Telefoninumber", + "Your phone number" : "Sinu telefoninumber", + "Address" : "Aadress", + "Your postal address" : "Sinu postiaadress", + "Website" : "Veebileht", + "It can take up to 24 hours before the account is displayed as verified." : "Võib võtta kuni 24 tundi enne kui konto kuvatakse kui kinnitatud.", + "You are member of the following groups:" : "Sa oled nende gruppide liige:", + "Language" : "Keel", + "Help translate" : "Aita tõlkida", + "Password" : "Parool", + "Current password" : "Praegune parool", + "New password" : "Uus parool", + "Change password" : "Muuda parooli", + "Web, desktop and mobile clients currently logged in to your account." : "Sinu kontole hetkel sisse loginud veebi-, töölaua-, ja mobiilsed kliendid.", + "Device" : "Seade", + "Last activity" : "Viimane tegevus", + "App name" : "Rakenduse nimi", + "Create new app password" : "Loo uus rakenduse parool", + "Use the credentials below to configure your app or device." : "Rakenduse või seadme konfigureerimiseks kasutage allpool toodud mandaate.", + "For security reasons this password will only be shown once." : "Turvalisuse huvides kuvatakse see parool ainult üks kord.", + "Username" : "Kasutajanimi", + "Done" : "Valmis", + "Settings" : "Seaded", + "Show storage location" : "Näita salvestusruumi asukohta", + "Show last login" : "Näita viimast sisselogimist", + "Show email address" : "Näita e-posti aadressi", + "Send email to new user" : "Saada uuele kasutajale e-kiri", + "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Kui uue kasutaja parool jäetakse määramata, saadetakse aktiveerimise kiri lingiga parooli määramiseks.", + "E-Mail" : "E-post", + "Create" : "Lisa", + "Admin Recovery Password" : "Admini parooli taastamine", + "Enter the recovery password in order to recover the users files during password change" : "Sisesta taasteparool kasutaja failide taastamiseks paroolivahetuse käigus", + "Everyone" : "Igaüks", + "Admins" : "Haldurid", + "Disabled" : "Keelatud", + "Default quota" : "Vaikimisi mahupiir", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Palun sisesta mahupiir (nt: \"512 MB\" või \"12 GB\")", + "Unlimited" : "Piiramatult", + "Other" : "Muu", + "Group admin for" : "Grupi admin", + "Quota" : "Mahupiir", + "Last login" : "Viimane sisselogimine", + "change full name" : "Muuda täispikka nime", + "set new password" : "määra uus parool", + "change email address" : "muuda e-posti aadressi", + "Default" : "Vaikeväärtus" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/et_EE.json b/settings/l10n/et_EE.json new file mode 100644 index 0000000000000..4ef77d2a81f3b --- /dev/null +++ b/settings/l10n/et_EE.json @@ -0,0 +1,287 @@ +{ "translations": { + "{actor} changed your password" : "{actor} muutis sinu parooli", + "You changed your password" : "Sa muutsid oma parooli", + "Your password was reset by an administrator" : "Administraator lähtestas sinu parooli", + "{actor} changed your email address" : "{actor} muutis sinu e-posti aadressi", + "You changed your email address" : "Sa muutsid oma e-posti aadressi", + "Your email address was changed by an administrator" : "Administraator muutis sinu e-posti aadressi", + "Security" : "Turvalisus", + "You successfully logged in using two-factor authentication (%1$s)" : "Logisid edukalt sisse, kasutades kaheastmelist autentimiset (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Sisselogimiskatse, kasutades kaheastmelist autentimist, ebaõnnestus (%1$s)", + "Your password or email was modified" : "Sinu parooli või e-posti aadressi muudeti", + "Your apps" : "Sinu rakendused", + "Updates" : "Uuendused", + "Enabled apps" : "Lubatud rakendused", + "Disabled apps" : "Keelatud rakendused", + "App bundles" : "Rakenduste kogumikud", + "Wrong password" : "Vale parool", + "Saved" : "Salvestatud", + "No user supplied" : "Kasutajat ei sisestatud", + "Unable to change password" : "Ei suuda parooli muuta", + "Authentication error" : "Autentimise viga", + "Wrong admin recovery password. Please check the password and try again." : "Vale administraatori taasteparool. Palun kontrolli parooli ning proovi uuesti.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "Paigaldan ja uuendan rakendusi läbi rakenduste poe või liitpilve jagamise", + "Federated Cloud Sharing" : "Jagamine liitpilves", + "A problem occurred, please check your log files (Error: %s)" : "Ilmnes viga, palun kontrollige logifaile. (Viga: %s)", + "Migration Completed" : "Kolimine on lõpetatud", + "Group already exists." : "Grupp on juba olemas.", + "Unable to add group." : "Gruppi lisamine ebaõnnestus.", + "Unable to delete group." : "Grupi kustutamineebaõnnestus.", + "Invalid SMTP password." : "Vale SMTP parool.", + "Email setting test" : "E-posti sätete kontroll", + "Well done, %s!" : "Suurepärane, %s!", + "If you received this email, the email configuration seems to be correct." : "Kui saite selle kirja, näib e-posti seadistus õige.", + "Email could not be sent. Check your mail server log" : "E-posti ei saanud saata. Kontrollige oma meiliserveri logi", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "E-posti saatmisel ilmnes viga. Palun kontrollige seadeid. (Viga: %s)", + "You need to set your user email before being able to send test emails." : "Pead seadistama oma e-postienne kui on võimalik saata test-kirju.", + "Invalid mail address" : "Vigane e-posti aadress", + "A user with that name already exists." : "Selle nimega kasutaja on juba olemas.", + "To send a password link to the user an email address is required." : "Kasutajale parooli saatmiseks on vaja e-posti aadressi.", + "Unable to create user." : "Kasutaja loomine ebaõnnestus.", + "Unable to delete user." : "Kasutaja kustutamine ebaõnnestus.", + "Error while enabling user." : "Viga kasutaja lubamisel.", + "Error while disabling user." : "Viga kasutaja keelamisel.", + "Settings saved" : "Seaded salvestatud", + "Unable to change full name" : "Täispika nime muutmine ebaõnnestus", + "Unable to change email address" : "E-posti aadressi muutmine ebaõnnestus", + "Your full name has been changed." : "Sinu täispikk nimi on muudetud.", + "Forbidden" : "Keelatud", + "Invalid user" : "Vigane kasutaja", + "Unable to change mail address" : "E-posti aadressi muutmine ebaõnnestus", + "Email saved" : "Kiri on salvestatud", + "%1$s changed your password on %2$s." : "%1$s muutis su parooli %2$s.", + "Your password on %s was changed." : "Sinu %s parool muudeti.", + "Your password on %s was reset by an administrator." : "Administraator lähtestas sinu %s parooli.", + "Password for %1$s changed on %2$s" : "%1$s parool muudetud %2$s", + "Password changed for %s" : "%s parool muudetud", + "If you did not request this, please contact an administrator." : "Kui sa pole seda taotlenud, võta ühendust administraatoriga.", + "%1$s changed your email address on %2$s." : "%1$s muutis su e-posti aadressi %2$s.", + "Your email address on %s was changed." : "Sinu %s e-posti aadressi muudeti.", + "Your email address on %s was changed by an administrator." : "Administraator muutis sinu %s e-posti aadressi.", + "Email address for %1$s changed on %2$s" : "%1$s e-posti aadress muudetud %2$s", + "Email address changed for %s" : "%s e-posti aadress muudetud", + "The new email address is %s" : "Uus e-posti aadress on %s", + "Your %s account was created" : "Sinu %s konto on loodud", + "Welcome aboard" : "Tere tulemast", + "Welcome aboard %s" : "Tere tulemast %s", + "Welcome to your %s account, you can add, protect, and share your data." : "Tere tulemast oma %s kontole. Sa saad lisada, kaitsta ja jagada oma andmeid.", + "Your username is: %s" : "Sinu kasutajanimi on: %s", + "Set your password" : "Määra oma parool", + "Go to %s" : "Mine %s", + "Install Client" : "Paigalda kliendiprogramm", + "Password confirmation is required" : "Parooli kinnitus on vajalik", + "Couldn't remove app." : "Ei suutnud rakendit eemaldada.", + "Couldn't update app." : "Rakenduse uuendamine ebaõnnestus.", + "Add trusted domain" : "Lis ausaldusväärne domeen", + "Migration in progress. Please wait until the migration is finished" : "Kolimine on käimas. Palun oota, kuni see on lõpetatud", + "Migration started …" : "Kolimist on alustatud ...", + "Not saved" : "Ei ole salvestatud", + "Sending…" : "Saadan...", + "Email sent" : "E-kiri on saadetud", + "Official" : "Ametlik", + "All" : "Kõik", + "Update to %s" : "Uuenda versioonile %s", + "No apps found for your version" : "Sinu versiooni jaoks ei leitud ühtegi rakendust", + "Disabling app …" : "Keelan rakendust ...", + "Error while disabling app" : "Viga rakenduse keelamisel", + "Disable" : "Lülita välja", + "Enable" : "Lülita sisse", + "Enabling app …" : "Luban rakendust ...", + "Error while enabling app" : "Viga rakenduse lubamisel", + "Updated" : "Uuendatud", + "Removing …" : "Eemaldan ...", + "Remove" : "Eemalda", + "Approved" : "Heaks kiidetud", + "Experimental" : "Katsetusjärgus", + "Enable all" : "Luba kõik", + "Allow filesystem access" : "Luba juurdepääs failisüsteemile", + "Disconnect" : "Ühenda lahti", + "Revoke" : "Tühista", + "This session" : "See sessioon", + "Copy" : "Kopeeri", + "Copied!" : "Kopeeritud!", + "Not supported!" : "Pole toetatud!", + "Press ⌘-C to copy." : "Kopeerimiseks vajuta ⌘ + C.", + "Press Ctrl-C to copy." : "Kopeerimiseks vajuta Ctrl + C.", + "Valid until {date}" : "Kehtib kuni {date}", + "Delete" : "Kustuta", + "Local" : "Kohalik", + "Private" : "Privaatne", + "Only visible to local users" : "Ainult nähtav kohalikele kasutajatele", + "Only visible to you" : "Ainult sinule nähtav", + "Contacts" : "Kontaktid", + "Visible to local users and to trusted servers" : "Nähtav kohelikele kasutajatele ja usaldatud serveritele", + "Public" : "Avalik", + "Verify" : "Kontrolli", + "Verifying …" : "Kontrollin ...", + "An error occured while changing your language. Please reload the page and try again." : "Keele vahetamisel ilmnes viga. Palun taasilaadi leht ja proovi uuesti.", + "Select a profile picture" : "Vali profiili pilt", + "Very weak password" : "Väga nõrk parool", + "Weak password" : "Nõrk parool", + "So-so password" : "Enam-vähem sobiv parool", + "Good password" : "Hea parool", + "Strong password" : "Väga hea parool", + "Groups" : "Grupid", + "Unable to delete {objName}" : "Ei suuda kustutada {objName}", + "Error creating group: {message}" : "Tõrge grupi loomisel: {message}", + "A valid group name must be provided" : "Sisesta nõuetele vastav grupi nimi", + "deleted {groupName}" : "kustutatud {groupName}", + "undo" : "tagasi", + "{size} used" : "{size} kasutatud", + "never" : "mitte kunagi", + "deleted {userName}" : "kustutatud {userName}", + "Unable to add user to group {group}" : "Kasutajat ei saa lisada gruppi {group}", + "Unable to remove user from group {group}" : "Kasutajat ei saa eemaldada grupist {group}", + "Add group" : "Lisa grupp", + "Invalid quota value \"{val}\"" : "Vigane mahupiiri väärtus \"{val}\"", + "Password successfully changed" : "Parool edukalt vahetatud", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Parooli vahetamine toob kaasa andmekao, sest selle kasutaja andmete taastamine pole võimalik", + "Could not change the users email" : "Kasutaja e-posti muutmine ebaõnnestus", + "Error while changing status of {user}" : "Kasutaja {user} staatuse muutmine ebaõnnestus", + "A valid username must be provided" : "Sisesta nõuetele vastav kasutajatunnus", + "Error creating user: {message}" : "Kasutaja loomine ebaõnnestus: {message}", + "A valid password must be provided" : "Sisesta nõuetele vastav parool", + "A valid email must be provided" : "Sisesta kehtiv e-posti aadress", + "Developer documentation" : "Arendaja dokumentatsioon", + "Limit to groups" : "Luba gruppidele", + "Documentation:" : "Dokumentatsioon:", + "User documentation" : "Kasutaja dokumentatsioon", + "Admin documentation" : "Administraatori dokumentatsioon", + "Visit website" : "Külasta veebisaiti", + "Report a bug" : "Teata veast", + "Show description …" : "Näita kirjeldist ...", + "Hide description …" : "Peida kirjeldus ...", + "This app has an update available." : "Sellel rakendusel on uuendus saadaval", + "Enable only for specific groups" : "Luba ainult kindlad grupid", + "SSL Root Certificates" : "SLL Juur sertifikaadid", + "Common Name" : "Üldnimetus", + "Valid until" : "Kehtib kuni", + "Issued By" : "Välja antud", + "Valid until %s" : "Kehtib kuni %s", + "Import root certificate" : "Impordi root sertifikaat", + "Administrator documentation" : "Administraatori dokumentatsioon", + "Online documentation" : "Võrgus olev dokumentatsioon", + "Forum" : "Foorum", + "Getting help" : "Abi saamine", + "Commercial support" : "Tasuline kasutajatugi", + "None" : "Pole", + "Login" : "Logi sisse", + "Plain" : "Tavatekst", + "NT LAN Manager" : "NT LAN Manager", + "Email server" : "E-kirjade server", + "Open documentation" : "Ava dokumentatsioon", + "Send mode" : "Saatmise viis", + "Encryption" : "Krüpteerimine", + "From address" : "Saatja aadress", + "mail" : "e-mail", + "Authentication method" : "Autentimise meetod", + "Authentication required" : "Autentimine on vajalik", + "Server address" : "Serveri aadress", + "Port" : "Port", + "Credentials" : "Kasutajatunnused", + "SMTP Username" : "SMTP kasutajatunnus", + "SMTP Password" : "SMTP parool", + "Store credentials" : "Säilita kasutajaandmed", + "Test email settings" : "Testi e-posti seadeid", + "Send email" : "Saada kiri", + "Server-side encryption" : "Serveripoolne krüpteerimine", + "Enable server-side encryption" : "Luba serveripoolne krüpteerimine", + "Enable encryption" : "Luba krüpteerimine", + "Select default encryption module:" : "Määra vaikimisi krüpteerimise moodul:", + "Start migration" : "Alusta kolimist", + "Security & setup warnings" : "Turva- ja paigalduse hoiatused", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "See on tõenäoliselt põhjustatud puhver/kiirendist nagu Zend OPcache või eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Süsteemi lokaliseeringuks ei saa panna sellist, mis toetab UTF-8-t.", + "All checks passed." : "Kõik kontrollid on läbitud.", + "Execute one task with each page loaded" : "Käivita toiming igal lehe laadimisel", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php on registreeritud webcron teenuses, et käivitada fail cron.php iga 15 minuti tagant üle http.", + "Use system cron service to call the cron.php file every 15 minutes." : "Kasuta süsteemi cron teenust, et käivitada fail cron.php iga 15 minuti järel.", + "The cron.php needs to be executed by the system user \"%s\"." : "cron.php tuleb käivitada süsteemikasutaja \"%s\" poolt.", + "Version" : "Versioon", + "Sharing" : "Jagamine", + "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Administraatorina saate jagamise valikuid täpselt seadistada. Lisateavet leiad dokumentatsioonist.", + "Allow apps to use the Share API" : "Luba rakendustel kasutada Share API-t", + "Allow users to share via link" : "Luba kasutajatel lingiga jagamist ", + "Allow public uploads" : "Luba avalikud üleslaadimised", + "Always ask for a password" : "Alati küsi parooli", + "Enforce password protection" : "Sunni parooliga kaitsmine", + "Set default expiration date" : "Määra vaikimisi aegumise kuupäev", + "Expire after " : "Aegu pärast", + "days" : "päeva", + "Enforce expiration date" : "Sunnitud aegumise kuupäev", + "Allow resharing" : "Luba edasijagamine", + "Allow sharing with groups" : "Luba gruppidega jagamine", + "Restrict users to only share with users in their groups" : "Luba kasutajatel jagada kasutajatega ainult oma grupi piires", + "Exclude groups from sharing" : "Eemalda grupid jagamisest", + "These groups will still be able to receive shares, but not to initiate them." : "Need grupid saavad vastu võtta jagamisi, kuid ise jagamisi algatada ei saa.", + "Allow username autocompletion in share dialog. If this is disabled the full username or email address needs to be entered." : "Luba kasutajanime automaatne lõpetamine jagamisdialoogis. Kui see on keelatud, tuleb sisestada täielik kasutajanimi või e-posti aadress.", + "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Kuva avaliku lingiga üleslaadimise lehel lahtiütluste tekst. (Kuvatakse ainult siis, kui failide loend on peidetud.)", + "This text will be shown on the public link upload page when the file list is hidden." : "Seda teksti näidatakse avaliku lingiga üleslaadimise lehel kui failide loend on peidetud.", + "Tips & tricks" : "Nõuanded ja trikid", + "How to do backups" : "Kuidas teha varukoopiaid", + "Performance tuning" : "Kiiruse seadistamine", + "Improving the config.php" : "config.php faili täiendamine", + "Theming" : "Teemad", + "Personal" : "Isiklik", + "Administration" : "Haldus", + "Profile picture" : "Profiili pilt", + "Upload new" : "Laadi uus üles", + "Select from Files" : "Vali failidest", + "Remove image" : "Eemalda pilt", + "png or jpg, max. 20 MB" : "png või jpg, max. 20 MB", + "Cancel" : "Loobu", + "Choose as profile picture" : "Vali kui profiili pilt", + "Full name" : "Täielik nimi", + "No display name set" : "Näidatavat nime pole veel määratud", + "Email" : "E-post", + "Your email address" : "Sinu e-posti aadress", + "No email address set" : "E-posti aadressi pole veel määratud", + "For password reset and notifications" : "Parooli lähestamiseks ja teadeteks", + "Phone number" : "Telefoninumber", + "Your phone number" : "Sinu telefoninumber", + "Address" : "Aadress", + "Your postal address" : "Sinu postiaadress", + "Website" : "Veebileht", + "It can take up to 24 hours before the account is displayed as verified." : "Võib võtta kuni 24 tundi enne kui konto kuvatakse kui kinnitatud.", + "You are member of the following groups:" : "Sa oled nende gruppide liige:", + "Language" : "Keel", + "Help translate" : "Aita tõlkida", + "Password" : "Parool", + "Current password" : "Praegune parool", + "New password" : "Uus parool", + "Change password" : "Muuda parooli", + "Web, desktop and mobile clients currently logged in to your account." : "Sinu kontole hetkel sisse loginud veebi-, töölaua-, ja mobiilsed kliendid.", + "Device" : "Seade", + "Last activity" : "Viimane tegevus", + "App name" : "Rakenduse nimi", + "Create new app password" : "Loo uus rakenduse parool", + "Use the credentials below to configure your app or device." : "Rakenduse või seadme konfigureerimiseks kasutage allpool toodud mandaate.", + "For security reasons this password will only be shown once." : "Turvalisuse huvides kuvatakse see parool ainult üks kord.", + "Username" : "Kasutajanimi", + "Done" : "Valmis", + "Settings" : "Seaded", + "Show storage location" : "Näita salvestusruumi asukohta", + "Show last login" : "Näita viimast sisselogimist", + "Show email address" : "Näita e-posti aadressi", + "Send email to new user" : "Saada uuele kasutajale e-kiri", + "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Kui uue kasutaja parool jäetakse määramata, saadetakse aktiveerimise kiri lingiga parooli määramiseks.", + "E-Mail" : "E-post", + "Create" : "Lisa", + "Admin Recovery Password" : "Admini parooli taastamine", + "Enter the recovery password in order to recover the users files during password change" : "Sisesta taasteparool kasutaja failide taastamiseks paroolivahetuse käigus", + "Everyone" : "Igaüks", + "Admins" : "Haldurid", + "Disabled" : "Keelatud", + "Default quota" : "Vaikimisi mahupiir", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Palun sisesta mahupiir (nt: \"512 MB\" või \"12 GB\")", + "Unlimited" : "Piiramatult", + "Other" : "Muu", + "Group admin for" : "Grupi admin", + "Quota" : "Mahupiir", + "Last login" : "Viimane sisselogimine", + "change full name" : "Muuda täispikka nime", + "set new password" : "määra uus parool", + "change email address" : "muuda e-posti aadressi", + "Default" : "Vaikeväärtus" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/fa.js b/settings/l10n/fa.js new file mode 100644 index 0000000000000..1106aeabfa3a3 --- /dev/null +++ b/settings/l10n/fa.js @@ -0,0 +1,160 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "رمز عبور اشتباه است", + "Saved" : "ذخیره شد", + "No user supplied" : "هیچ کاربری تعریف نشده است", + "Unable to change password" : "نمی‌توان رمز را تغییر داد", + "Authentication error" : "خطا در اعتبار سنجی", + "Wrong admin recovery password. Please check the password and try again." : "رمز مدیریتی بازیابی غلط است. لطفاً رمز را کنترل کرده و دوباره امتحان نمایید.", + "Group already exists." : "گروه در حال حاضر موجود است", + "Unable to add group." : "افزودن گروه امکان پذیر نیست.", + "Unable to delete group." : "حذف گروه امکان پذیر نیست.", + "Invalid mail address" : "آدرس ایمیل نامعتبر است", + "A user with that name already exists." : "کاربری با همین نام در حال حاضر وجود دارد.", + "Unable to create user." : "ایجاد کاربر امکان‌پذیر نیست.", + "Unable to delete user." : "حذف کاربر امکان پذیر نیست.", + "Unable to change full name" : "امکان تغییر نام کامل وجود ندارد", + "Your full name has been changed." : "نام کامل شما تغییر یافت", + "Forbidden" : "ممنوعه", + "Invalid user" : "کاربر نامعتبر", + "Unable to change mail address" : "تغییر آدرس ایمیل امکان‌پذیر نیست", + "Email saved" : "ایمیل ذخیره شد", + "Your %s account was created" : "حساب کاربری شما %s ایجاد شد", + "Couldn't remove app." : "امکان حذف برنامه وجود ندارد.", + "Couldn't update app." : "برنامه را نمی توان به هنگام ساخت.", + "Add trusted domain" : "افزودن دامنه مورد اعتماد", + "Migration in progress. Please wait until the migration is finished" : "مهاجرت در حال اجراست. لطفا تا اتمام مهاجرت صبر کنید", + "Migration started …" : "مهاجرت شروع شد...", + "Email sent" : "ایمیل ارسال شد", + "Official" : "رسمی", + "All" : "همه", + "Update to %s" : "بروزرسانی به %s", + "No apps found for your version" : "هیچ برنامه‌ای برای نسخه‌ی شما یافت نشد", + "Error while disabling app" : "خطا در هنگام غیر فعال سازی برنامه", + "Disable" : "غیرفعال", + "Enable" : "فعال", + "Error while enabling app" : "خطا در هنگام فعال سازی برنامه", + "Updated" : "بروز رسانی انجام شد", + "Approved" : "تایید شده", + "Experimental" : "آزمایشی", + "Valid until {date}" : "معتبر تا {date}", + "Delete" : "حذف", + "Select a profile picture" : "انتخاب تصویر پروفایل", + "Very weak password" : "رمز عبور بسیار ضعیف", + "Weak password" : "رمز عبور ضعیف", + "So-so password" : "رمز عبور متوسط", + "Good password" : "رمز عبور خوب", + "Strong password" : "رمز عبور قوی", + "Groups" : "گروه ها", + "Unable to delete {objName}" : "امکان حذف {objName} وجود ندارد", + "A valid group name must be provided" : "نام کاربری معتبر می بایست وارد شود", + "deleted {groupName}" : "گروه {groupName} حذف شد", + "undo" : "بازگشت", + "never" : "هرگز", + "deleted {userName}" : "کاربر {userName} حذف شد", + "Changing the password will result in data loss, because data recovery is not available for this user" : "با توجه به عدم دستیابی به بازگردانی اطلاعات برای کاربر، تغییر رمز عبور باعث از بین رفتن اطلاعات خواهد شد", + "A valid username must be provided" : "نام کاربری صحیح باید وارد شود", + "A valid password must be provided" : "رمز عبور صحیح باید وارد شود", + "A valid email must be provided" : "یک ایمیل معتبر باید وارد شود", + "Developer documentation" : "مستندات توسعه‌دهندگان", + "Documentation:" : "مستند سازی:", + "User documentation" : "مستندات کاربر", + "Admin documentation" : "مستندات مدیر", + "Show description …" : "نمایش توضیحات ...", + "Hide description …" : "عدم نمایش توضیحات...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "امکان نصب این برنامه وجود ندارد، این پیش‌نیازها انجام نشده‌اند:", + "Enable only for specific groups" : "فعال سازی تنها برای گروه های خاص", + "Common Name" : "نام مشترک", + "Valid until" : "متعبر تا", + "Issued By" : "صدور توسط", + "Valid until %s" : "متعبر تا %s", + "Import root certificate" : "وارد کردن گواهی اصلی", + "Administrator documentation" : "مستندات مدیر", + "Online documentation" : "مستندات آنلاین", + "Forum" : "انجمن", + "Commercial support" : "پشتیبانی تجاری", + "None" : "هیچ‌کدام", + "Login" : "ورود", + "Plain" : "ساده", + "NT LAN Manager" : "مدیر NT LAN", + "Email server" : "سرور ایمیل", + "Open documentation" : "بازکردن مستند", + "Send mode" : "حالت ارسال", + "Encryption" : "رمزگذاری", + "From address" : "آدرس فرستنده", + "mail" : "ایمیل", + "Authentication method" : "روش احراز هویت", + "Authentication required" : "احراز هویت مورد نیاز است", + "Server address" : "آدرس سرور", + "Port" : "درگاه", + "Credentials" : "اعتبارهای", + "SMTP Username" : "نام کاربری SMTP", + "SMTP Password" : "رمز عبور SMTP", + "Test email settings" : "تنظیمات ایمیل آزمایشی", + "Send email" : "ارسال ایمیل", + "Server-side encryption" : "رمزگذاری سمت سرور", + "Enable server-side encryption" : "فعال‌سازی رمزگذاری سمت-سرور", + "Be aware that encryption always increases the file size." : "توجه داشته باشید که همواره رمزگذاری حجم فایل را افزایش خواهد داد.", + "This is the final warning: Do you really want to enable encryption?" : "این آخرین اخطار است: آیا می‌خواهید رمزگذاری را فعال کنید ؟", + "Enable encryption" : "فعال کردن رمزگذاری", + "No encryption module loaded, please enable an encryption module in the app menu." : "هیچ ماژول رمزگذاری‌ای بارگذاری نشده است، لطفا ماژول رمز‌گذاری را در منو برنامه فعال کنید.", + "Select default encryption module:" : "انتخاب ماژول پیش‌فرض رمزگذاری:", + "Start migration" : "شروع مهاجرت", + "Security & setup warnings" : "اخطارهای نصب و امنیتی", + "All checks passed." : "تمامی موارد با موفقیت چک شدند.", + "Execute one task with each page loaded" : "اجرای یک وظیفه با هر بار بارگذاری صفحه", + "Version" : "نسخه", + "Sharing" : "اشتراک گذاری", + "Allow apps to use the Share API" : "اجازه ی برنامه ها برای استفاده از API اشتراک گذاری", + "Allow users to share via link" : "اجازه دادن به کاربران برای اشتراک گذاری توسط پیوند", + "Allow public uploads" : "اجازه بارگذاری عمومی", + "Enforce password protection" : "اجبار برای محافظت توسط رمز عبور", + "Set default expiration date" : "اعمال تاریخ اتمام پیش فرض", + "Expire after " : "اتمام اعتبار بعد از", + "days" : "روز", + "Enforce expiration date" : "اعمال تاریخ اتمام اشتراک گذاری", + "Allow resharing" : "مجوز اشتراک گذاری مجدد", + "Restrict users to only share with users in their groups" : "محدود کردن کاربران برای اشتراک‌گذاری تنها میان کاربران گروه خود", + "Exclude groups from sharing" : "مستثنی شدن گروه ها از اشتراک گذاری", + "Tips & tricks" : "نکات و راهنمایی‌ها", + "Performance tuning" : "تنظیم کارایی", + "Improving the config.php" : "بهبود config.php", + "Theming" : "قالب‌بندی", + "Hardening and security guidance" : "راهنمای امن‌سازی", + "Profile picture" : "تصویر پروفایل", + "Upload new" : "بارگذاری جدید", + "Remove image" : "تصویر پاک شود", + "Cancel" : "منصرف شدن", + "Full name" : "نام کامل", + "No display name set" : "هیچ نام نمایشی تعیین نشده است", + "Email" : "ایمیل", + "Your email address" : "پست الکترونیکی شما", + "No email address set" : "آدرس‌ایمیلی تنظیم نشده است", + "You are member of the following groups:" : "شما عضو این گروه‌ها هستید:", + "Language" : "زبان", + "Help translate" : "به ترجمه آن کمک کنید", + "Password" : "گذرواژه", + "Current password" : "گذرواژه کنونی", + "New password" : "گذرواژه جدید", + "Change password" : "تغییر گذر واژه", + "Username" : "نام کاربری", + "Show storage location" : "نمایش محل ذخیره‌سازی", + "Show email address" : "نمایش پست الکترونیکی", + "Send email to new user" : "ارسال ایمیل به کاربر جدید", + "E-Mail" : "ایمیل", + "Create" : "ایجاد کردن", + "Admin Recovery Password" : "مدیریت بازیابی رمز عبور", + "Enter the recovery password in order to recover the users files during password change" : "در حین تغییر رمز عبور به منظور بازیابی فایل های کاربران، رمز عبور بازیابی را وارد کنید", + "Everyone" : "همه", + "Admins" : "مدیران", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "لطفا سهمیه ذخیره سازی را وارد کنید (به عنوان مثال: \" 512MB\" یا \"12GB\")", + "Unlimited" : "نامحدود", + "Other" : "دیگر", + "Quota" : "سهم", + "change full name" : "تغییر نام کامل", + "set new password" : "تنظیم کلمه عبور جدید", + "change email address" : "تغییر آدرس ایمیل ", + "Default" : "پیش فرض" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/fa.json b/settings/l10n/fa.json new file mode 100644 index 0000000000000..4beb48ea8f5b1 --- /dev/null +++ b/settings/l10n/fa.json @@ -0,0 +1,158 @@ +{ "translations": { + "Wrong password" : "رمز عبور اشتباه است", + "Saved" : "ذخیره شد", + "No user supplied" : "هیچ کاربری تعریف نشده است", + "Unable to change password" : "نمی‌توان رمز را تغییر داد", + "Authentication error" : "خطا در اعتبار سنجی", + "Wrong admin recovery password. Please check the password and try again." : "رمز مدیریتی بازیابی غلط است. لطفاً رمز را کنترل کرده و دوباره امتحان نمایید.", + "Group already exists." : "گروه در حال حاضر موجود است", + "Unable to add group." : "افزودن گروه امکان پذیر نیست.", + "Unable to delete group." : "حذف گروه امکان پذیر نیست.", + "Invalid mail address" : "آدرس ایمیل نامعتبر است", + "A user with that name already exists." : "کاربری با همین نام در حال حاضر وجود دارد.", + "Unable to create user." : "ایجاد کاربر امکان‌پذیر نیست.", + "Unable to delete user." : "حذف کاربر امکان پذیر نیست.", + "Unable to change full name" : "امکان تغییر نام کامل وجود ندارد", + "Your full name has been changed." : "نام کامل شما تغییر یافت", + "Forbidden" : "ممنوعه", + "Invalid user" : "کاربر نامعتبر", + "Unable to change mail address" : "تغییر آدرس ایمیل امکان‌پذیر نیست", + "Email saved" : "ایمیل ذخیره شد", + "Your %s account was created" : "حساب کاربری شما %s ایجاد شد", + "Couldn't remove app." : "امکان حذف برنامه وجود ندارد.", + "Couldn't update app." : "برنامه را نمی توان به هنگام ساخت.", + "Add trusted domain" : "افزودن دامنه مورد اعتماد", + "Migration in progress. Please wait until the migration is finished" : "مهاجرت در حال اجراست. لطفا تا اتمام مهاجرت صبر کنید", + "Migration started …" : "مهاجرت شروع شد...", + "Email sent" : "ایمیل ارسال شد", + "Official" : "رسمی", + "All" : "همه", + "Update to %s" : "بروزرسانی به %s", + "No apps found for your version" : "هیچ برنامه‌ای برای نسخه‌ی شما یافت نشد", + "Error while disabling app" : "خطا در هنگام غیر فعال سازی برنامه", + "Disable" : "غیرفعال", + "Enable" : "فعال", + "Error while enabling app" : "خطا در هنگام فعال سازی برنامه", + "Updated" : "بروز رسانی انجام شد", + "Approved" : "تایید شده", + "Experimental" : "آزمایشی", + "Valid until {date}" : "معتبر تا {date}", + "Delete" : "حذف", + "Select a profile picture" : "انتخاب تصویر پروفایل", + "Very weak password" : "رمز عبور بسیار ضعیف", + "Weak password" : "رمز عبور ضعیف", + "So-so password" : "رمز عبور متوسط", + "Good password" : "رمز عبور خوب", + "Strong password" : "رمز عبور قوی", + "Groups" : "گروه ها", + "Unable to delete {objName}" : "امکان حذف {objName} وجود ندارد", + "A valid group name must be provided" : "نام کاربری معتبر می بایست وارد شود", + "deleted {groupName}" : "گروه {groupName} حذف شد", + "undo" : "بازگشت", + "never" : "هرگز", + "deleted {userName}" : "کاربر {userName} حذف شد", + "Changing the password will result in data loss, because data recovery is not available for this user" : "با توجه به عدم دستیابی به بازگردانی اطلاعات برای کاربر، تغییر رمز عبور باعث از بین رفتن اطلاعات خواهد شد", + "A valid username must be provided" : "نام کاربری صحیح باید وارد شود", + "A valid password must be provided" : "رمز عبور صحیح باید وارد شود", + "A valid email must be provided" : "یک ایمیل معتبر باید وارد شود", + "Developer documentation" : "مستندات توسعه‌دهندگان", + "Documentation:" : "مستند سازی:", + "User documentation" : "مستندات کاربر", + "Admin documentation" : "مستندات مدیر", + "Show description …" : "نمایش توضیحات ...", + "Hide description …" : "عدم نمایش توضیحات...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "امکان نصب این برنامه وجود ندارد، این پیش‌نیازها انجام نشده‌اند:", + "Enable only for specific groups" : "فعال سازی تنها برای گروه های خاص", + "Common Name" : "نام مشترک", + "Valid until" : "متعبر تا", + "Issued By" : "صدور توسط", + "Valid until %s" : "متعبر تا %s", + "Import root certificate" : "وارد کردن گواهی اصلی", + "Administrator documentation" : "مستندات مدیر", + "Online documentation" : "مستندات آنلاین", + "Forum" : "انجمن", + "Commercial support" : "پشتیبانی تجاری", + "None" : "هیچ‌کدام", + "Login" : "ورود", + "Plain" : "ساده", + "NT LAN Manager" : "مدیر NT LAN", + "Email server" : "سرور ایمیل", + "Open documentation" : "بازکردن مستند", + "Send mode" : "حالت ارسال", + "Encryption" : "رمزگذاری", + "From address" : "آدرس فرستنده", + "mail" : "ایمیل", + "Authentication method" : "روش احراز هویت", + "Authentication required" : "احراز هویت مورد نیاز است", + "Server address" : "آدرس سرور", + "Port" : "درگاه", + "Credentials" : "اعتبارهای", + "SMTP Username" : "نام کاربری SMTP", + "SMTP Password" : "رمز عبور SMTP", + "Test email settings" : "تنظیمات ایمیل آزمایشی", + "Send email" : "ارسال ایمیل", + "Server-side encryption" : "رمزگذاری سمت سرور", + "Enable server-side encryption" : "فعال‌سازی رمزگذاری سمت-سرور", + "Be aware that encryption always increases the file size." : "توجه داشته باشید که همواره رمزگذاری حجم فایل را افزایش خواهد داد.", + "This is the final warning: Do you really want to enable encryption?" : "این آخرین اخطار است: آیا می‌خواهید رمزگذاری را فعال کنید ؟", + "Enable encryption" : "فعال کردن رمزگذاری", + "No encryption module loaded, please enable an encryption module in the app menu." : "هیچ ماژول رمزگذاری‌ای بارگذاری نشده است، لطفا ماژول رمز‌گذاری را در منو برنامه فعال کنید.", + "Select default encryption module:" : "انتخاب ماژول پیش‌فرض رمزگذاری:", + "Start migration" : "شروع مهاجرت", + "Security & setup warnings" : "اخطارهای نصب و امنیتی", + "All checks passed." : "تمامی موارد با موفقیت چک شدند.", + "Execute one task with each page loaded" : "اجرای یک وظیفه با هر بار بارگذاری صفحه", + "Version" : "نسخه", + "Sharing" : "اشتراک گذاری", + "Allow apps to use the Share API" : "اجازه ی برنامه ها برای استفاده از API اشتراک گذاری", + "Allow users to share via link" : "اجازه دادن به کاربران برای اشتراک گذاری توسط پیوند", + "Allow public uploads" : "اجازه بارگذاری عمومی", + "Enforce password protection" : "اجبار برای محافظت توسط رمز عبور", + "Set default expiration date" : "اعمال تاریخ اتمام پیش فرض", + "Expire after " : "اتمام اعتبار بعد از", + "days" : "روز", + "Enforce expiration date" : "اعمال تاریخ اتمام اشتراک گذاری", + "Allow resharing" : "مجوز اشتراک گذاری مجدد", + "Restrict users to only share with users in their groups" : "محدود کردن کاربران برای اشتراک‌گذاری تنها میان کاربران گروه خود", + "Exclude groups from sharing" : "مستثنی شدن گروه ها از اشتراک گذاری", + "Tips & tricks" : "نکات و راهنمایی‌ها", + "Performance tuning" : "تنظیم کارایی", + "Improving the config.php" : "بهبود config.php", + "Theming" : "قالب‌بندی", + "Hardening and security guidance" : "راهنمای امن‌سازی", + "Profile picture" : "تصویر پروفایل", + "Upload new" : "بارگذاری جدید", + "Remove image" : "تصویر پاک شود", + "Cancel" : "منصرف شدن", + "Full name" : "نام کامل", + "No display name set" : "هیچ نام نمایشی تعیین نشده است", + "Email" : "ایمیل", + "Your email address" : "پست الکترونیکی شما", + "No email address set" : "آدرس‌ایمیلی تنظیم نشده است", + "You are member of the following groups:" : "شما عضو این گروه‌ها هستید:", + "Language" : "زبان", + "Help translate" : "به ترجمه آن کمک کنید", + "Password" : "گذرواژه", + "Current password" : "گذرواژه کنونی", + "New password" : "گذرواژه جدید", + "Change password" : "تغییر گذر واژه", + "Username" : "نام کاربری", + "Show storage location" : "نمایش محل ذخیره‌سازی", + "Show email address" : "نمایش پست الکترونیکی", + "Send email to new user" : "ارسال ایمیل به کاربر جدید", + "E-Mail" : "ایمیل", + "Create" : "ایجاد کردن", + "Admin Recovery Password" : "مدیریت بازیابی رمز عبور", + "Enter the recovery password in order to recover the users files during password change" : "در حین تغییر رمز عبور به منظور بازیابی فایل های کاربران، رمز عبور بازیابی را وارد کنید", + "Everyone" : "همه", + "Admins" : "مدیران", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "لطفا سهمیه ذخیره سازی را وارد کنید (به عنوان مثال: \" 512MB\" یا \"12GB\")", + "Unlimited" : "نامحدود", + "Other" : "دیگر", + "Quota" : "سهم", + "change full name" : "تغییر نام کامل", + "set new password" : "تنظیم کلمه عبور جدید", + "change email address" : "تغییر آدرس ایمیل ", + "Default" : "پیش فرض" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/fi.js b/settings/l10n/fi.js index 6a598a0024733..ceaca538bbaf5 100644 --- a/settings/l10n/fi.js +++ b/settings/l10n/fi.js @@ -358,6 +358,17 @@ OC.L10N.register( "change full name" : "muuta koko nimi", "set new password" : "aseta uusi salasana", "change email address" : "vaihda sähköpostiosoite", - "Default" : "Oletus" + "Default" : "Oletus", + "Updating...." : "Päivitetään....", + "Desktop client" : "Työpöytäsovellus", + "Android app" : "Android-sovellus", + "iOS app" : "iOS-sovellus", + "App passwords" : "Sovellussalasanat", + "Follow us on Google+!" : "Seuraa meitä Google+:ssa!", + "Like our facebook page!" : "Tykkää Facebook-sivustamme!", + "Follow us on Twitter!" : "Seuraa meitä Twitterissä!", + "Check out our blog!" : "Tutustu blogiimme!", + "Subscribe to our newsletter!" : "Tilaa uutiskirjeemme!", + "Group name" : "Ryhmän nimi" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/fi.json b/settings/l10n/fi.json index eeee5aff9fc98..f7e2e1497fec3 100644 --- a/settings/l10n/fi.json +++ b/settings/l10n/fi.json @@ -356,6 +356,17 @@ "change full name" : "muuta koko nimi", "set new password" : "aseta uusi salasana", "change email address" : "vaihda sähköpostiosoite", - "Default" : "Oletus" + "Default" : "Oletus", + "Updating...." : "Päivitetään....", + "Desktop client" : "Työpöytäsovellus", + "Android app" : "Android-sovellus", + "iOS app" : "iOS-sovellus", + "App passwords" : "Sovellussalasanat", + "Follow us on Google+!" : "Seuraa meitä Google+:ssa!", + "Like our facebook page!" : "Tykkää Facebook-sivustamme!", + "Follow us on Twitter!" : "Seuraa meitä Twitterissä!", + "Check out our blog!" : "Tutustu blogiimme!", + "Subscribe to our newsletter!" : "Tilaa uutiskirjeemme!", + "Group name" : "Ryhmän nimi" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/fr.js b/settings/l10n/fr.js index dceba29a67722..de5ea054189ee 100644 --- a/settings/l10n/fr.js +++ b/settings/l10n/fr.js @@ -398,6 +398,7 @@ OC.L10N.register( "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "php ne semble pas être configuré de manière à récupérer les valeurs des variables d’environnement. Le test de la commande getenv(\"PATH\") retourne seulement une réponse vide. ", "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Veuillez consulter la documentation d'installation ↗ pour savoir comment configurer php sur votre serveur, en particulier en cas d'utilisation de php-fpm.", "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP est apparemment configuré pour supprimer les blocs de documentation internes. Cela rendra plusieurs applications de base inaccessibles.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "Une version de %1$s plus ancienne que %2$s est installée. Pour améliorer la stabilité et les performances, nous vous recommandons de mettre %1$s à jour.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats de détection du type MIME.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Le verrouillage transactionnel de fichiers est désactivé. Cela peut causer des conflits en cas d'accès concurrent. Activez 'filelocking.enabled' dans config.php pour éviter ces problèmes. Consultez la documentation ↗ pour plus d'informations.", "This means that there might be problems with certain characters in file names." : "Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichier.", diff --git a/settings/l10n/fr.json b/settings/l10n/fr.json index e7930508dc59e..1b773a36c4a89 100644 --- a/settings/l10n/fr.json +++ b/settings/l10n/fr.json @@ -396,6 +396,7 @@ "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "php ne semble pas être configuré de manière à récupérer les valeurs des variables d’environnement. Le test de la commande getenv(\"PATH\") retourne seulement une réponse vide. ", "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Veuillez consulter la documentation d'installation ↗ pour savoir comment configurer php sur votre serveur, en particulier en cas d'utilisation de php-fpm.", "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP est apparemment configuré pour supprimer les blocs de documentation internes. Cela rendra plusieurs applications de base inaccessibles.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "Une version de %1$s plus ancienne que %2$s est installée. Pour améliorer la stabilité et les performances, nous vous recommandons de mettre %1$s à jour.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats de détection du type MIME.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Le verrouillage transactionnel de fichiers est désactivé. Cela peut causer des conflits en cas d'accès concurrent. Activez 'filelocking.enabled' dans config.php pour éviter ces problèmes. Consultez la documentation ↗ pour plus d'informations.", "This means that there might be problems with certain characters in file names." : "Cela signifie qu'il pourrait y avoir des problèmes avec certains caractères dans les noms de fichier.", diff --git a/settings/l10n/he.js b/settings/l10n/he.js new file mode 100644 index 0000000000000..cf2d0e0ddc416 --- /dev/null +++ b/settings/l10n/he.js @@ -0,0 +1,206 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "סיסמא שגוייה", + "Saved" : "נשמר", + "No user supplied" : "לא סופק שם משתמש", + "Unable to change password" : "לא ניתן לשנות את הסיסמא", + "Authentication error" : "שגיאת הזדהות", + "Wrong admin recovery password. Please check the password and try again." : "סיסמת המנהל לשחזור שגוייה. יש לבדוק את הסיסמא ולנסות שוב.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "התקנה ועדכון היישום דרך חנות היישומים או ענן שיתוף מאוגד", + "Federated Cloud Sharing" : "ענן שיתוף מאוגד", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL משתמש בגרסה %s ישנה (%s). יש לעדכן את מערכת ההפעלה או שתכונות כדוגמת %s לא יעבדו באופן מהימן.", + "A problem occurred, please check your log files (Error: %s)" : "אירעה בעיה, יש לבדוק את לוג הקבצים (שגיאה: %s)", + "Migration Completed" : "המרה הושלמה", + "Group already exists." : "קבוצה כבר קיימת.", + "Unable to add group." : "לא ניתן להוסיף קבוצה.", + "Unable to delete group." : "לא ניתן למחוק קבוצה.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "בעיה אירעה בשליחת הדואר האלקטרוני. יש לשנות את ההגדרות שלך. (שגיאה: %s)", + "You need to set your user email before being able to send test emails." : "יש להגדיר כתובת דואר אלקטרוני לפני שניתן יהיה לשלוח דואר אלקטרוני לבדיקה.", + "Invalid mail address" : "כתובת דואר אלקטרוני לא חוקית", + "A user with that name already exists." : "משתמש בשם זה כבר קיים.", + "Unable to create user." : "לא ניתן ליצור משתמש.", + "Unable to delete user." : "לא ניתן למחוק משתמש.", + "Unable to change full name" : "לא ניתן לשנות שם מלא", + "Your full name has been changed." : "השם המלא שלך הוחלף", + "Forbidden" : "חסום", + "Invalid user" : "שם משתמש לא חוקי", + "Unable to change mail address" : "לא ניתן לשנות כתובת דואר אלקטרוני", + "Email saved" : "הדואר האלקטרוני נשמר", + "Your %s account was created" : "חשבון %s שלך נוצר", + "Couldn't remove app." : "לא ניתן להסיר את היישום.", + "Couldn't update app." : "לא ניתן לעדכן את היישום.", + "Add trusted domain" : "הוספת שם מתחם מהימן", + "Migration in progress. Please wait until the migration is finished" : "המרה בביצוע. יש להמתין עד סיום ההמרה", + "Migration started …" : "המרה החלה...", + "Email sent" : "הודעת הדואר האלקטרוני נשלחה", + "Official" : "רישמי", + "All" : "הכל", + "Update to %s" : "עדכון ל- %s", + "No apps found for your version" : "לא נמצאו יישומים לגרסה שלך", + "The app will be downloaded from the app store" : "היישום ירד מחנות היישומים", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "יישומים מאושרים מפותחים על ידי מפתחים מהימנים ועברו בדיקת הבטחה ראשונית. הם נשמרים באופן פעיל במאגר קוד פתוח והמתזקים שלהם מייעדים אותם לשימוש מזדמן ורגיל.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "יישום זה לא נבדק לבעיות אבטחה והוא חדש או ידוע כלא יציב. התקנת יישום זה הנה על אחריותך בלבד.", + "Error while disabling app" : "אירעה שגיאה בעת נטרול היישום", + "Disable" : "ניטרול", + "Enable" : "הפעלה", + "Error while enabling app" : "שגיאה בעת הפעלת יישום", + "Error while disabling broken app" : "שגיאה בזמן נטרול יישום פגום", + "Updated" : "מעודכן", + "Approved" : "מאושר", + "Experimental" : "ניסיוני", + "No apps found for {query}" : "לא נמצא יישום עבור {query}", + "Disconnect" : "ניתוק", + "Error while loading browser sessions and device tokens" : "שגיאה בזמן טעינת שיחת דפדפן ומחרוזת התקן", + "Error while creating device token" : "שגיאה בזמן יצירת מחרוזת התקן", + "Error while deleting the token" : "שגיאה בזמן מחיקת המחרוזת", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "אירעה שגיאה. יש להעלות תעודת ASCII-encoded PEM.", + "Valid until {date}" : "בתוקף עד ל- {date}", + "Delete" : "מחיקה", + "Select a profile picture" : "יש לבחור תמונת פרופיל", + "Very weak password" : "סיסמא מאוד חלשה", + "Weak password" : "סיסמא חלשה", + "So-so password" : "סיסמא ככה-ככה", + "Good password" : "סיסמא טובה", + "Strong password" : "סיסמא חזקה", + "Groups" : "קבוצות", + "Unable to delete {objName}" : "לא ניתן למחיקה {objName}", + "Error creating group: {message}" : "שגיאה ביצירת קבוצה: {message}", + "A valid group name must be provided" : "יש לספק שם קבוצה תקני", + "deleted {groupName}" : "נמחק {groupName}", + "undo" : "ביטול", + "never" : "לעולם לא", + "deleted {userName}" : "נמחק {userName}", + "Changing the password will result in data loss, because data recovery is not available for this user" : "שינוי הסיסמא יגרום איבוד מידע, וזאת בגלל ששחזור מידע אינו זמין למשתמש זה", + "A valid username must be provided" : "יש לספק שם משתמש תקני", + "Error creating user: {message}" : "שגיאה ביצירת משתמש: {message}", + "A valid password must be provided" : "יש לספק סיסמא תקנית", + "A valid email must be provided" : "יש לספק כתובת דואר אלקטרוני תקנית", + "Developer documentation" : "תיעוד מפתח", + "by %s" : "על ידי %s", + "%s-licensed" : "%s-בעל רישיון", + "Documentation:" : "תיעוד", + "User documentation" : "תיעוד משתמש", + "Admin documentation" : "תיעוד מנהל", + "Visit website" : "ביקור באתר האינטרנט", + "Report a bug" : "דיווח על באג", + "Show description …" : "הצגת תיאור ...", + "Hide description …" : "הסתרת תיאור ...", + "This app has an update available." : "ליישום זה קיים עדכון זמין.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "לא ניתן להתקין את יישום זה כיוון שייחסי התלות הבאים לא התקיימו:", + "Enable only for specific groups" : "אפשר רק לקבוצות מסויימות", + "SSL Root Certificates" : "אישורי אבטחת SSL לנתיב יסוד", + "Common Name" : "שם משותף", + "Valid until" : "בתוקף עד", + "Issued By" : "הוצא על ידי", + "Valid until %s" : "בתוקף עד %s", + "Import root certificate" : "יבוא אישור אבטחה לנתיב יסוד", + "Administrator documentation" : "תיעוד מנהל", + "Online documentation" : "תיעוד מקוון", + "Forum" : "פורום", + "Commercial support" : "תמיכה מסחרית", + "None" : "כלום", + "Login" : "התחברות", + "Plain" : "רגיל", + "NT LAN Manager" : "מנהל רשת NT", + "Email server" : "שרת דואר אלקטרוני", + "Open documentation" : "תיעוד פתוח", + "Send mode" : "מצב שליחה", + "Encryption" : "הצפנה", + "From address" : "מכתובת", + "mail" : "mail", + "Authentication method" : "שיטת אימות", + "Authentication required" : "נדרש אימות", + "Server address" : "כתובת שרת", + "Port" : "שער", + "Credentials" : "פרטי גישה", + "SMTP Username" : "שם משתמש SMTP ", + "SMTP Password" : "סיסמת SMTP", + "Store credentials" : "שמירת אישורים", + "Test email settings" : "בדיקת הגדרות דואר אלקטרוני", + "Send email" : "שליחת דואר אלקטרוני", + "Server-side encryption" : "הצפנת צד שרת", + "Enable server-side encryption" : "הפעלת הצפנה בצד שרת", + "Please read carefully before activating server-side encryption: " : "יש לקרוא בתשומת לב רבה לפני שמפעילים הצפנת צד שרת:", + "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "ברגע שהצפנה מופעלת, כל הקבצים שיועלו לשרת מרגע זה יהיו מוצפנים בשרת. ניתן יהיה לנטרל את ההצפנה בעתיד רק אם מודול ההצפנה תומך בפונקציה זו, וכל התנאים המוקדמים (דהיינו הגדרת מפתח השחזור) מתקיימים.", + "Be aware that encryption always increases the file size." : "תשומת לב לכך שהצפנה בהכרח מגדילה את גודל הקובץ.", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "תמיד טוב ליצור גיבוי קבוע למידע , במקרה של הצפנה יש לוודא שגם מפתחות ההצפנה מגובים עם המידע שלך.", + "This is the final warning: Do you really want to enable encryption?" : "זו הזהרה אחרונה: האם באמת ברצונך להפעיל הצפנה?", + "Enable encryption" : "אפשר הצפנה", + "No encryption module loaded, please enable an encryption module in the app menu." : "לא נמצא מודול הצפנה, יש לאפשר מודול הצפנה בתפריט היישומים.", + "Select default encryption module:" : "יש לבחור מודול הצפנת ברירת מחדל:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה. יש לאפשר את \"מודול הצפנה ברירת מחדש\" ולהריץ 'occ encryption:migrate'", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה.", + "Start migration" : "התחלת המרה", + "Security & setup warnings" : "הזהרות אבטחה והתקנה", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "תצורת קריאה בלבד הופעלה. תצורה זו מונעת קביעת מספר הגדרות באמצעות ממשק האינטרנט. יתר על כן, יש צורך להגדיר ההרשאות כתיבה באופן ידני לכל עדכון.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "זה ככל הנראה נגרם על ידי מאיץ/מטמון כמו Zend OPcache או eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "הגדרות שפה לא יכולות להקבע ככאלה שתומכות ב- UTF-8.", + "All checks passed." : "כל הבדיקות עברו", + "Execute one task with each page loaded" : "יש להפעיל משימה אחת עם כל עמוד שנטען", + "Version" : "גרסה", + "Sharing" : "שיתוף", + "Allow apps to use the Share API" : "לאפשר ליישום להשתמש ב־API השיתוף", + "Allow users to share via link" : "אפשר למשתמשים לשתף באמצעות קישור", + "Allow public uploads" : "אפשר העלאות ציבוריות", + "Enforce password protection" : "חייב הגנת סיסמא", + "Set default expiration date" : "הגדרת תאריך תפוגה ברירת מחדל", + "Expire after " : "פג אחרי", + "days" : "ימים", + "Enforce expiration date" : "חייב תאריך תפוגה", + "Allow resharing" : "לאפשר שיתוף מחדש", + "Allow sharing with groups" : "מאפשר שיתוף עם קבוצות", + "Restrict users to only share with users in their groups" : "הגבלת משתמשים לשתף רק עם משתמשים בקבוצה שלהם", + "Exclude groups from sharing" : "מניעת קבוצות משיתוף", + "These groups will still be able to receive shares, but not to initiate them." : "קבוצות אלו עדיין יוכלו לקבל שיתופים, אך לא לשתף בעצמם.", + "Tips & tricks" : "עצות ותחבולות", + "How to do backups" : "איך לבצע גיבויים", + "Performance tuning" : "כוונון ביצועים", + "Improving the config.php" : "שיפור קובץ config.php", + "Theming" : "ערכת נושא", + "Hardening and security guidance" : "הדרכת הקשחה ואבטחה", + "You are using %s of %s" : "הנך משתמש ב- %s מתוך %s", + "Profile picture" : "תמונת פרופיל", + "Upload new" : "העלאת חדש", + "Select from Files" : "בחירה מתוך קבצים", + "Remove image" : "הסרת תמונה", + "png or jpg, max. 20 MB" : "png או jpg, מקסימום 20 מגה-בייט", + "Picture provided by original account" : "תמונה סופקה על ידי חשבון מקור", + "Cancel" : "ביטול", + "Choose as profile picture" : "יש לבחור כתמונת פרופיל", + "Full name" : "שם מלא", + "No display name set" : "לא נקבע שם תצוגה", + "Email" : "דואר אלקטרוני", + "Your email address" : "כתובת הדואר האלקטרוני שלך", + "No email address set" : "לא נקבעה כתובת דואר אלקטרוני", + "You are member of the following groups:" : "הקבוצות הבאות כוללות אותך:", + "Language" : "שפה", + "Help translate" : "עזרה בתרגום", + "Password" : "סיסמא", + "Current password" : "סיסמא נוכחית", + "New password" : "סיסמא חדשה", + "Change password" : "שינוי סיסמא", + "App name" : "שם יישום", + "Create new app password" : "יצירת סיסמת יישום חדשה", + "Username" : "שם משתמש", + "Done" : "הסתיים", + "Show storage location" : "הצגת מיקום אחסון", + "Show user backend" : "הצגת צד אחורי למשתמש", + "Show email address" : "הצגת כתובת דואר אלקטרוני", + "Send email to new user" : "שליחת דואר אלקטרוני למשתמש חדש", + "E-Mail" : "דואר אלקטרוני", + "Create" : "יצירה", + "Admin Recovery Password" : "סיסמת השחזור של המנהל", + "Enter the recovery password in order to recover the users files during password change" : "יש להכניס את סיסמת השחזור לצורך שחזור של קבצי המשתמש במהלך החלפת סיסמא", + "Everyone" : "כולם", + "Admins" : "מנהלים", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "יש להכניס מכסת אחסון (לדוגמא: \"512 MB\" or \"12 GB\")", + "Unlimited" : "ללא הגבלה", + "Other" : "אחר", + "Quota" : "מכסה", + "change full name" : "שינוי שם מלא", + "set new password" : "הגדרת סיסמא חדשה", + "change email address" : "שינוי כתובת דואר אלקטרוני", + "Default" : "ברירת מחדל" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/he.json b/settings/l10n/he.json new file mode 100644 index 0000000000000..b65704f38451e --- /dev/null +++ b/settings/l10n/he.json @@ -0,0 +1,204 @@ +{ "translations": { + "Wrong password" : "סיסמא שגוייה", + "Saved" : "נשמר", + "No user supplied" : "לא סופק שם משתמש", + "Unable to change password" : "לא ניתן לשנות את הסיסמא", + "Authentication error" : "שגיאת הזדהות", + "Wrong admin recovery password. Please check the password and try again." : "סיסמת המנהל לשחזור שגוייה. יש לבדוק את הסיסמא ולנסות שוב.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "התקנה ועדכון היישום דרך חנות היישומים או ענן שיתוף מאוגד", + "Federated Cloud Sharing" : "ענן שיתוף מאוגד", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL משתמש בגרסה %s ישנה (%s). יש לעדכן את מערכת ההפעלה או שתכונות כדוגמת %s לא יעבדו באופן מהימן.", + "A problem occurred, please check your log files (Error: %s)" : "אירעה בעיה, יש לבדוק את לוג הקבצים (שגיאה: %s)", + "Migration Completed" : "המרה הושלמה", + "Group already exists." : "קבוצה כבר קיימת.", + "Unable to add group." : "לא ניתן להוסיף קבוצה.", + "Unable to delete group." : "לא ניתן למחוק קבוצה.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "בעיה אירעה בשליחת הדואר האלקטרוני. יש לשנות את ההגדרות שלך. (שגיאה: %s)", + "You need to set your user email before being able to send test emails." : "יש להגדיר כתובת דואר אלקטרוני לפני שניתן יהיה לשלוח דואר אלקטרוני לבדיקה.", + "Invalid mail address" : "כתובת דואר אלקטרוני לא חוקית", + "A user with that name already exists." : "משתמש בשם זה כבר קיים.", + "Unable to create user." : "לא ניתן ליצור משתמש.", + "Unable to delete user." : "לא ניתן למחוק משתמש.", + "Unable to change full name" : "לא ניתן לשנות שם מלא", + "Your full name has been changed." : "השם המלא שלך הוחלף", + "Forbidden" : "חסום", + "Invalid user" : "שם משתמש לא חוקי", + "Unable to change mail address" : "לא ניתן לשנות כתובת דואר אלקטרוני", + "Email saved" : "הדואר האלקטרוני נשמר", + "Your %s account was created" : "חשבון %s שלך נוצר", + "Couldn't remove app." : "לא ניתן להסיר את היישום.", + "Couldn't update app." : "לא ניתן לעדכן את היישום.", + "Add trusted domain" : "הוספת שם מתחם מהימן", + "Migration in progress. Please wait until the migration is finished" : "המרה בביצוע. יש להמתין עד סיום ההמרה", + "Migration started …" : "המרה החלה...", + "Email sent" : "הודעת הדואר האלקטרוני נשלחה", + "Official" : "רישמי", + "All" : "הכל", + "Update to %s" : "עדכון ל- %s", + "No apps found for your version" : "לא נמצאו יישומים לגרסה שלך", + "The app will be downloaded from the app store" : "היישום ירד מחנות היישומים", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "יישומים מאושרים מפותחים על ידי מפתחים מהימנים ועברו בדיקת הבטחה ראשונית. הם נשמרים באופן פעיל במאגר קוד פתוח והמתזקים שלהם מייעדים אותם לשימוש מזדמן ורגיל.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "יישום זה לא נבדק לבעיות אבטחה והוא חדש או ידוע כלא יציב. התקנת יישום זה הנה על אחריותך בלבד.", + "Error while disabling app" : "אירעה שגיאה בעת נטרול היישום", + "Disable" : "ניטרול", + "Enable" : "הפעלה", + "Error while enabling app" : "שגיאה בעת הפעלת יישום", + "Error while disabling broken app" : "שגיאה בזמן נטרול יישום פגום", + "Updated" : "מעודכן", + "Approved" : "מאושר", + "Experimental" : "ניסיוני", + "No apps found for {query}" : "לא נמצא יישום עבור {query}", + "Disconnect" : "ניתוק", + "Error while loading browser sessions and device tokens" : "שגיאה בזמן טעינת שיחת דפדפן ומחרוזת התקן", + "Error while creating device token" : "שגיאה בזמן יצירת מחרוזת התקן", + "Error while deleting the token" : "שגיאה בזמן מחיקת המחרוזת", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "אירעה שגיאה. יש להעלות תעודת ASCII-encoded PEM.", + "Valid until {date}" : "בתוקף עד ל- {date}", + "Delete" : "מחיקה", + "Select a profile picture" : "יש לבחור תמונת פרופיל", + "Very weak password" : "סיסמא מאוד חלשה", + "Weak password" : "סיסמא חלשה", + "So-so password" : "סיסמא ככה-ככה", + "Good password" : "סיסמא טובה", + "Strong password" : "סיסמא חזקה", + "Groups" : "קבוצות", + "Unable to delete {objName}" : "לא ניתן למחיקה {objName}", + "Error creating group: {message}" : "שגיאה ביצירת קבוצה: {message}", + "A valid group name must be provided" : "יש לספק שם קבוצה תקני", + "deleted {groupName}" : "נמחק {groupName}", + "undo" : "ביטול", + "never" : "לעולם לא", + "deleted {userName}" : "נמחק {userName}", + "Changing the password will result in data loss, because data recovery is not available for this user" : "שינוי הסיסמא יגרום איבוד מידע, וזאת בגלל ששחזור מידע אינו זמין למשתמש זה", + "A valid username must be provided" : "יש לספק שם משתמש תקני", + "Error creating user: {message}" : "שגיאה ביצירת משתמש: {message}", + "A valid password must be provided" : "יש לספק סיסמא תקנית", + "A valid email must be provided" : "יש לספק כתובת דואר אלקטרוני תקנית", + "Developer documentation" : "תיעוד מפתח", + "by %s" : "על ידי %s", + "%s-licensed" : "%s-בעל רישיון", + "Documentation:" : "תיעוד", + "User documentation" : "תיעוד משתמש", + "Admin documentation" : "תיעוד מנהל", + "Visit website" : "ביקור באתר האינטרנט", + "Report a bug" : "דיווח על באג", + "Show description …" : "הצגת תיאור ...", + "Hide description …" : "הסתרת תיאור ...", + "This app has an update available." : "ליישום זה קיים עדכון זמין.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "לא ניתן להתקין את יישום זה כיוון שייחסי התלות הבאים לא התקיימו:", + "Enable only for specific groups" : "אפשר רק לקבוצות מסויימות", + "SSL Root Certificates" : "אישורי אבטחת SSL לנתיב יסוד", + "Common Name" : "שם משותף", + "Valid until" : "בתוקף עד", + "Issued By" : "הוצא על ידי", + "Valid until %s" : "בתוקף עד %s", + "Import root certificate" : "יבוא אישור אבטחה לנתיב יסוד", + "Administrator documentation" : "תיעוד מנהל", + "Online documentation" : "תיעוד מקוון", + "Forum" : "פורום", + "Commercial support" : "תמיכה מסחרית", + "None" : "כלום", + "Login" : "התחברות", + "Plain" : "רגיל", + "NT LAN Manager" : "מנהל רשת NT", + "Email server" : "שרת דואר אלקטרוני", + "Open documentation" : "תיעוד פתוח", + "Send mode" : "מצב שליחה", + "Encryption" : "הצפנה", + "From address" : "מכתובת", + "mail" : "mail", + "Authentication method" : "שיטת אימות", + "Authentication required" : "נדרש אימות", + "Server address" : "כתובת שרת", + "Port" : "שער", + "Credentials" : "פרטי גישה", + "SMTP Username" : "שם משתמש SMTP ", + "SMTP Password" : "סיסמת SMTP", + "Store credentials" : "שמירת אישורים", + "Test email settings" : "בדיקת הגדרות דואר אלקטרוני", + "Send email" : "שליחת דואר אלקטרוני", + "Server-side encryption" : "הצפנת צד שרת", + "Enable server-side encryption" : "הפעלת הצפנה בצד שרת", + "Please read carefully before activating server-side encryption: " : "יש לקרוא בתשומת לב רבה לפני שמפעילים הצפנת צד שרת:", + "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "ברגע שהצפנה מופעלת, כל הקבצים שיועלו לשרת מרגע זה יהיו מוצפנים בשרת. ניתן יהיה לנטרל את ההצפנה בעתיד רק אם מודול ההצפנה תומך בפונקציה זו, וכל התנאים המוקדמים (דהיינו הגדרת מפתח השחזור) מתקיימים.", + "Be aware that encryption always increases the file size." : "תשומת לב לכך שהצפנה בהכרח מגדילה את גודל הקובץ.", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "תמיד טוב ליצור גיבוי קבוע למידע , במקרה של הצפנה יש לוודא שגם מפתחות ההצפנה מגובים עם המידע שלך.", + "This is the final warning: Do you really want to enable encryption?" : "זו הזהרה אחרונה: האם באמת ברצונך להפעיל הצפנה?", + "Enable encryption" : "אפשר הצפנה", + "No encryption module loaded, please enable an encryption module in the app menu." : "לא נמצא מודול הצפנה, יש לאפשר מודול הצפנה בתפריט היישומים.", + "Select default encryption module:" : "יש לבחור מודול הצפנת ברירת מחדל:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה. יש לאפשר את \"מודול הצפנה ברירת מחדש\" ולהריץ 'occ encryption:migrate'", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "יש להמיר את מפתחות ההצפנה שלך בממערכת ההצפנה הישנה (ownCloud <= 8.0) למערכת החדשה.", + "Start migration" : "התחלת המרה", + "Security & setup warnings" : "הזהרות אבטחה והתקנה", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "תצורת קריאה בלבד הופעלה. תצורה זו מונעת קביעת מספר הגדרות באמצעות ממשק האינטרנט. יתר על כן, יש צורך להגדיר ההרשאות כתיבה באופן ידני לכל עדכון.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "זה ככל הנראה נגרם על ידי מאיץ/מטמון כמו Zend OPcache או eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "הגדרות שפה לא יכולות להקבע ככאלה שתומכות ב- UTF-8.", + "All checks passed." : "כל הבדיקות עברו", + "Execute one task with each page loaded" : "יש להפעיל משימה אחת עם כל עמוד שנטען", + "Version" : "גרסה", + "Sharing" : "שיתוף", + "Allow apps to use the Share API" : "לאפשר ליישום להשתמש ב־API השיתוף", + "Allow users to share via link" : "אפשר למשתמשים לשתף באמצעות קישור", + "Allow public uploads" : "אפשר העלאות ציבוריות", + "Enforce password protection" : "חייב הגנת סיסמא", + "Set default expiration date" : "הגדרת תאריך תפוגה ברירת מחדל", + "Expire after " : "פג אחרי", + "days" : "ימים", + "Enforce expiration date" : "חייב תאריך תפוגה", + "Allow resharing" : "לאפשר שיתוף מחדש", + "Allow sharing with groups" : "מאפשר שיתוף עם קבוצות", + "Restrict users to only share with users in their groups" : "הגבלת משתמשים לשתף רק עם משתמשים בקבוצה שלהם", + "Exclude groups from sharing" : "מניעת קבוצות משיתוף", + "These groups will still be able to receive shares, but not to initiate them." : "קבוצות אלו עדיין יוכלו לקבל שיתופים, אך לא לשתף בעצמם.", + "Tips & tricks" : "עצות ותחבולות", + "How to do backups" : "איך לבצע גיבויים", + "Performance tuning" : "כוונון ביצועים", + "Improving the config.php" : "שיפור קובץ config.php", + "Theming" : "ערכת נושא", + "Hardening and security guidance" : "הדרכת הקשחה ואבטחה", + "You are using %s of %s" : "הנך משתמש ב- %s מתוך %s", + "Profile picture" : "תמונת פרופיל", + "Upload new" : "העלאת חדש", + "Select from Files" : "בחירה מתוך קבצים", + "Remove image" : "הסרת תמונה", + "png or jpg, max. 20 MB" : "png או jpg, מקסימום 20 מגה-בייט", + "Picture provided by original account" : "תמונה סופקה על ידי חשבון מקור", + "Cancel" : "ביטול", + "Choose as profile picture" : "יש לבחור כתמונת פרופיל", + "Full name" : "שם מלא", + "No display name set" : "לא נקבע שם תצוגה", + "Email" : "דואר אלקטרוני", + "Your email address" : "כתובת הדואר האלקטרוני שלך", + "No email address set" : "לא נקבעה כתובת דואר אלקטרוני", + "You are member of the following groups:" : "הקבוצות הבאות כוללות אותך:", + "Language" : "שפה", + "Help translate" : "עזרה בתרגום", + "Password" : "סיסמא", + "Current password" : "סיסמא נוכחית", + "New password" : "סיסמא חדשה", + "Change password" : "שינוי סיסמא", + "App name" : "שם יישום", + "Create new app password" : "יצירת סיסמת יישום חדשה", + "Username" : "שם משתמש", + "Done" : "הסתיים", + "Show storage location" : "הצגת מיקום אחסון", + "Show user backend" : "הצגת צד אחורי למשתמש", + "Show email address" : "הצגת כתובת דואר אלקטרוני", + "Send email to new user" : "שליחת דואר אלקטרוני למשתמש חדש", + "E-Mail" : "דואר אלקטרוני", + "Create" : "יצירה", + "Admin Recovery Password" : "סיסמת השחזור של המנהל", + "Enter the recovery password in order to recover the users files during password change" : "יש להכניס את סיסמת השחזור לצורך שחזור של קבצי המשתמש במהלך החלפת סיסמא", + "Everyone" : "כולם", + "Admins" : "מנהלים", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "יש להכניס מכסת אחסון (לדוגמא: \"512 MB\" or \"12 GB\")", + "Unlimited" : "ללא הגבלה", + "Other" : "אחר", + "Quota" : "מכסה", + "change full name" : "שינוי שם מלא", + "set new password" : "הגדרת סיסמא חדשה", + "change email address" : "שינוי כתובת דואר אלקטרוני", + "Default" : "ברירת מחדל" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/hr.js b/settings/l10n/hr.js new file mode 100644 index 0000000000000..3d378ca791995 --- /dev/null +++ b/settings/l10n/hr.js @@ -0,0 +1,109 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Pogrešna lozinka", + "Saved" : "Spremljeno", + "No user supplied" : "Nijedan korisnik nije dostavljen", + "Unable to change password" : "Promjena lozinke nije moguća", + "Authentication error" : "Pogrešna autentikacija", + "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za oporavak. Molimo provjerite lozinku i pokušajte ponovno.", + "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu e-poštu trebate postaviti svoj korisnički email.", + "Unable to change full name" : "Puno ime nije moguće promijeniti.", + "Your full name has been changed." : "Vaše puno ime je promijenjeno.", + "Email saved" : "E-pošta spremljena", + "Couldn't remove app." : "Nije moguće ukloniti app.", + "Couldn't update app." : "Ažuriranje aplikacija nije moguće", + "Add trusted domain" : "Dodajte pouzdanu domenu", + "Email sent" : "E-pošta je poslana", + "All" : "Sve", + "Error while disabling app" : "Pogreška pri onemogućavanju app", + "Disable" : "Onemogućite", + "Enable" : "Omogućite", + "Error while enabling app" : "Pogreška pri omogućavanju app", + "Updated" : "Ažurirano", + "Valid until {date}" : "Valid until {date}", + "Delete" : "Izbrišite", + "Select a profile picture" : "Odaberite sliku profila", + "Very weak password" : "Lozinka vrlo slaba", + "Weak password" : "Lozinka slaba", + "So-so password" : "Lozinka tako-tako", + "Good password" : "Lozinka dobra", + "Strong password" : "Lozinka snažna", + "Groups" : "Grupe", + "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", + "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", + "deleted {groupName}" : "izbrisana {groupName}", + "undo" : "poništite", + "never" : "nikad", + "deleted {userName}" : "izbrisano {userName}", + "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", + "A valid password must be provided" : "Nužno je navesti valjanu lozinku", + "Documentation:" : "Dokumentacija:", + "Enable only for specific groups" : "Omogućite samo za specifične grupe", + "Common Name" : "Common Name", + "Valid until" : "Valid until", + "Issued By" : "Issued By", + "Valid until %s" : "Valid until %s", + "Forum" : "Forum", + "None" : "Ništa", + "Login" : "Prijava", + "Plain" : "Čisti tekst", + "NT LAN Manager" : "NT LAN Manager", + "Send mode" : "Način rada za slanje", + "Encryption" : "Šifriranje", + "From address" : "S adrese", + "mail" : "pošta", + "Authentication method" : "Postupak autentikacije", + "Authentication required" : "Potrebna autentikacija", + "Server address" : "Adresa poslužitelja", + "Port" : "Priključak", + "Credentials" : "Vjerodajnice", + "SMTP Username" : "Korisničko ime SMTP", + "SMTP Password" : "Lozinka SMPT", + "Test email settings" : "Postavke za testnu e-poštu", + "Send email" : "Pošaljite e-poštu", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemoriranja kao što je Zend OPcache ilieAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Regionalnu shemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", + "Execute one task with each page loaded" : "Izvršite jedan zadatak sa svakom učitanom stranicom", + "Version" : "Verzija", + "Sharing" : "Dijeljenje zajedničkih resursa", + "Allow apps to use the Share API" : "Dopustite apps korištenje Share API", + "Allow users to share via link" : "Dopustite korisnicia dijeljenje putem veze", + "Allow public uploads" : "Dopustite javno učitavanje sadržaja", + "Enforce password protection" : "Nametnite zaštitu lozinki", + "Set default expiration date" : "Postavite zadani datum isteka", + "Expire after " : "Istek nakon", + "days" : "dana", + "Enforce expiration date" : "Nametnite datum isteka", + "Allow resharing" : "Dopustite ponovno dijeljenje zajedničkih resursa", + "Restrict users to only share with users in their groups" : "Ograničite korisnike na meusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", + "Exclude groups from sharing" : "Isključite grupe iz dijeljenja zajedničkih resursa", + "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe još uvijek moći primati dijeljene resurse, ali ne i inicirati ih", + "Profile picture" : "Slika profila", + "Upload new" : "Učitajte novu", + "Remove image" : "Uklonite sliku", + "Cancel" : "Odustanite", + "Email" : "E-pošta", + "Your email address" : "Vaša adresa e-pošte", + "Language" : "Jezik", + "Help translate" : "Pomozite prevesti", + "Password" : "Lozinka", + "Current password" : "Trenutna lozinka", + "New password" : "Nova lozinka", + "Change password" : "Promijenite lozinku", + "Username" : "Korisničko ime", + "Show storage location" : "Prikaži mjesto pohrane", + "Create" : "Kreirajte", + "Admin Recovery Password" : "Admin lozinka za oporavak", + "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tijekom promjene lozinke", + "Everyone" : "Svi", + "Admins" : "Admins", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molimo unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", + "Unlimited" : "Neograničeno", + "Other" : "Ostalo", + "Quota" : "Kvota", + "change full name" : "promijenite puno ime", + "set new password" : "postavite novu lozinku", + "Default" : "Zadano" +}, +"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); diff --git a/settings/l10n/hr.json b/settings/l10n/hr.json new file mode 100644 index 0000000000000..27e488e7e367a --- /dev/null +++ b/settings/l10n/hr.json @@ -0,0 +1,107 @@ +{ "translations": { + "Wrong password" : "Pogrešna lozinka", + "Saved" : "Spremljeno", + "No user supplied" : "Nijedan korisnik nije dostavljen", + "Unable to change password" : "Promjena lozinke nije moguća", + "Authentication error" : "Pogrešna autentikacija", + "Wrong admin recovery password. Please check the password and try again." : "Pogrešna admin lozinka za oporavak. Molimo provjerite lozinku i pokušajte ponovno.", + "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu e-poštu trebate postaviti svoj korisnički email.", + "Unable to change full name" : "Puno ime nije moguće promijeniti.", + "Your full name has been changed." : "Vaše puno ime je promijenjeno.", + "Email saved" : "E-pošta spremljena", + "Couldn't remove app." : "Nije moguće ukloniti app.", + "Couldn't update app." : "Ažuriranje aplikacija nije moguće", + "Add trusted domain" : "Dodajte pouzdanu domenu", + "Email sent" : "E-pošta je poslana", + "All" : "Sve", + "Error while disabling app" : "Pogreška pri onemogućavanju app", + "Disable" : "Onemogućite", + "Enable" : "Omogućite", + "Error while enabling app" : "Pogreška pri omogućavanju app", + "Updated" : "Ažurirano", + "Valid until {date}" : "Valid until {date}", + "Delete" : "Izbrišite", + "Select a profile picture" : "Odaberite sliku profila", + "Very weak password" : "Lozinka vrlo slaba", + "Weak password" : "Lozinka slaba", + "So-so password" : "Lozinka tako-tako", + "Good password" : "Lozinka dobra", + "Strong password" : "Lozinka snažna", + "Groups" : "Grupe", + "Unable to delete {objName}" : "Nije moguće izbrisati {objName}", + "A valid group name must be provided" : "Nužno je navesti valjani naziv grupe", + "deleted {groupName}" : "izbrisana {groupName}", + "undo" : "poništite", + "never" : "nikad", + "deleted {userName}" : "izbrisano {userName}", + "A valid username must be provided" : "Nužno je navesti valjano korisničko ime", + "A valid password must be provided" : "Nužno je navesti valjanu lozinku", + "Documentation:" : "Dokumentacija:", + "Enable only for specific groups" : "Omogućite samo za specifične grupe", + "Common Name" : "Common Name", + "Valid until" : "Valid until", + "Issued By" : "Issued By", + "Valid until %s" : "Valid until %s", + "Forum" : "Forum", + "None" : "Ništa", + "Login" : "Prijava", + "Plain" : "Čisti tekst", + "NT LAN Manager" : "NT LAN Manager", + "Send mode" : "Način rada za slanje", + "Encryption" : "Šifriranje", + "From address" : "S adrese", + "mail" : "pošta", + "Authentication method" : "Postupak autentikacije", + "Authentication required" : "Potrebna autentikacija", + "Server address" : "Adresa poslužitelja", + "Port" : "Priključak", + "Credentials" : "Vjerodajnice", + "SMTP Username" : "Korisničko ime SMTP", + "SMTP Password" : "Lozinka SMPT", + "Test email settings" : "Postavke za testnu e-poštu", + "Send email" : "Pošaljite e-poštu", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Uzrok tome je vjerojatno neki ubrzivač predmemoriranja kao što je Zend OPcache ilieAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Regionalnu shemu sustava nemoguće je postaviti na neku koja podržava UTF-8.", + "Execute one task with each page loaded" : "Izvršite jedan zadatak sa svakom učitanom stranicom", + "Version" : "Verzija", + "Sharing" : "Dijeljenje zajedničkih resursa", + "Allow apps to use the Share API" : "Dopustite apps korištenje Share API", + "Allow users to share via link" : "Dopustite korisnicia dijeljenje putem veze", + "Allow public uploads" : "Dopustite javno učitavanje sadržaja", + "Enforce password protection" : "Nametnite zaštitu lozinki", + "Set default expiration date" : "Postavite zadani datum isteka", + "Expire after " : "Istek nakon", + "days" : "dana", + "Enforce expiration date" : "Nametnite datum isteka", + "Allow resharing" : "Dopustite ponovno dijeljenje zajedničkih resursa", + "Restrict users to only share with users in their groups" : "Ograničite korisnike na meusobno dijeljenje resursa samo s korisnicima unutar svoje grupe", + "Exclude groups from sharing" : "Isključite grupe iz dijeljenja zajedničkih resursa", + "These groups will still be able to receive shares, but not to initiate them." : "Ove će grupe još uvijek moći primati dijeljene resurse, ali ne i inicirati ih", + "Profile picture" : "Slika profila", + "Upload new" : "Učitajte novu", + "Remove image" : "Uklonite sliku", + "Cancel" : "Odustanite", + "Email" : "E-pošta", + "Your email address" : "Vaša adresa e-pošte", + "Language" : "Jezik", + "Help translate" : "Pomozite prevesti", + "Password" : "Lozinka", + "Current password" : "Trenutna lozinka", + "New password" : "Nova lozinka", + "Change password" : "Promijenite lozinku", + "Username" : "Korisničko ime", + "Show storage location" : "Prikaži mjesto pohrane", + "Create" : "Kreirajte", + "Admin Recovery Password" : "Admin lozinka za oporavak", + "Enter the recovery password in order to recover the users files during password change" : "Unesite lozinku za oporavak da biste oporavili korisničke datoteke tijekom promjene lozinke", + "Everyone" : "Svi", + "Admins" : "Admins", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Molimo unesite kvotu za spremanje (npr: \"512 MB\" ili \"12 GB\")", + "Unlimited" : "Neograničeno", + "Other" : "Ostalo", + "Quota" : "Kvota", + "change full name" : "promijenite puno ime", + "set new password" : "postavite novu lozinku", + "Default" : "Zadano" +},"pluralForm" :"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;" +} \ No newline at end of file diff --git a/settings/l10n/hy.js b/settings/l10n/hy.js new file mode 100644 index 0000000000000..5395b53505a67 --- /dev/null +++ b/settings/l10n/hy.js @@ -0,0 +1,26 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Սխալ գաղտնաբառ", + "Saved" : "Պահված", + "Unable to change password" : "Չկարողացա փոխել գաղտնաբառը", + "Delete" : "Ջնջել", + "Very weak password" : "Շատ թույլ գաղտնաբառ", + "Weak password" : "Թույլ գաղտնաբառ", + "So-so password" : "Միջինոտ գաղտնաբառ", + "Good password" : "Լավ գաղտնաբառ", + "Strong password" : "Ուժեղ գաղտնաբառ", + "Groups" : "Խմբեր", + "never" : "երբեք", + "days" : "օր", + "Cancel" : "Չեղարկել", + "Email" : "Էլ. հասցե", + "Language" : "Լեզու", + "Help translate" : "Օգնել թարգմանել", + "Password" : "Գաղտնաբառ", + "New password" : "Նոր գաղտնաբառ", + "Change password" : "Փոխել գաղտնաբառը", + "Username" : "Օգտանուն", + "Other" : "Այլ" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/hy.json b/settings/l10n/hy.json new file mode 100644 index 0000000000000..d315d9bbc63ab --- /dev/null +++ b/settings/l10n/hy.json @@ -0,0 +1,24 @@ +{ "translations": { + "Wrong password" : "Սխալ գաղտնաբառ", + "Saved" : "Պահված", + "Unable to change password" : "Չկարողացա փոխել գաղտնաբառը", + "Delete" : "Ջնջել", + "Very weak password" : "Շատ թույլ գաղտնաբառ", + "Weak password" : "Թույլ գաղտնաբառ", + "So-so password" : "Միջինոտ գաղտնաբառ", + "Good password" : "Լավ գաղտնաբառ", + "Strong password" : "Ուժեղ գաղտնաբառ", + "Groups" : "Խմբեր", + "never" : "երբեք", + "days" : "օր", + "Cancel" : "Չեղարկել", + "Email" : "Էլ. հասցե", + "Language" : "Լեզու", + "Help translate" : "Օգնել թարգմանել", + "Password" : "Գաղտնաբառ", + "New password" : "Նոր գաղտնաբառ", + "Change password" : "Փոխել գաղտնաբառը", + "Username" : "Օգտանուն", + "Other" : "Այլ" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/ia.js b/settings/l10n/ia.js new file mode 100644 index 0000000000000..c6ced685600ad --- /dev/null +++ b/settings/l10n/ia.js @@ -0,0 +1,218 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Contrasigno incorrecte", + "Saved" : "Salveguardate", + "No user supplied" : "Nulle usator fornite", + "Unable to change password" : "Impossibile cambiar contrasigno", + "Authentication error" : "Error in authentication", + "Wrong admin recovery password. Please check the password and try again." : "Le contrasigno administrator pro recuperation de datos es incorrecte. Per favor, verifica le contrasigno e tenta de novo.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "Installation e actualisation de applicationes via le App Store o Compartimento del Nube Federate", + "Federated Cloud Sharing" : "Compartimento del Nube Federate", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL usa %s in un version obsolete (%s). Per favor, actualisa tu systema operative, o functiones tal como %s non functionara fidedignemente.", + "A problem occurred, please check your log files (Error: %s)" : "Un problema occurreva, per favor verifica tu files de registro (Error: %s)", + "Migration Completed" : "Migration completate", + "Group already exists." : "Gruppo ja existe.", + "Unable to add group." : "Impossibile adder gruppo.", + "Unable to delete group." : "Impossibile deler gruppo.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Un problema occurreva durante le invio del e-posta. Per favor, revide tu configurationes. (Error: %s)", + "You need to set your user email before being able to send test emails." : "Tu debe configurar tu e-posta de usator ante esser capace a inviar e-posta de test.", + "Invalid mail address" : "Adresse de e-posta non valide", + "No valid group selected" : "Nulle gruppo valide selectionate", + "A user with that name already exists." : "Un usator con iste nomine ja existe.", + "Unable to create user." : "Impossibile crear usator.", + "Unable to delete user." : "Impossibile deler usator.", + "Settings saved" : "Configurationes salveguardate", + "Unable to change full name" : "Impossibile cambiar nomine complete", + "Unable to change email address" : "Impossibile cambiar adresse de e-posta", + "Your full name has been changed." : "Tu nomine complete esseva cambiate.", + "Forbidden" : "Prohibite", + "Invalid user" : "Usator invalide", + "Unable to change mail address" : "Impossibile cambiar adresse de e-posta", + "Email saved" : "E-posta salveguardate", + "Your %s account was created" : "Tu conto %s esseva create", + "Password confirmation is required" : "Un confirmation del contrasigno es necessari", + "Couldn't remove app." : "Impossibile remover application.", + "Couldn't update app." : "Impossibile actualisar application.", + "Are you really sure you want add {domain} as trusted domain?" : "Esque tu es secur que tu vole adder {domain} como dominio fiduciari?", + "Add trusted domain" : "Adder dominio fiduciari", + "Migration in progress. Please wait until the migration is finished" : "Migration in progresso. Per favor, attende usque le migration es finite.", + "Migration started …" : "Migration initiate...", + "Not saved" : "Non salveguardate", + "Email sent" : "Message de e-posta inviate", + "Official" : "Official", + "All" : "Tote", + "Update to %s" : "Actualisar a %s", + "No apps found for your version" : "Nulle application trovate pro tu version", + "Disabling app …" : "Disactivante application ...", + "Error while disabling app" : "Error durante disactivation del application...", + "Disable" : "Disactivar", + "Enable" : "Activar", + "Enabling app …" : "Activante application...", + "Error while enabling app" : "Error durante activation del application...", + "Updated" : "Actualisate", + "Approved" : "Approbate", + "Experimental" : "Experimental", + "No apps found for {query}" : "Nulle application trovate pro {query}", + "Allow filesystem access" : "Permitter accesso a systema de files", + "Disconnect" : "Disconnecter", + "Revoke" : "Revocar", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome pro Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "Cliente iOS", + "Android Client" : "Cliente Android", + "Sync client - {os}" : "Synchronisar cliente - {os}", + "This session" : "Iste session", + "Copy" : "Copiar", + "Copied!" : "Copiate!", + "Not supported!" : "Non supportate!", + "Press ⌘-C to copy." : "Pulsa ⌘-C pro copiar.", + "Press Ctrl-C to copy." : "Pulsa Ctrl-C pro copiar.", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Un error occurreva. Per favor, incarga un certificato PEM codificate in ASCII", + "Valid until {date}" : "Valide usque {date}", + "Delete" : "Deler", + "Local" : "Local", + "Private" : "Private", + "Only visible to local users" : "Solmente visibile a usatores local", + "Only visible to you" : "Solmente visibile a tu", + "Contacts" : "Contactos", + "Visible to local users and to trusted servers" : "Visibile a usatores local e a servitores fiduciari", + "Public" : "Public", + "Select a profile picture" : "Selectiona un pictura de profilo", + "Very weak password" : "Contrasigno multo debile", + "Weak password" : "Contrasigno debile", + "So-so password" : "Contrasigno plus o minus acceptabile", + "Good password" : "Contrasigno bon", + "Strong password" : "Contrasigno forte", + "Groups" : "Gruppos", + "Unable to delete {objName}" : "Impossibile deler {objName}", + "Error creating group: {message}" : "Error durante creation de gruppo: {message}", + "A valid group name must be provided" : "Un nomine de gruppo valide debe esser providite", + "deleted {groupName}" : "{groupName} delite", + "undo" : "disfacer", + "never" : "nunquam", + "deleted {userName}" : "{userName} delite", + "Unable to add user to group {group}" : "Impossibile adder usator a gruppo {group}", + "Unable to remove user from group {group}" : "Impossibile remover usator de gruppo {group}", + "Add group" : "Adder gruppo", + "Invalid quota value \"{val}\"" : "Valor de quota non valide \"{val}\"", + "no group" : "nulle gruppo", + "Password successfully changed" : "Contrasigno cambiate con successo", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Cambiar le contrasigno resultara in perdita de datos, proque le recuperation de datos non es disponibile a iste usator", + "Could not change the users email" : "Impossibile cambiar le adresse de e-posta de usatores", + "A valid username must be provided" : "Un nomine de usator valide debe esser providite", + "Error creating user: {message}" : "Error durante creation de usator: {message}", + "A valid password must be provided" : "Un contrasigno valide debe esser providite", + "A valid email must be provided" : "Un adresse de e-posta valide debe esser providite", + "Developer documentation" : "Documentation de disveloppator", + "by %s" : "per %s", + "%s-licensed" : "Licentiate como %s", + "Documentation:" : "Documentation:", + "User documentation" : "Documentation de usator", + "Admin documentation" : "Documentation de administrator", + "Visit website" : "Visitar sito web", + "Report a bug" : "Reportar un defecto", + "Show description …" : "Monstrar description...", + "Hide description …" : "Celar description...", + "This app has an update available." : "Iste application ha un actualisation disponibile", + "Enable only for specific groups" : "Activar solmente a gruppos specific", + "SSL Root Certificates" : "Certificatos Root SSL", + "Common Name" : "Nomine Commun", + "Valid until" : "Valide usque", + "Issued By" : "Emittite per", + "Valid until %s" : "Valide usque %s", + "Import root certificate" : "Importar certificato root", + "Administrator documentation" : "Documentation de administrator", + "Online documentation" : "Documentation in linea", + "Forum" : "Foro", + "Getting help" : "Obtener adjuta", + "Commercial support" : "Supporto commercial", + "None" : "Nulle", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "Servitor de e-posta", + "Open documentation" : "Aperir documentation", + "Send mode" : "Modo de invio", + "Encryption" : "Cryptographia", + "From address" : "De adresse", + "Authentication method" : "Methodo de authentication", + "Authentication required" : "Authentication requirite", + "Server address" : "Adresse del servitor", + "Port" : "Porto", + "Credentials" : "Datos de authentication", + "SMTP Username" : "Nomine de usator SMTP", + "SMTP Password" : "Contrasigno SMTP", + "Store credentials" : "Salveguardar datos de authentication", + "Test email settings" : "Testar configurationes de e-posta", + "Send email" : "Inviar message de e-posta", + "Enable encryption" : "Activar cryptographia", + "Select default encryption module:" : "Selectionar modulo de cryptographia standard", + "Start migration" : "Initiar migration", + "Security & setup warnings" : "Securitate e advertimentos de configuration", + "Version" : "Version", + "Allow users to share via link" : "Permitter usatores compartir via ligamine", + "Allow public uploads" : "Permitter incargas public", + "Enforce password protection" : "Exiger protection per contrasigno", + "Set default expiration date" : "Assignar data predefinite de expiration", + "Expire after " : "Expirar post", + "days" : "dies", + "Enforce expiration date" : "Exiger data de expiration", + "Tips & tricks" : "Consilios e maneos", + "How to do backups" : "Como facer retrocopias", + "Improving the config.php" : "Meliorante config.php", + "Theming" : "Personalisante themas", + "You are using %s of %s" : "Tu usa %s de %s", + "Profile picture" : "Pictura de profilo", + "Upload new" : "Incargar nove", + "Select from Files" : "Selectionar de Files", + "Remove image" : "Remover imagine", + "png or jpg, max. 20 MB" : "formato png o jpg, dimension maxime 20 MB", + "Picture provided by original account" : "Pictura fornite per conto original", + "Cancel" : "Cancellar", + "Choose as profile picture" : "Selectiona como pictura de profilo", + "Full name" : "Nomine complete", + "Email" : "E-posta", + "Your email address" : "Tu adresse de e-posta", + "No email address set" : "Nulle adresse de e-posta definite", + "For password reset and notifications" : "Pro reinitialisation de contrasigno e invio de notificationes", + "Phone number" : "Numero de telephono", + "Your phone number" : "Tu numero de telephono", + "Address" : "Adresse", + "Your postal address" : "Tu adresse postal", + "Website" : "Sito web", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Tu es membro del sequente gruppos:", + "Language" : "Lingua", + "Help translate" : "Adjuta a traducer", + "Password" : "Contrasigno", + "Current password" : "Contrasigno actual", + "New password" : "Nove contrasigno", + "Change password" : "Cambiar contrasigno", + "Device" : "Dispositivo", + "Last activity" : "Ultime activitate", + "App name" : "Nomine del application", + "Create new app password" : "Crear un nove contrasigno pro application", + "Use the credentials below to configure your app or device." : "Usa le datos de authentication infra pro configurar tu application o dispositivo.", + "Username" : "Nomine de usator", + "Done" : "Preste", + "Show storage location" : "Monstrar loco de immagazinage", + "Show email address" : "Monstrar adresse de e-posta", + "Send email to new user" : "Inviar message de e-posta a nove usator", + "E-Mail" : "E-posta", + "Create" : "Crear", + "Admin Recovery Password" : "Recuperation de Contrasigno del Administrator", + "Everyone" : "Totos", + "Admins" : "Administratores", + "Default quota" : "Quota predefinite", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Per favor, scribe le quota de immagazinage (p.ex. \"512 MB\" o \"12 GB\")", + "Unlimited" : "Ilimitate", + "Other" : "Altere", + "Quota" : "Quota" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ia.json b/settings/l10n/ia.json new file mode 100644 index 0000000000000..b52fb85501075 --- /dev/null +++ b/settings/l10n/ia.json @@ -0,0 +1,216 @@ +{ "translations": { + "Wrong password" : "Contrasigno incorrecte", + "Saved" : "Salveguardate", + "No user supplied" : "Nulle usator fornite", + "Unable to change password" : "Impossibile cambiar contrasigno", + "Authentication error" : "Error in authentication", + "Wrong admin recovery password. Please check the password and try again." : "Le contrasigno administrator pro recuperation de datos es incorrecte. Per favor, verifica le contrasigno e tenta de novo.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "Installation e actualisation de applicationes via le App Store o Compartimento del Nube Federate", + "Federated Cloud Sharing" : "Compartimento del Nube Federate", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL usa %s in un version obsolete (%s). Per favor, actualisa tu systema operative, o functiones tal como %s non functionara fidedignemente.", + "A problem occurred, please check your log files (Error: %s)" : "Un problema occurreva, per favor verifica tu files de registro (Error: %s)", + "Migration Completed" : "Migration completate", + "Group already exists." : "Gruppo ja existe.", + "Unable to add group." : "Impossibile adder gruppo.", + "Unable to delete group." : "Impossibile deler gruppo.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Un problema occurreva durante le invio del e-posta. Per favor, revide tu configurationes. (Error: %s)", + "You need to set your user email before being able to send test emails." : "Tu debe configurar tu e-posta de usator ante esser capace a inviar e-posta de test.", + "Invalid mail address" : "Adresse de e-posta non valide", + "No valid group selected" : "Nulle gruppo valide selectionate", + "A user with that name already exists." : "Un usator con iste nomine ja existe.", + "Unable to create user." : "Impossibile crear usator.", + "Unable to delete user." : "Impossibile deler usator.", + "Settings saved" : "Configurationes salveguardate", + "Unable to change full name" : "Impossibile cambiar nomine complete", + "Unable to change email address" : "Impossibile cambiar adresse de e-posta", + "Your full name has been changed." : "Tu nomine complete esseva cambiate.", + "Forbidden" : "Prohibite", + "Invalid user" : "Usator invalide", + "Unable to change mail address" : "Impossibile cambiar adresse de e-posta", + "Email saved" : "E-posta salveguardate", + "Your %s account was created" : "Tu conto %s esseva create", + "Password confirmation is required" : "Un confirmation del contrasigno es necessari", + "Couldn't remove app." : "Impossibile remover application.", + "Couldn't update app." : "Impossibile actualisar application.", + "Are you really sure you want add {domain} as trusted domain?" : "Esque tu es secur que tu vole adder {domain} como dominio fiduciari?", + "Add trusted domain" : "Adder dominio fiduciari", + "Migration in progress. Please wait until the migration is finished" : "Migration in progresso. Per favor, attende usque le migration es finite.", + "Migration started …" : "Migration initiate...", + "Not saved" : "Non salveguardate", + "Email sent" : "Message de e-posta inviate", + "Official" : "Official", + "All" : "Tote", + "Update to %s" : "Actualisar a %s", + "No apps found for your version" : "Nulle application trovate pro tu version", + "Disabling app …" : "Disactivante application ...", + "Error while disabling app" : "Error durante disactivation del application...", + "Disable" : "Disactivar", + "Enable" : "Activar", + "Enabling app …" : "Activante application...", + "Error while enabling app" : "Error durante activation del application...", + "Updated" : "Actualisate", + "Approved" : "Approbate", + "Experimental" : "Experimental", + "No apps found for {query}" : "Nulle application trovate pro {query}", + "Allow filesystem access" : "Permitter accesso a systema de files", + "Disconnect" : "Disconnecter", + "Revoke" : "Revocar", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome pro Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "Cliente iOS", + "Android Client" : "Cliente Android", + "Sync client - {os}" : "Synchronisar cliente - {os}", + "This session" : "Iste session", + "Copy" : "Copiar", + "Copied!" : "Copiate!", + "Not supported!" : "Non supportate!", + "Press ⌘-C to copy." : "Pulsa ⌘-C pro copiar.", + "Press Ctrl-C to copy." : "Pulsa Ctrl-C pro copiar.", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Un error occurreva. Per favor, incarga un certificato PEM codificate in ASCII", + "Valid until {date}" : "Valide usque {date}", + "Delete" : "Deler", + "Local" : "Local", + "Private" : "Private", + "Only visible to local users" : "Solmente visibile a usatores local", + "Only visible to you" : "Solmente visibile a tu", + "Contacts" : "Contactos", + "Visible to local users and to trusted servers" : "Visibile a usatores local e a servitores fiduciari", + "Public" : "Public", + "Select a profile picture" : "Selectiona un pictura de profilo", + "Very weak password" : "Contrasigno multo debile", + "Weak password" : "Contrasigno debile", + "So-so password" : "Contrasigno plus o minus acceptabile", + "Good password" : "Contrasigno bon", + "Strong password" : "Contrasigno forte", + "Groups" : "Gruppos", + "Unable to delete {objName}" : "Impossibile deler {objName}", + "Error creating group: {message}" : "Error durante creation de gruppo: {message}", + "A valid group name must be provided" : "Un nomine de gruppo valide debe esser providite", + "deleted {groupName}" : "{groupName} delite", + "undo" : "disfacer", + "never" : "nunquam", + "deleted {userName}" : "{userName} delite", + "Unable to add user to group {group}" : "Impossibile adder usator a gruppo {group}", + "Unable to remove user from group {group}" : "Impossibile remover usator de gruppo {group}", + "Add group" : "Adder gruppo", + "Invalid quota value \"{val}\"" : "Valor de quota non valide \"{val}\"", + "no group" : "nulle gruppo", + "Password successfully changed" : "Contrasigno cambiate con successo", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Cambiar le contrasigno resultara in perdita de datos, proque le recuperation de datos non es disponibile a iste usator", + "Could not change the users email" : "Impossibile cambiar le adresse de e-posta de usatores", + "A valid username must be provided" : "Un nomine de usator valide debe esser providite", + "Error creating user: {message}" : "Error durante creation de usator: {message}", + "A valid password must be provided" : "Un contrasigno valide debe esser providite", + "A valid email must be provided" : "Un adresse de e-posta valide debe esser providite", + "Developer documentation" : "Documentation de disveloppator", + "by %s" : "per %s", + "%s-licensed" : "Licentiate como %s", + "Documentation:" : "Documentation:", + "User documentation" : "Documentation de usator", + "Admin documentation" : "Documentation de administrator", + "Visit website" : "Visitar sito web", + "Report a bug" : "Reportar un defecto", + "Show description …" : "Monstrar description...", + "Hide description …" : "Celar description...", + "This app has an update available." : "Iste application ha un actualisation disponibile", + "Enable only for specific groups" : "Activar solmente a gruppos specific", + "SSL Root Certificates" : "Certificatos Root SSL", + "Common Name" : "Nomine Commun", + "Valid until" : "Valide usque", + "Issued By" : "Emittite per", + "Valid until %s" : "Valide usque %s", + "Import root certificate" : "Importar certificato root", + "Administrator documentation" : "Documentation de administrator", + "Online documentation" : "Documentation in linea", + "Forum" : "Foro", + "Getting help" : "Obtener adjuta", + "Commercial support" : "Supporto commercial", + "None" : "Nulle", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "Servitor de e-posta", + "Open documentation" : "Aperir documentation", + "Send mode" : "Modo de invio", + "Encryption" : "Cryptographia", + "From address" : "De adresse", + "Authentication method" : "Methodo de authentication", + "Authentication required" : "Authentication requirite", + "Server address" : "Adresse del servitor", + "Port" : "Porto", + "Credentials" : "Datos de authentication", + "SMTP Username" : "Nomine de usator SMTP", + "SMTP Password" : "Contrasigno SMTP", + "Store credentials" : "Salveguardar datos de authentication", + "Test email settings" : "Testar configurationes de e-posta", + "Send email" : "Inviar message de e-posta", + "Enable encryption" : "Activar cryptographia", + "Select default encryption module:" : "Selectionar modulo de cryptographia standard", + "Start migration" : "Initiar migration", + "Security & setup warnings" : "Securitate e advertimentos de configuration", + "Version" : "Version", + "Allow users to share via link" : "Permitter usatores compartir via ligamine", + "Allow public uploads" : "Permitter incargas public", + "Enforce password protection" : "Exiger protection per contrasigno", + "Set default expiration date" : "Assignar data predefinite de expiration", + "Expire after " : "Expirar post", + "days" : "dies", + "Enforce expiration date" : "Exiger data de expiration", + "Tips & tricks" : "Consilios e maneos", + "How to do backups" : "Como facer retrocopias", + "Improving the config.php" : "Meliorante config.php", + "Theming" : "Personalisante themas", + "You are using %s of %s" : "Tu usa %s de %s", + "Profile picture" : "Pictura de profilo", + "Upload new" : "Incargar nove", + "Select from Files" : "Selectionar de Files", + "Remove image" : "Remover imagine", + "png or jpg, max. 20 MB" : "formato png o jpg, dimension maxime 20 MB", + "Picture provided by original account" : "Pictura fornite per conto original", + "Cancel" : "Cancellar", + "Choose as profile picture" : "Selectiona como pictura de profilo", + "Full name" : "Nomine complete", + "Email" : "E-posta", + "Your email address" : "Tu adresse de e-posta", + "No email address set" : "Nulle adresse de e-posta definite", + "For password reset and notifications" : "Pro reinitialisation de contrasigno e invio de notificationes", + "Phone number" : "Numero de telephono", + "Your phone number" : "Tu numero de telephono", + "Address" : "Adresse", + "Your postal address" : "Tu adresse postal", + "Website" : "Sito web", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Tu es membro del sequente gruppos:", + "Language" : "Lingua", + "Help translate" : "Adjuta a traducer", + "Password" : "Contrasigno", + "Current password" : "Contrasigno actual", + "New password" : "Nove contrasigno", + "Change password" : "Cambiar contrasigno", + "Device" : "Dispositivo", + "Last activity" : "Ultime activitate", + "App name" : "Nomine del application", + "Create new app password" : "Crear un nove contrasigno pro application", + "Use the credentials below to configure your app or device." : "Usa le datos de authentication infra pro configurar tu application o dispositivo.", + "Username" : "Nomine de usator", + "Done" : "Preste", + "Show storage location" : "Monstrar loco de immagazinage", + "Show email address" : "Monstrar adresse de e-posta", + "Send email to new user" : "Inviar message de e-posta a nove usator", + "E-Mail" : "E-posta", + "Create" : "Crear", + "Admin Recovery Password" : "Recuperation de Contrasigno del Administrator", + "Everyone" : "Totos", + "Admins" : "Administratores", + "Default quota" : "Quota predefinite", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Per favor, scribe le quota de immagazinage (p.ex. \"512 MB\" o \"12 GB\")", + "Unlimited" : "Ilimitate", + "Other" : "Altere", + "Quota" : "Quota" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/id.js b/settings/l10n/id.js new file mode 100644 index 0000000000000..70cf248da1bcd --- /dev/null +++ b/settings/l10n/id.js @@ -0,0 +1,256 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} ganti kata sandi anda", + "You changed your password" : "Anda mengganti kata sandi", + "Your password was reset by an administrator" : "Kata sandi anda telah diatur ulang oleh administrator", + "{actor} changed your email address" : "{actor} merubah alamat email anda", + "Your apps" : "Aplikasi anda", + "Enabled apps" : "Aktifkan Aplikasi", + "Disabled apps" : "Matikan Aplikasi", + "Wrong password" : "Kata sandi salah", + "Saved" : "Disimpan", + "No user supplied" : "Tidak ada pengguna yang diberikan", + "Unable to change password" : "Tidak dapat mengubah kata sandi", + "Authentication error" : "Terjadi kesalahan saat otentikasi", + "Wrong admin recovery password. Please check the password and try again." : "Kata sandi pemulihan admin salah. Periksa kata sandi dan ulangi kembali.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "memasang dan memperbarui aplikasi via toko aplikasi atau Federated Cloud Sharing", + "Federated Cloud Sharing" : "Federated Cloud Sharing", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL menggunakan versi lawas %s (%s). Silakan perbarui sistem operasi Anda atau fitur-fitur seperti %s tidak akan dapat bekerja dengan benar.", + "A problem occurred, please check your log files (Error: %s)" : "Terjadi masalah, mohon periksa berkas log Anda (Kesalahan: %s)", + "Migration Completed" : "Migrasi Selesai", + "Group already exists." : "Grup sudah ada.", + "Unable to add group." : "Tidak dapat menambah grup.", + "Unable to delete group." : "Tidak dapat menghapus grup.", + "Invalid SMTP password." : "Kata sandi SMTP tidak cocok", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Terjadi masalah saat mengirim email. Mohon periksa kembali pengaturan Anda. (Kesalahan: %s)", + "You need to set your user email before being able to send test emails." : "Anda perlu menetapkan email pengguna Anda sebelum dapat mengirim email percobaan.", + "Invalid mail address" : "Alamat email salah", + "A user with that name already exists." : "Pengguna dengan nama tersebut sudah ada.", + "Unable to create user." : "Tidak dapat membuat pengguna.", + "Unable to delete user." : "Tidak dapat menghapus pengguna.", + "Unable to change full name" : "Tidak dapat mengubah nama lengkap", + "Your full name has been changed." : "Nama lengkap Anda telah diubah", + "Forbidden" : "Terlarang", + "Invalid user" : "Pengguna salah", + "Unable to change mail address" : "Tidak dapat mengubah alamat email", + "Email saved" : "Email disimpan", + "Your %s account was created" : "Akun %s Anda telah dibuat", + "Couldn't remove app." : "Tidak dapat menghapus aplikasi.", + "Couldn't update app." : "Tidak dapat memperbarui aplikasi.", + "Add trusted domain" : "Tambah domain terpercaya", + "Migration in progress. Please wait until the migration is finished" : "Migrasi sedang dalam proses. Mohon tunggu sampai migrasi selesai.", + "Migration started …" : "Migrasi dimulai ...", + "Sending…" : "Mengirim...", + "Email sent" : "Email terkirim", + "Official" : "Resmi", + "All" : "Semua", + "Update to %s" : "Perbarui ke %s", + "No apps found for your version" : "Aplikasi tidak ditemukan untuk versi ini.", + "The app will be downloaded from the app store" : "Aplikasi akan diunduh melalui toko aplikasi", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Aplikasi resmi dikembangkan oleh dan didalam komunitas. Mereka menawarkan fungsi sentral dan siap untuk penggunaan produksi.", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Aplikasi tersetujui dikembangkan oleh pengembang terpercaya dan telah lulus pemeriksaan keamanan. Mereka secara aktif dipelihara direpositori kode terbuka dan pemelihara sudah memastikan mereka stabil untuk penggunaan normal.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Apl ini belum diperiksa masalah keamanannya dan masih baru atau biasanya tidak stabil. Instal dengan resiko Anda sendiri.", + "Error while disabling app" : "Terjadi kesalahan saat menonaktifkan aplikasi", + "Disable" : "Nonaktifkan", + "Enable" : "Aktifkan", + "Error while enabling app" : "Terjadi kesalahan saat mengakifkan aplikasi", + "Error while disabling broken app" : "Terjadi kesalahan saat menonaktifkan aplikasi rusak", + "Updated" : "Diperbarui", + "Remove" : "Hapus", + "Approved" : "Disetujui", + "Experimental" : "Uji Coba", + "No apps found for {query}" : "Tidak ditemukan aplikasi untuk {query}", + "Disconnect" : "Putuskan", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome untuk Android", + "iOS Client" : "Klien iOS", + "Android Client" : "Klien Android", + "Sync client - {os}" : "Klien sync - {os}", + "This session" : "Sesi ini", + "Copy" : "Salin", + "Copied!" : "Tersalin!", + "Not supported!" : "Tidak didukung!", + "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", + "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", + "Error while loading browser sessions and device tokens" : "Terjadi kesalahan saat memuat sesi browser dan token perangkat", + "Error while creating device token" : "Terjadi kesalahan saat membuat token perangkat", + "Error while deleting the token" : "Terjadi kesalahan saat menghapus token", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Terjadi kesalahan. Mohon unggah sertifikat PEM terenkode-ASCII.", + "Valid until {date}" : "Berlaku sampai {date}", + "Delete" : "Hapus", + "Local" : "Lokal", + "Private" : "Pribadi", + "Contacts" : "Kontak", + "Public" : "Publik", + "Verify" : "Verifikasi", + "Verifying …" : "Sedang memferivikasi...", + "Select a profile picture" : "Pilih foto profil", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", + "Groups" : "Grup", + "Unable to delete {objName}" : "Tidak dapat menghapus {objName}", + "Error creating group: {message}" : "Kesalahan membuat grup: {message}", + "A valid group name must be provided" : "Harus memberikan nama grup yang benar.", + "deleted {groupName}" : "menghapus {groupName}", + "undo" : "urungkan", + "never" : "tidak pernah", + "deleted {userName}" : "menghapus {userName}", + "Add group" : "Tambah grup", + "Invalid quota value \"{val}\"" : "Jumlah kuota tidak valid \"{val}\"", + "no group" : "tanpa grup", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Pengubahan kata sandi akan ditampilkan di data kehilangan, karena data pemulihan tidak tersedia bagi pengguna ini", + "A valid username must be provided" : "Harus memberikan nama pengguna yang benar", + "Error creating user: {message}" : "Gagal membuat pengguna: {message}", + "A valid password must be provided" : "Harus memberikan kata sandi yang benar", + "A valid email must be provided" : "Email yang benar harus diberikan", + "Developer documentation" : "Dokumentasi pengembang", + "by %s" : "oleh %s", + "%s-licensed" : "dilisensikan %s", + "Documentation:" : "Dokumentasi:", + "User documentation" : "Dokumentasi pengguna.", + "Admin documentation" : "Dokumentasi admin", + "Visit website" : "Kunjungi laman web", + "Report a bug" : "Laporkan kerusakan", + "Show description …" : "Tampilkan deskripsi ...", + "Hide description …" : "Sembunyikan deskripsi ...", + "This app has an update available." : "Aplikasi ini dapat diperbarui.", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi minimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi maksimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Apl ini tidak dapat diinstal karena ketergantungan berikut belum terpenuhi:", + "Enable only for specific groups" : "Aktifkan hanya untuk grup tertentu", + "SSL Root Certificates" : "Sertifikat Root SSL", + "Common Name" : "Nama umum", + "Valid until" : "Berlaku sampai", + "Issued By" : "Diterbitkan oleh", + "Valid until %s" : "Berlaku sampai %s", + "Import root certificate" : "Impor sertifikat root", + "Administrator documentation" : "Dokumentasi administrator", + "Online documentation" : "Dokumentasi online", + "Forum" : "Forum", + "Commercial support" : "Dukungan komersial", + "None" : "Tidak ada", + "Login" : "Masuk", + "Plain" : "Biasa", + "NT LAN Manager" : "Manajer NT LAN", + "Email server" : "Server email", + "Open documentation" : "Buka dokumentasi", + "Send mode" : "Modus kirim", + "Encryption" : "Enkripsi", + "From address" : "Dari alamat", + "mail" : "email", + "Authentication method" : "Metode otentikasi", + "Authentication required" : "Diperlukan otentikasi", + "Server address" : "Alamat server", + "Port" : "Port", + "Credentials" : "Kredensial", + "SMTP Username" : "Nama pengguna SMTP", + "SMTP Password" : "Kata sandi SMTP", + "Store credentials" : "Simpan kredensial", + "Test email settings" : "Pengaturan email percobaan", + "Send email" : "Kirim email", + "Server-side encryption" : "Enkripsi sisi-server", + "Enable server-side encryption" : "Aktifkan enkripsi sisi-server", + "Please read carefully before activating server-side encryption: " : "Mohon baca dengan teliti sebelum mengaktifkan enkripsi server-side:", + "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Setelah enkripsi diaktifkan, semua berkas yang diunggah pada server mulai saat ini akan dienkripsi saat singgah pada server. Penonaktifan enkripsi hanya mungkin berhasil jika modul enkripsi yang aktif mendukung fungsi ini dan semua prasyarat (misalnya pengaturan kunci pemulihan) sudah terpenuhi.", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Enkripsi saja tidak dapat menjamin keamanan sistem. Silakan lihat dokumentasi untuk informasi lebih lanjut dalam bagaimana aplikasi enkripsi bekerja, dan kasus pendukung.", + "Be aware that encryption always increases the file size." : "Ingat bahwa enkripsi selalu menambah ukuran berkas.", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Alangkah baiknya untuk membuat cadangan data secara rutin, dalam kasus enkripsi, pastikan untuk mencadangkan kunci enkripsi bersama dengan data Anda.", + "This is the final warning: Do you really want to enable encryption?" : "Ini adalah peringatan terakhir: Apakah Anda yakin ingin mengaktifkan enkripsi?", + "Enable encryption" : "Aktifkan enkripsi", + "No encryption module loaded, please enable an encryption module in the app menu." : "Tidak ada modul enkripsi yang dimuat, mohon aktifkan modul enkripsi di menu aplikasi.", + "Select default encryption module:" : "Pilih modul enkripsi baku:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Anda perlu mengganti kunci enkrispi Anda dari enkripsi lama (ownCloud <= 8.0) ke yang baru. Mohon aktifkan \"Modul enkripsi standar\" dan jalankan 'occ encryption:migrate'", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Anda perlu untuk mengubah kunci enkripsi dari enkripsi lama (ownCloud <= 8.0) ke yang baru.", + "Start migration" : "Mulai migrasi", + "Security & setup warnings" : "Peringatan Keamanan & Pengaturan", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Konfig Hanya-Baca telah diaktifkan. Ini akan mencegah setelan beberapa konfigurasi melalui antarmuka-web. Selanjutnya, berkas perlu dibuat dapat-dibaca secara manual untuk setiap pembaruan.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hal ini kemungkinan disebabkan oleh cache/akselerator seperti Zend OPcache atau eAccelerator.", + "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Database Anda tidak dijalankan dengan isolasi transaksi level \"READ COMMITED\". Ini dapat menyebabkan masalah saat banyak tindakan dilakukan secara paralel.", + "System locale can not be set to a one which supports UTF-8." : "Sistem lokal tidak dapat diatur untuk satu yang mendukung UTF-8.", + "All checks passed." : "Semua pemeriksaan lulus.", + "Execute one task with each page loaded" : "Jalankan tugas setiap kali halaman dimuat", + "Version" : "Versi", + "Sharing" : "Berbagi", + "Allow apps to use the Share API" : "Izinkan aplikasi untuk menggunakan API Pembagian", + "Allow users to share via link" : "Izinkan pengguna untuk membagikan via tautan", + "Allow public uploads" : "Izinkan unggahan publik", + "Enforce password protection" : "Berlakukan perlindungan sandi", + "Set default expiration date" : "Atur tanggal kadaluarsa default", + "Expire after " : "Kadaluarsa setelah", + "days" : "hari", + "Enforce expiration date" : "Berlakukan tanggal kadaluarsa", + "Allow resharing" : "Izinkan pembagian ulang", + "Allow sharing with groups" : "Izinkan pembagian dengan grup", + "Restrict users to only share with users in their groups" : "Batasi pengguna untuk hanya membagikan dengan pengguna didalam grup mereka", + "Exclude groups from sharing" : "Tidak termasuk grup untuk berbagi", + "These groups will still be able to receive shares, but not to initiate them." : "Grup ini akan tetap dapat menerima berbagi, tatapi tidak dapat membagikan.", + "Tips & tricks" : "Tips & trik", + "How to do backups" : "Bagaimana cara membuat cadangan", + "Performance tuning" : "Pemeliharaan performa", + "Improving the config.php" : "Memperbaiki config.php", + "Theming" : "Tema", + "Hardening and security guidance" : "Panduan Keselamatan dan Keamanan", + "You are using %s of %s" : "Anda sedang menggunakan %s dari %s", + "Profile picture" : "Foto profil", + "Upload new" : "Unggah baru", + "Select from Files" : "Pilih dari berkas", + "Remove image" : "Hapus gambar", + "png or jpg, max. 20 MB" : "png atau jpg, maks. 20 MB", + "Picture provided by original account" : "Gambar disediakan oleh akun asli", + "Cancel" : "Batal", + "Choose as profile picture" : "Pilih sebagai gambar profil", + "Full name" : "Nama lengkap", + "No display name set" : "Nama tampilan tidak diatur", + "Email" : "Email", + "Your email address" : "Alamat email Anda", + "No email address set" : "Alamat email tidak diatur", + "You are member of the following groups:" : "Anda adalah anggota dari grup berikut:", + "Language" : "Bahasa", + "Help translate" : "Bantu menerjemahkan", + "Password" : "Kata sandi", + "Current password" : "Kata sandi saat ini", + "New password" : "Kata sandi baru", + "Change password" : "Ubah kata sandi", + "Web, desktop and mobile clients currently logged in to your account." : "Klien web, desktop dan mobile yang sedang login di akun Anda.", + "Device" : "Perangkat", + "Last activity" : "Aktivitas terakhir", + "App name" : "Nama aplikasi", + "Create new app password" : "Buat kata sandi aplikasi baru", + "Use the credentials below to configure your app or device." : "Gunakan kredensial berikut untuk mengkonfigurasi aplikasi atau perangkat.", + "For security reasons this password will only be shown once." : "Untuk alasan keamanan kata sandi ini akan ditunjukkan hanya sekali.", + "Username" : "Nama pengguna", + "Done" : "Selesai", + "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Dikembangkan oleh {commmunityopen}komunitas Nextcloud{linkclose}, {githubopen}sumber kode{linkclose} dilisensikan dibawah {licenseopen}AGPL{linkclose}.", + "Show storage location" : "Tampilkan kolasi penyimpanan", + "Show user backend" : "Tampilkan pengguna backend", + "Show email address" : "Tampilkan alamat email", + "Send email to new user" : "Kirim email kepada pengguna baru", + "E-Mail" : "E-Mail", + "Create" : "Buat", + "Admin Recovery Password" : "Kata Sandi Pemulihan Admin", + "Enter the recovery password in order to recover the users files during password change" : "Masukkan kata sandi pemulihan untuk memulihkan berkas pengguna saat penggantian kata sandi", + "Everyone" : "Semua orang", + "Admins" : "Admin", + "Default quota" : "Kuota standar", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Silakan masukkan jumlah penyimpanan (contoh: \"512 MB\" atau \"12 GB\")", + "Unlimited" : "Tak terbatas", + "Other" : "Lainnya", + "Group admin for" : "Grup admin untuk", + "Quota" : "Kuota", + "Storage location" : "Lokasi penyimpanan", + "User backend" : "Backend pengguna", + "Last login" : "Log masuk terakhir", + "change full name" : "ubah nama lengkap", + "set new password" : "setel kata sandi baru", + "change email address" : "ubah alamat email", + "Default" : "Default" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/id.json b/settings/l10n/id.json new file mode 100644 index 0000000000000..25a3ba228d670 --- /dev/null +++ b/settings/l10n/id.json @@ -0,0 +1,254 @@ +{ "translations": { + "{actor} changed your password" : "{actor} ganti kata sandi anda", + "You changed your password" : "Anda mengganti kata sandi", + "Your password was reset by an administrator" : "Kata sandi anda telah diatur ulang oleh administrator", + "{actor} changed your email address" : "{actor} merubah alamat email anda", + "Your apps" : "Aplikasi anda", + "Enabled apps" : "Aktifkan Aplikasi", + "Disabled apps" : "Matikan Aplikasi", + "Wrong password" : "Kata sandi salah", + "Saved" : "Disimpan", + "No user supplied" : "Tidak ada pengguna yang diberikan", + "Unable to change password" : "Tidak dapat mengubah kata sandi", + "Authentication error" : "Terjadi kesalahan saat otentikasi", + "Wrong admin recovery password. Please check the password and try again." : "Kata sandi pemulihan admin salah. Periksa kata sandi dan ulangi kembali.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "memasang dan memperbarui aplikasi via toko aplikasi atau Federated Cloud Sharing", + "Federated Cloud Sharing" : "Federated Cloud Sharing", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL menggunakan versi lawas %s (%s). Silakan perbarui sistem operasi Anda atau fitur-fitur seperti %s tidak akan dapat bekerja dengan benar.", + "A problem occurred, please check your log files (Error: %s)" : "Terjadi masalah, mohon periksa berkas log Anda (Kesalahan: %s)", + "Migration Completed" : "Migrasi Selesai", + "Group already exists." : "Grup sudah ada.", + "Unable to add group." : "Tidak dapat menambah grup.", + "Unable to delete group." : "Tidak dapat menghapus grup.", + "Invalid SMTP password." : "Kata sandi SMTP tidak cocok", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Terjadi masalah saat mengirim email. Mohon periksa kembali pengaturan Anda. (Kesalahan: %s)", + "You need to set your user email before being able to send test emails." : "Anda perlu menetapkan email pengguna Anda sebelum dapat mengirim email percobaan.", + "Invalid mail address" : "Alamat email salah", + "A user with that name already exists." : "Pengguna dengan nama tersebut sudah ada.", + "Unable to create user." : "Tidak dapat membuat pengguna.", + "Unable to delete user." : "Tidak dapat menghapus pengguna.", + "Unable to change full name" : "Tidak dapat mengubah nama lengkap", + "Your full name has been changed." : "Nama lengkap Anda telah diubah", + "Forbidden" : "Terlarang", + "Invalid user" : "Pengguna salah", + "Unable to change mail address" : "Tidak dapat mengubah alamat email", + "Email saved" : "Email disimpan", + "Your %s account was created" : "Akun %s Anda telah dibuat", + "Couldn't remove app." : "Tidak dapat menghapus aplikasi.", + "Couldn't update app." : "Tidak dapat memperbarui aplikasi.", + "Add trusted domain" : "Tambah domain terpercaya", + "Migration in progress. Please wait until the migration is finished" : "Migrasi sedang dalam proses. Mohon tunggu sampai migrasi selesai.", + "Migration started …" : "Migrasi dimulai ...", + "Sending…" : "Mengirim...", + "Email sent" : "Email terkirim", + "Official" : "Resmi", + "All" : "Semua", + "Update to %s" : "Perbarui ke %s", + "No apps found for your version" : "Aplikasi tidak ditemukan untuk versi ini.", + "The app will be downloaded from the app store" : "Aplikasi akan diunduh melalui toko aplikasi", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Aplikasi resmi dikembangkan oleh dan didalam komunitas. Mereka menawarkan fungsi sentral dan siap untuk penggunaan produksi.", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Aplikasi tersetujui dikembangkan oleh pengembang terpercaya dan telah lulus pemeriksaan keamanan. Mereka secara aktif dipelihara direpositori kode terbuka dan pemelihara sudah memastikan mereka stabil untuk penggunaan normal.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Apl ini belum diperiksa masalah keamanannya dan masih baru atau biasanya tidak stabil. Instal dengan resiko Anda sendiri.", + "Error while disabling app" : "Terjadi kesalahan saat menonaktifkan aplikasi", + "Disable" : "Nonaktifkan", + "Enable" : "Aktifkan", + "Error while enabling app" : "Terjadi kesalahan saat mengakifkan aplikasi", + "Error while disabling broken app" : "Terjadi kesalahan saat menonaktifkan aplikasi rusak", + "Updated" : "Diperbarui", + "Remove" : "Hapus", + "Approved" : "Disetujui", + "Experimental" : "Uji Coba", + "No apps found for {query}" : "Tidak ditemukan aplikasi untuk {query}", + "Disconnect" : "Putuskan", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome untuk Android", + "iOS Client" : "Klien iOS", + "Android Client" : "Klien Android", + "Sync client - {os}" : "Klien sync - {os}", + "This session" : "Sesi ini", + "Copy" : "Salin", + "Copied!" : "Tersalin!", + "Not supported!" : "Tidak didukung!", + "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", + "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", + "Error while loading browser sessions and device tokens" : "Terjadi kesalahan saat memuat sesi browser dan token perangkat", + "Error while creating device token" : "Terjadi kesalahan saat membuat token perangkat", + "Error while deleting the token" : "Terjadi kesalahan saat menghapus token", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Terjadi kesalahan. Mohon unggah sertifikat PEM terenkode-ASCII.", + "Valid until {date}" : "Berlaku sampai {date}", + "Delete" : "Hapus", + "Local" : "Lokal", + "Private" : "Pribadi", + "Contacts" : "Kontak", + "Public" : "Publik", + "Verify" : "Verifikasi", + "Verifying …" : "Sedang memferivikasi...", + "Select a profile picture" : "Pilih foto profil", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", + "Groups" : "Grup", + "Unable to delete {objName}" : "Tidak dapat menghapus {objName}", + "Error creating group: {message}" : "Kesalahan membuat grup: {message}", + "A valid group name must be provided" : "Harus memberikan nama grup yang benar.", + "deleted {groupName}" : "menghapus {groupName}", + "undo" : "urungkan", + "never" : "tidak pernah", + "deleted {userName}" : "menghapus {userName}", + "Add group" : "Tambah grup", + "Invalid quota value \"{val}\"" : "Jumlah kuota tidak valid \"{val}\"", + "no group" : "tanpa grup", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Pengubahan kata sandi akan ditampilkan di data kehilangan, karena data pemulihan tidak tersedia bagi pengguna ini", + "A valid username must be provided" : "Harus memberikan nama pengguna yang benar", + "Error creating user: {message}" : "Gagal membuat pengguna: {message}", + "A valid password must be provided" : "Harus memberikan kata sandi yang benar", + "A valid email must be provided" : "Email yang benar harus diberikan", + "Developer documentation" : "Dokumentasi pengembang", + "by %s" : "oleh %s", + "%s-licensed" : "dilisensikan %s", + "Documentation:" : "Dokumentasi:", + "User documentation" : "Dokumentasi pengguna.", + "Admin documentation" : "Dokumentasi admin", + "Visit website" : "Kunjungi laman web", + "Report a bug" : "Laporkan kerusakan", + "Show description …" : "Tampilkan deskripsi ...", + "Hide description …" : "Sembunyikan deskripsi ...", + "This app has an update available." : "Aplikasi ini dapat diperbarui.", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi minimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Aplikasi ini tidak mempunyai versi maksimum Nextcloud yang ditetapkan. Di masa depan nanti ini akan menjadi kesalahan.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Apl ini tidak dapat diinstal karena ketergantungan berikut belum terpenuhi:", + "Enable only for specific groups" : "Aktifkan hanya untuk grup tertentu", + "SSL Root Certificates" : "Sertifikat Root SSL", + "Common Name" : "Nama umum", + "Valid until" : "Berlaku sampai", + "Issued By" : "Diterbitkan oleh", + "Valid until %s" : "Berlaku sampai %s", + "Import root certificate" : "Impor sertifikat root", + "Administrator documentation" : "Dokumentasi administrator", + "Online documentation" : "Dokumentasi online", + "Forum" : "Forum", + "Commercial support" : "Dukungan komersial", + "None" : "Tidak ada", + "Login" : "Masuk", + "Plain" : "Biasa", + "NT LAN Manager" : "Manajer NT LAN", + "Email server" : "Server email", + "Open documentation" : "Buka dokumentasi", + "Send mode" : "Modus kirim", + "Encryption" : "Enkripsi", + "From address" : "Dari alamat", + "mail" : "email", + "Authentication method" : "Metode otentikasi", + "Authentication required" : "Diperlukan otentikasi", + "Server address" : "Alamat server", + "Port" : "Port", + "Credentials" : "Kredensial", + "SMTP Username" : "Nama pengguna SMTP", + "SMTP Password" : "Kata sandi SMTP", + "Store credentials" : "Simpan kredensial", + "Test email settings" : "Pengaturan email percobaan", + "Send email" : "Kirim email", + "Server-side encryption" : "Enkripsi sisi-server", + "Enable server-side encryption" : "Aktifkan enkripsi sisi-server", + "Please read carefully before activating server-side encryption: " : "Mohon baca dengan teliti sebelum mengaktifkan enkripsi server-side:", + "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Setelah enkripsi diaktifkan, semua berkas yang diunggah pada server mulai saat ini akan dienkripsi saat singgah pada server. Penonaktifan enkripsi hanya mungkin berhasil jika modul enkripsi yang aktif mendukung fungsi ini dan semua prasyarat (misalnya pengaturan kunci pemulihan) sudah terpenuhi.", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Enkripsi saja tidak dapat menjamin keamanan sistem. Silakan lihat dokumentasi untuk informasi lebih lanjut dalam bagaimana aplikasi enkripsi bekerja, dan kasus pendukung.", + "Be aware that encryption always increases the file size." : "Ingat bahwa enkripsi selalu menambah ukuran berkas.", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Alangkah baiknya untuk membuat cadangan data secara rutin, dalam kasus enkripsi, pastikan untuk mencadangkan kunci enkripsi bersama dengan data Anda.", + "This is the final warning: Do you really want to enable encryption?" : "Ini adalah peringatan terakhir: Apakah Anda yakin ingin mengaktifkan enkripsi?", + "Enable encryption" : "Aktifkan enkripsi", + "No encryption module loaded, please enable an encryption module in the app menu." : "Tidak ada modul enkripsi yang dimuat, mohon aktifkan modul enkripsi di menu aplikasi.", + "Select default encryption module:" : "Pilih modul enkripsi baku:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Anda perlu mengganti kunci enkrispi Anda dari enkripsi lama (ownCloud <= 8.0) ke yang baru. Mohon aktifkan \"Modul enkripsi standar\" dan jalankan 'occ encryption:migrate'", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Anda perlu untuk mengubah kunci enkripsi dari enkripsi lama (ownCloud <= 8.0) ke yang baru.", + "Start migration" : "Mulai migrasi", + "Security & setup warnings" : "Peringatan Keamanan & Pengaturan", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Konfig Hanya-Baca telah diaktifkan. Ini akan mencegah setelan beberapa konfigurasi melalui antarmuka-web. Selanjutnya, berkas perlu dibuat dapat-dibaca secara manual untuk setiap pembaruan.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Hal ini kemungkinan disebabkan oleh cache/akselerator seperti Zend OPcache atau eAccelerator.", + "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Database Anda tidak dijalankan dengan isolasi transaksi level \"READ COMMITED\". Ini dapat menyebabkan masalah saat banyak tindakan dilakukan secara paralel.", + "System locale can not be set to a one which supports UTF-8." : "Sistem lokal tidak dapat diatur untuk satu yang mendukung UTF-8.", + "All checks passed." : "Semua pemeriksaan lulus.", + "Execute one task with each page loaded" : "Jalankan tugas setiap kali halaman dimuat", + "Version" : "Versi", + "Sharing" : "Berbagi", + "Allow apps to use the Share API" : "Izinkan aplikasi untuk menggunakan API Pembagian", + "Allow users to share via link" : "Izinkan pengguna untuk membagikan via tautan", + "Allow public uploads" : "Izinkan unggahan publik", + "Enforce password protection" : "Berlakukan perlindungan sandi", + "Set default expiration date" : "Atur tanggal kadaluarsa default", + "Expire after " : "Kadaluarsa setelah", + "days" : "hari", + "Enforce expiration date" : "Berlakukan tanggal kadaluarsa", + "Allow resharing" : "Izinkan pembagian ulang", + "Allow sharing with groups" : "Izinkan pembagian dengan grup", + "Restrict users to only share with users in their groups" : "Batasi pengguna untuk hanya membagikan dengan pengguna didalam grup mereka", + "Exclude groups from sharing" : "Tidak termasuk grup untuk berbagi", + "These groups will still be able to receive shares, but not to initiate them." : "Grup ini akan tetap dapat menerima berbagi, tatapi tidak dapat membagikan.", + "Tips & tricks" : "Tips & trik", + "How to do backups" : "Bagaimana cara membuat cadangan", + "Performance tuning" : "Pemeliharaan performa", + "Improving the config.php" : "Memperbaiki config.php", + "Theming" : "Tema", + "Hardening and security guidance" : "Panduan Keselamatan dan Keamanan", + "You are using %s of %s" : "Anda sedang menggunakan %s dari %s", + "Profile picture" : "Foto profil", + "Upload new" : "Unggah baru", + "Select from Files" : "Pilih dari berkas", + "Remove image" : "Hapus gambar", + "png or jpg, max. 20 MB" : "png atau jpg, maks. 20 MB", + "Picture provided by original account" : "Gambar disediakan oleh akun asli", + "Cancel" : "Batal", + "Choose as profile picture" : "Pilih sebagai gambar profil", + "Full name" : "Nama lengkap", + "No display name set" : "Nama tampilan tidak diatur", + "Email" : "Email", + "Your email address" : "Alamat email Anda", + "No email address set" : "Alamat email tidak diatur", + "You are member of the following groups:" : "Anda adalah anggota dari grup berikut:", + "Language" : "Bahasa", + "Help translate" : "Bantu menerjemahkan", + "Password" : "Kata sandi", + "Current password" : "Kata sandi saat ini", + "New password" : "Kata sandi baru", + "Change password" : "Ubah kata sandi", + "Web, desktop and mobile clients currently logged in to your account." : "Klien web, desktop dan mobile yang sedang login di akun Anda.", + "Device" : "Perangkat", + "Last activity" : "Aktivitas terakhir", + "App name" : "Nama aplikasi", + "Create new app password" : "Buat kata sandi aplikasi baru", + "Use the credentials below to configure your app or device." : "Gunakan kredensial berikut untuk mengkonfigurasi aplikasi atau perangkat.", + "For security reasons this password will only be shown once." : "Untuk alasan keamanan kata sandi ini akan ditunjukkan hanya sekali.", + "Username" : "Nama pengguna", + "Done" : "Selesai", + "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Dikembangkan oleh {commmunityopen}komunitas Nextcloud{linkclose}, {githubopen}sumber kode{linkclose} dilisensikan dibawah {licenseopen}AGPL{linkclose}.", + "Show storage location" : "Tampilkan kolasi penyimpanan", + "Show user backend" : "Tampilkan pengguna backend", + "Show email address" : "Tampilkan alamat email", + "Send email to new user" : "Kirim email kepada pengguna baru", + "E-Mail" : "E-Mail", + "Create" : "Buat", + "Admin Recovery Password" : "Kata Sandi Pemulihan Admin", + "Enter the recovery password in order to recover the users files during password change" : "Masukkan kata sandi pemulihan untuk memulihkan berkas pengguna saat penggantian kata sandi", + "Everyone" : "Semua orang", + "Admins" : "Admin", + "Default quota" : "Kuota standar", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Silakan masukkan jumlah penyimpanan (contoh: \"512 MB\" atau \"12 GB\")", + "Unlimited" : "Tak terbatas", + "Other" : "Lainnya", + "Group admin for" : "Grup admin untuk", + "Quota" : "Kuota", + "Storage location" : "Lokasi penyimpanan", + "User backend" : "Backend pengguna", + "Last login" : "Log masuk terakhir", + "change full name" : "ubah nama lengkap", + "set new password" : "setel kata sandi baru", + "change email address" : "ubah alamat email", + "Default" : "Default" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/it.js b/settings/l10n/it.js index 7cfb523247a28..3023b42b3b2ba 100644 --- a/settings/l10n/it.js +++ b/settings/l10n/it.js @@ -332,7 +332,7 @@ OC.L10N.register( "Your postal address" : "Il tuo indirizzo postale", "Website" : "Sito web", "It can take up to 24 hours before the account is displayed as verified." : "Potrebbero essere necessarie 24 ore prima che l'account sia visualizzato come verificato.", - "Link https://…" : "Colegamento https://...", + "Link https://…" : "Collegamento https://...", "Twitter" : "Twitter", "Twitter handle @…" : "Nome utente Twitter @...", "You are member of the following groups:" : "Sei membro dei seguenti gruppi:", diff --git a/settings/l10n/it.json b/settings/l10n/it.json index f25416f5a149d..2969ee8e3fcb9 100644 --- a/settings/l10n/it.json +++ b/settings/l10n/it.json @@ -330,7 +330,7 @@ "Your postal address" : "Il tuo indirizzo postale", "Website" : "Sito web", "It can take up to 24 hours before the account is displayed as verified." : "Potrebbero essere necessarie 24 ore prima che l'account sia visualizzato come verificato.", - "Link https://…" : "Colegamento https://...", + "Link https://…" : "Collegamento https://...", "Twitter" : "Twitter", "Twitter handle @…" : "Nome utente Twitter @...", "You are member of the following groups:" : "Sei membro dei seguenti gruppi:", diff --git a/settings/l10n/km.js b/settings/l10n/km.js new file mode 100644 index 0000000000000..4329ee7480873 --- /dev/null +++ b/settings/l10n/km.js @@ -0,0 +1,61 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "ខុស​ពាក្យ​សម្ងាត់", + "Saved" : "បាន​រក្សាទុក", + "Authentication error" : "កំហុស​ការ​ផ្ទៀង​ផ្ទាត់​ភាព​ត្រឹម​ត្រូវ", + "You need to set your user email before being able to send test emails." : "អ្នក​ត្រូវ​តែ​កំណត់​អ៊ីមែល​របស់​អ្នក​មុន​នឹង​អាច​ផ្ញើ​អ៊ីមែល​សាកល្បង​បាន។", + "Email saved" : "បាន​រក្សា​ទុក​អ៊ីមែល", + "Couldn't update app." : "មិន​អាច​ធ្វើ​បច្ចុប្បន្នភាព​កម្មវិធី។", + "Email sent" : "បាន​ផ្ញើ​អ៊ីមែល", + "All" : "ទាំងអស់", + "Error while disabling app" : "មាន​កំហុស​ពេល​កំពុង​បិទកម្មវិធី", + "Disable" : "បិទ", + "Enable" : "បើក", + "Updated" : "បាន​ធ្វើ​បច្ចុប្បន្នភាព", + "Delete" : "លុប", + "Select a profile picture" : "ជ្រើស​រូបភាព​ប្រវត្តិរូប", + "Very weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ​ណាស់", + "Weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ", + "So-so password" : "ពាក្យ​សម្ងាត់​ធម្មតា", + "Good password" : "ពាក្យ​សម្ងាត់​ល្អ", + "Strong password" : "ពាក្យ​សម្ងាត់​ខ្លាំង", + "Groups" : "ក្រុ", + "undo" : "មិន​ធ្វើ​វិញ", + "never" : "មិនដែរ", + "A valid username must be provided" : "ត្រូវ​ផ្ដល់​ឈ្មោះ​អ្នក​ប្រើ​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "A valid password must be provided" : "ត្រូវ​ផ្ដល់​ពាក្យ​សម្ងាត់​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "Forum" : "វេទិកាពិភាក្សា", + "None" : "គ្មាន", + "Login" : "ចូល", + "Encryption" : "កូដនីយកម្ម", + "From address" : "ពី​អាសយដ្ឋាន", + "Server address" : "អាសយដ្ឋាន​ម៉ាស៊ីន​បម្រើ", + "Port" : "ច្រក", + "Send email" : "ផ្ញើ​អ៊ីមែល", + "Version" : "កំណែ", + "Sharing" : "ការ​ចែក​រំលែក", + "Allow apps to use the Share API" : "អនុញ្ញាត​ឲ្យ​កម្មវិធី​ប្រើ API ចែក​រំលែក", + "Allow public uploads" : "អនុញ្ញាត​ការ​ផ្ទុក​ឡើង​ជា​សាធារណៈ", + "Allow resharing" : "អនុញ្ញាត​ការ​ចែក​រំលែក​ម្ដង​ទៀត", + "Profile picture" : "រូបភាព​ប្រវត្តិរូប", + "Upload new" : "ផ្ទុកឡើង​ថ្មី", + "Remove image" : "ដក​រូបភាព​ចេញ", + "Cancel" : "លើកលែង", + "Email" : "អ៊ីមែល", + "Your email address" : "អ៊ីម៉ែល​របស់​អ្នក", + "Language" : "ភាសា", + "Help translate" : "ជួយ​បក​ប្រែ", + "Password" : "ពាក្យសម្ងាត់", + "Current password" : "ពាក្យសម្ងាត់​បច្ចុប្បន្ន", + "New password" : "ពាក្យ​សម្ងាត់​ថ្មី", + "Change password" : "ប្តូរ​ពាក្យសម្ងាត់", + "Username" : "ឈ្មោះ​អ្នកប្រើ", + "Create" : "បង្កើត", + "Admin Recovery Password" : "ការ​ស្វែង​រក​ពាក្យ​សម្ងាត់របស់ប្រធាន​វេបសាយ", + "Unlimited" : "មិន​កំណត់", + "Other" : "ផ្សេងៗ", + "set new password" : "កំណត់​ពាក្យ​សម្ងាត់​ថ្មី", + "Default" : "លំនាំ​ដើម" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/km.json b/settings/l10n/km.json new file mode 100644 index 0000000000000..bb327c8635a91 --- /dev/null +++ b/settings/l10n/km.json @@ -0,0 +1,59 @@ +{ "translations": { + "Wrong password" : "ខុស​ពាក្យ​សម្ងាត់", + "Saved" : "បាន​រក្សាទុក", + "Authentication error" : "កំហុស​ការ​ផ្ទៀង​ផ្ទាត់​ភាព​ត្រឹម​ត្រូវ", + "You need to set your user email before being able to send test emails." : "អ្នក​ត្រូវ​តែ​កំណត់​អ៊ីមែល​របស់​អ្នក​មុន​នឹង​អាច​ផ្ញើ​អ៊ីមែល​សាកល្បង​បាន។", + "Email saved" : "បាន​រក្សា​ទុក​អ៊ីមែល", + "Couldn't update app." : "មិន​អាច​ធ្វើ​បច្ចុប្បន្នភាព​កម្មវិធី។", + "Email sent" : "បាន​ផ្ញើ​អ៊ីមែល", + "All" : "ទាំងអស់", + "Error while disabling app" : "មាន​កំហុស​ពេល​កំពុង​បិទកម្មវិធី", + "Disable" : "បិទ", + "Enable" : "បើក", + "Updated" : "បាន​ធ្វើ​បច្ចុប្បន្នភាព", + "Delete" : "លុប", + "Select a profile picture" : "ជ្រើស​រូបភាព​ប្រវត្តិរូប", + "Very weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ​ណាស់", + "Weak password" : "ពាក្យ​សម្ងាត់​ខ្សោយ", + "So-so password" : "ពាក្យ​សម្ងាត់​ធម្មតា", + "Good password" : "ពាក្យ​សម្ងាត់​ល្អ", + "Strong password" : "ពាក្យ​សម្ងាត់​ខ្លាំង", + "Groups" : "ក្រុ", + "undo" : "មិន​ធ្វើ​វិញ", + "never" : "មិនដែរ", + "A valid username must be provided" : "ត្រូវ​ផ្ដល់​ឈ្មោះ​អ្នក​ប្រើ​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "A valid password must be provided" : "ត្រូវ​ផ្ដល់​ពាក្យ​សម្ងាត់​ឲ្យ​បាន​ត្រឹម​ត្រូវ", + "Forum" : "វេទិកាពិភាក្សា", + "None" : "គ្មាន", + "Login" : "ចូល", + "Encryption" : "កូដនីយកម្ម", + "From address" : "ពី​អាសយដ្ឋាន", + "Server address" : "អាសយដ្ឋាន​ម៉ាស៊ីន​បម្រើ", + "Port" : "ច្រក", + "Send email" : "ផ្ញើ​អ៊ីមែល", + "Version" : "កំណែ", + "Sharing" : "ការ​ចែក​រំលែក", + "Allow apps to use the Share API" : "អនុញ្ញាត​ឲ្យ​កម្មវិធី​ប្រើ API ចែក​រំលែក", + "Allow public uploads" : "អនុញ្ញាត​ការ​ផ្ទុក​ឡើង​ជា​សាធារណៈ", + "Allow resharing" : "អនុញ្ញាត​ការ​ចែក​រំលែក​ម្ដង​ទៀត", + "Profile picture" : "រូបភាព​ប្រវត្តិរូប", + "Upload new" : "ផ្ទុកឡើង​ថ្មី", + "Remove image" : "ដក​រូបភាព​ចេញ", + "Cancel" : "លើកលែង", + "Email" : "អ៊ីមែល", + "Your email address" : "អ៊ីម៉ែល​របស់​អ្នក", + "Language" : "ភាសា", + "Help translate" : "ជួយ​បក​ប្រែ", + "Password" : "ពាក្យសម្ងាត់", + "Current password" : "ពាក្យសម្ងាត់​បច្ចុប្បន្ន", + "New password" : "ពាក្យ​សម្ងាត់​ថ្មី", + "Change password" : "ប្តូរ​ពាក្យសម្ងាត់", + "Username" : "ឈ្មោះ​អ្នកប្រើ", + "Create" : "បង្កើត", + "Admin Recovery Password" : "ការ​ស្វែង​រក​ពាក្យ​សម្ងាត់របស់ប្រធាន​វេបសាយ", + "Unlimited" : "មិន​កំណត់", + "Other" : "ផ្សេងៗ", + "set new password" : "កំណត់​ពាក្យ​សម្ងាត់​ថ្មី", + "Default" : "លំនាំ​ដើម" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/kn.js b/settings/l10n/kn.js new file mode 100644 index 0000000000000..890eb4f36bdd9 --- /dev/null +++ b/settings/l10n/kn.js @@ -0,0 +1,94 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", + "Saved" : "ಉಳಿಸಿದ", + "No user supplied" : "ಯಾವುದೇ ಬಳಕೆದಾರನ ಹೆಸರನ್ನು ನೀಡಿರುವುದಿಲ್ಲ", + "Unable to change password" : "ಗುಪ್ತಪದವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", + "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ", + "Group already exists." : "ಗುಂಪು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.", + "Unable to add group." : "ಗುಂಪುನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ.", + "Unable to delete group." : "ಗುಂಪುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", + "You need to set your user email before being able to send test emails." : "ನೀವು ಪರೀಕ್ಷಾ ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ಮುನ್ನ ನಿಮ್ಮ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಹೊಂದಿಸಬೇಕಾಗುತ್ತದೆ.", + "Invalid mail address" : "ಅಮಾನ್ಯ ಇ-ಅಂಚೆ ವಿಳಾಸ", + "Unable to create user." : "ಬಳಕೆದಾರನ ಖಾತೆ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ.", + "Unable to delete user." : "ಬಳಕೆದಾರನ ಹೆಸರುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", + "Unable to change full name" : "ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ", + "Your full name has been changed." : "ನಿಮ್ಮ ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲಾಗಿದೆ.", + "Forbidden" : "ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ", + "Invalid user" : "ಅಮಾನ್ಯ ಬಳಕೆದಾರ", + "Unable to change mail address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", + "Email saved" : "ಇ-ಅಂಚೆಯನ್ನು ಉಳಿಸಿದೆ", + "Your %s account was created" : "ನಿಮ್ಮ%s ಖಾತೆಯನ್ನು ಸ್ಥಾಪಿಸಲಾಗಿದೆ", + "Couldn't remove app." : "ಅಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", + "Couldn't update app." : " ಕಾಯಕ್ರಮವನ್ನು ನವೀಕರಿಸಲ ಸಾದ್ಯವಾಗುತ್ತಿಲ್ಲ.", + "Email sent" : "ಇ-ಅಂಚೆ ಕಳುಹಿಸಲಾಗಿದೆ", + "All" : "ಎಲ್ಲಾ", + "Error while disabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", + "Disable" : "ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ", + "Enable" : "ಸಕ್ರಿಯಗೊಳಿಸು", + "Error while enabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", + "Updated" : "ಆಧುನೀಕರಿಸಲಾಗಿದೆ", + "Valid until {date}" : "{date} ವರೆಗೆ ಚಾಲ್ತಿಯಲ್ಲಿರುತ್ತದೆ", + "Delete" : "ಅಳಿಸಿ", + "Select a profile picture" : "ಸಂಕ್ಷಿಪ್ತ ವ್ಯಕ್ತಿಚಿತ್ರ ಒಂದನ್ನು ಆಯ್ಕೆ ಮಾಡಿ", + "Very weak password" : "ಅತೀ ದುರ್ಬಲ ಗುಪ್ತಪದ", + "Weak password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", + "So-so password" : "ಊಹಿಸಬಹುದಾದ ಗುಪ್ತಪದ", + "Good password" : "ಉತ್ತಮ ಗುಪ್ತಪದ", + "Strong password" : "ಪ್ರಬಲ ಗುಪ್ತಪದ", + "Groups" : "ಗುಂಪುಗಳು", + "Unable to delete {objName}" : "{objName} ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ", + "A valid group name must be provided" : "ಮಾನ್ಯ ಗುಂಪಿನ ಹೆಸರನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "deleted {groupName}" : "ಅಳಿಸಲಾಗಿದೆ {groupName}", + "undo" : "ಹಿಂದಿರುಗಿಸು", + "never" : "ಎಂದಿಗೂ", + "deleted {userName}" : "{userName} ಬಳಕೆಯ ಹೆಸರುನ್ನು ಅಳಿಸಲಾಗಿದೆ ", + "A valid username must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "A valid password must be provided" : "ಸರಿಯಾದ ಬಳಕೆದಾರ ಗುಪ್ತಪದ ಒದಗಿಸಬೇಕಾಗಿದೆ", + "A valid email must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "Documentation:" : "ದಾಖಲೆ:", + "Enable only for specific groups" : "ಕೇವಲ ನಿರ್ದಿಷ್ಟ ಗುಂಪುಗಳಿಗೆ ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Forum" : "ವೇದಿಕೆ", + "None" : "ಯಾವುದೂ ಇಲ್ಲ", + "Login" : "ಖಾತೆ ಪ್ರವೇಶಿಸು", + "Plain" : "ಸರಳ", + "Send mode" : "ಕಳುಹಿಸುವ ಕ್ರಮ", + "Encryption" : "ರಹಸ್ಯ ಸಂಕೇತೀಕರಿಸು", + "mail" : "ಅಂಚೆ", + "Authentication method" : "ದೃಢೀಕರಣ ವಿಧಾನ", + "Authentication required" : "ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ", + "Server address" : "ಪರಿಚಾರಕ ಗಣಕಯಂತ್ರದ ವಿಳಾಸ", + "Port" : "ರೇವು", + "Credentials" : "ರುಜುವಾತುಗಳು", + "SMTP Username" : "SMTP ಬಳಕೆದಾರ ಹೆಸರು", + "SMTP Password" : "SMTP ಗುಪ್ತ ಪದ", + "Test email settings" : "ಪರೀರ್ಕ್ಷಾತ ಇ-ಅಂಚೆಯ ಆಯ್ಕೇ", + "Send email" : "ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸಿ", + "Version" : "ಆವೃತ್ತಿ", + "Sharing" : "ಹಂಚಿಕೆ", + "Expire after " : "ನಿಶ್ವಸಿಸುವ ಅವಧಿ", + "days" : "ದಿನಗಳು", + "Enforce expiration date" : "ಮುಕ್ತಾಯ ದಿನಾಂಕವನ್ನು ಬಲವ೦ತವಾಗಿ ಜಾರಿಗೆ ಮಾಡಿ", + "Cancel" : "ರದ್ದು", + "Email" : "ಇ-ಅಂಚೆ", + "Your email address" : "ನಿಮ್ಮ ಇ-ಅಂಚೆ ವಿಳಾಸ", + "Language" : "ಭಾಷೆ", + "Help translate" : "ಭಾಷಾಂತರಿಸಲು ಸಹಾಯ ಮಾಡಿ", + "Password" : "ಗುಪ್ತ ಪದ", + "Current password" : "ಪ್ರಸ್ತುತ ಗುಪ್ತಪದ", + "New password" : "ಹೊಸ ಗುಪ್ತಪದ", + "Change password" : "ಗುಪ್ತ ಪದವನ್ನು ಬದಲಾಯಿಸಿ", + "Username" : "ಬಳಕೆಯ ಹೆಸರು", + "E-Mail" : "ಇ-ಅಂಚೆ ವಿಳಾಸ", + "Create" : "ಸೃಷ್ಟಿಸಿ", + "Everyone" : "ಪ್ರತಿಯೊಬ್ಬರೂ", + "Admins" : "ನಿರ್ವಾಹಕರು", + "Other" : "ಇತರೆ", + "Quota" : "ಪಾಲು", + "change full name" : "ಪೂರ್ಣ ಹೆಸರು ಬದಲಾಯಿಸಬಹುದು", + "set new password" : "ಹೊಸ ಗುಪ್ತಪದವನ್ನು ಹೊಂದಿಸಿ", + "change email address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಿ", + "Default" : "ಆರಂಭದ ಪ್ರತಿ" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/kn.json b/settings/l10n/kn.json new file mode 100644 index 0000000000000..ba283c59ab5ad --- /dev/null +++ b/settings/l10n/kn.json @@ -0,0 +1,92 @@ +{ "translations": { + "Wrong password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", + "Saved" : "ಉಳಿಸಿದ", + "No user supplied" : "ಯಾವುದೇ ಬಳಕೆದಾರನ ಹೆಸರನ್ನು ನೀಡಿರುವುದಿಲ್ಲ", + "Unable to change password" : "ಗುಪ್ತಪದವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", + "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ", + "Group already exists." : "ಗುಂಪು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.", + "Unable to add group." : "ಗುಂಪುನ್ನು ಸೇರಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ.", + "Unable to delete group." : "ಗುಂಪುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", + "You need to set your user email before being able to send test emails." : "ನೀವು ಪರೀಕ್ಷಾ ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ಮುನ್ನ ನಿಮ್ಮ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಹೊಂದಿಸಬೇಕಾಗುತ್ತದೆ.", + "Invalid mail address" : "ಅಮಾನ್ಯ ಇ-ಅಂಚೆ ವಿಳಾಸ", + "Unable to create user." : "ಬಳಕೆದಾರನ ಖಾತೆ ರಚಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ.", + "Unable to delete user." : "ಬಳಕೆದಾರನ ಹೆಸರುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", + "Unable to change full name" : "ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ", + "Your full name has been changed." : "ನಿಮ್ಮ ಪೂರ್ಣ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲಾಗಿದೆ.", + "Forbidden" : "ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ", + "Invalid user" : "ಅಮಾನ್ಯ ಬಳಕೆದಾರ", + "Unable to change mail address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ", + "Email saved" : "ಇ-ಅಂಚೆಯನ್ನು ಉಳಿಸಿದೆ", + "Your %s account was created" : "ನಿಮ್ಮ%s ಖಾತೆಯನ್ನು ಸ್ಥಾಪಿಸಲಾಗಿದೆ", + "Couldn't remove app." : "ಅಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", + "Couldn't update app." : " ಕಾಯಕ್ರಮವನ್ನು ನವೀಕರಿಸಲ ಸಾದ್ಯವಾಗುತ್ತಿಲ್ಲ.", + "Email sent" : "ಇ-ಅಂಚೆ ಕಳುಹಿಸಲಾಗಿದೆ", + "All" : "ಎಲ್ಲಾ", + "Error while disabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", + "Disable" : "ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ", + "Enable" : "ಸಕ್ರಿಯಗೊಳಿಸು", + "Error while enabling app" : "ಕಾರ್ಯಕ್ರಮವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿಸುವಾಗ ಏನೊ ಲೋಪವಾಗಿದೆ", + "Updated" : "ಆಧುನೀಕರಿಸಲಾಗಿದೆ", + "Valid until {date}" : "{date} ವರೆಗೆ ಚಾಲ್ತಿಯಲ್ಲಿರುತ್ತದೆ", + "Delete" : "ಅಳಿಸಿ", + "Select a profile picture" : "ಸಂಕ್ಷಿಪ್ತ ವ್ಯಕ್ತಿಚಿತ್ರ ಒಂದನ್ನು ಆಯ್ಕೆ ಮಾಡಿ", + "Very weak password" : "ಅತೀ ದುರ್ಬಲ ಗುಪ್ತಪದ", + "Weak password" : "ದುರ್ಬಲ ಗುಪ್ತಪದ", + "So-so password" : "ಊಹಿಸಬಹುದಾದ ಗುಪ್ತಪದ", + "Good password" : "ಉತ್ತಮ ಗುಪ್ತಪದ", + "Strong password" : "ಪ್ರಬಲ ಗುಪ್ತಪದ", + "Groups" : "ಗುಂಪುಗಳು", + "Unable to delete {objName}" : "{objName} ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ", + "A valid group name must be provided" : "ಮಾನ್ಯ ಗುಂಪಿನ ಹೆಸರನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "deleted {groupName}" : "ಅಳಿಸಲಾಗಿದೆ {groupName}", + "undo" : "ಹಿಂದಿರುಗಿಸು", + "never" : "ಎಂದಿಗೂ", + "deleted {userName}" : "{userName} ಬಳಕೆಯ ಹೆಸರುನ್ನು ಅಳಿಸಲಾಗಿದೆ ", + "A valid username must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಹೆಸರು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "A valid password must be provided" : "ಸರಿಯಾದ ಬಳಕೆದಾರ ಗುಪ್ತಪದ ಒದಗಿಸಬೇಕಾಗಿದೆ", + "A valid email must be provided" : "ಮಾನ್ಯ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಒದಗಿಸಬೇಕಾಗುತ್ತದೆ", + "Documentation:" : "ದಾಖಲೆ:", + "Enable only for specific groups" : "ಕೇವಲ ನಿರ್ದಿಷ್ಟ ಗುಂಪುಗಳಿಗೆ ಸಕ್ರಿಯಗೊಳಿಸಿ", + "Forum" : "ವೇದಿಕೆ", + "None" : "ಯಾವುದೂ ಇಲ್ಲ", + "Login" : "ಖಾತೆ ಪ್ರವೇಶಿಸು", + "Plain" : "ಸರಳ", + "Send mode" : "ಕಳುಹಿಸುವ ಕ್ರಮ", + "Encryption" : "ರಹಸ್ಯ ಸಂಕೇತೀಕರಿಸು", + "mail" : "ಅಂಚೆ", + "Authentication method" : "ದೃಢೀಕರಣ ವಿಧಾನ", + "Authentication required" : "ದೃಢೀಕರಣ ಅಗತ್ಯವಿದೆ", + "Server address" : "ಪರಿಚಾರಕ ಗಣಕಯಂತ್ರದ ವಿಳಾಸ", + "Port" : "ರೇವು", + "Credentials" : "ರುಜುವಾತುಗಳು", + "SMTP Username" : "SMTP ಬಳಕೆದಾರ ಹೆಸರು", + "SMTP Password" : "SMTP ಗುಪ್ತ ಪದ", + "Test email settings" : "ಪರೀರ್ಕ್ಷಾತ ಇ-ಅಂಚೆಯ ಆಯ್ಕೇ", + "Send email" : "ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸಿ", + "Version" : "ಆವೃತ್ತಿ", + "Sharing" : "ಹಂಚಿಕೆ", + "Expire after " : "ನಿಶ್ವಸಿಸುವ ಅವಧಿ", + "days" : "ದಿನಗಳು", + "Enforce expiration date" : "ಮುಕ್ತಾಯ ದಿನಾಂಕವನ್ನು ಬಲವ೦ತವಾಗಿ ಜಾರಿಗೆ ಮಾಡಿ", + "Cancel" : "ರದ್ದು", + "Email" : "ಇ-ಅಂಚೆ", + "Your email address" : "ನಿಮ್ಮ ಇ-ಅಂಚೆ ವಿಳಾಸ", + "Language" : "ಭಾಷೆ", + "Help translate" : "ಭಾಷಾಂತರಿಸಲು ಸಹಾಯ ಮಾಡಿ", + "Password" : "ಗುಪ್ತ ಪದ", + "Current password" : "ಪ್ರಸ್ತುತ ಗುಪ್ತಪದ", + "New password" : "ಹೊಸ ಗುಪ್ತಪದ", + "Change password" : "ಗುಪ್ತ ಪದವನ್ನು ಬದಲಾಯಿಸಿ", + "Username" : "ಬಳಕೆಯ ಹೆಸರು", + "E-Mail" : "ಇ-ಅಂಚೆ ವಿಳಾಸ", + "Create" : "ಸೃಷ್ಟಿಸಿ", + "Everyone" : "ಪ್ರತಿಯೊಬ್ಬರೂ", + "Admins" : "ನಿರ್ವಾಹಕರು", + "Other" : "ಇತರೆ", + "Quota" : "ಪಾಲು", + "change full name" : "ಪೂರ್ಣ ಹೆಸರು ಬದಲಾಯಿಸಬಹುದು", + "set new password" : "ಹೊಸ ಗುಪ್ತಪದವನ್ನು ಹೊಂದಿಸಿ", + "change email address" : "ಇ-ಅಂಚೆ ವಿಳಾಸ ಬದಲಾಯಿಸಿ", + "Default" : "ಆರಂಭದ ಪ್ರತಿ" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/lb.js b/settings/l10n/lb.js new file mode 100644 index 0000000000000..40aec2b1e82a4 --- /dev/null +++ b/settings/l10n/lb.js @@ -0,0 +1,44 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Falscht Passwuert", + "Saved" : "Gespäichert", + "Authentication error" : "Authentifikatioun's Fehler", + "Email saved" : "E-mail gespäichert", + "Not saved" : "Nët gespäichert", + "Email sent" : "Email geschéckt", + "All" : "All", + "The app will be downloaded from the app store" : "D'App gett aus dem App Store erofgelueden", + "Disable" : "Ofschalten", + "Enable" : "Aschalten", + "Error while enabling app" : "Fehler beim Aktivéieren vun der App", + "Delete" : "Läschen", + "Groups" : "Gruppen", + "undo" : "réckgängeg man", + "never" : "ni", + "None" : "Keng", + "Login" : "Login", + "Open documentation" : "Dokumentatioun opmaachen", + "Authentication required" : "Authentifizéierung néideg", + "Server address" : "Server Adress", + "Port" : "Port", + "Sharing" : "Gedeelt", + "Allow apps to use the Share API" : "Erlab Apps d'Share API ze benotzen", + "days" : "Deeg", + "Allow resharing" : "Resharing erlaben", + "Cancel" : "Ofbriechen", + "Email" : "Email", + "Your email address" : "Deng Email Adress", + "Language" : "Sprooch", + "Help translate" : "Hëllef iwwersetzen", + "Password" : "Passwuert", + "Current password" : "Momentan 't Passwuert", + "New password" : "Neit Passwuert", + "Change password" : "Passwuert änneren", + "Username" : "Benotzernumm", + "E-Mail" : "E-Mail", + "Create" : "Erstellen", + "Other" : "Aner", + "Quota" : "Quota" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/lb.json b/settings/l10n/lb.json new file mode 100644 index 0000000000000..c3a1cd3c6d5b6 --- /dev/null +++ b/settings/l10n/lb.json @@ -0,0 +1,42 @@ +{ "translations": { + "Wrong password" : "Falscht Passwuert", + "Saved" : "Gespäichert", + "Authentication error" : "Authentifikatioun's Fehler", + "Email saved" : "E-mail gespäichert", + "Not saved" : "Nët gespäichert", + "Email sent" : "Email geschéckt", + "All" : "All", + "The app will be downloaded from the app store" : "D'App gett aus dem App Store erofgelueden", + "Disable" : "Ofschalten", + "Enable" : "Aschalten", + "Error while enabling app" : "Fehler beim Aktivéieren vun der App", + "Delete" : "Läschen", + "Groups" : "Gruppen", + "undo" : "réckgängeg man", + "never" : "ni", + "None" : "Keng", + "Login" : "Login", + "Open documentation" : "Dokumentatioun opmaachen", + "Authentication required" : "Authentifizéierung néideg", + "Server address" : "Server Adress", + "Port" : "Port", + "Sharing" : "Gedeelt", + "Allow apps to use the Share API" : "Erlab Apps d'Share API ze benotzen", + "days" : "Deeg", + "Allow resharing" : "Resharing erlaben", + "Cancel" : "Ofbriechen", + "Email" : "Email", + "Your email address" : "Deng Email Adress", + "Language" : "Sprooch", + "Help translate" : "Hëllef iwwersetzen", + "Password" : "Passwuert", + "Current password" : "Momentan 't Passwuert", + "New password" : "Neit Passwuert", + "Change password" : "Passwuert änneren", + "Username" : "Benotzernumm", + "E-Mail" : "E-Mail", + "Create" : "Erstellen", + "Other" : "Aner", + "Quota" : "Quota" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/lt_LT.js b/settings/l10n/lt_LT.js new file mode 100644 index 0000000000000..3c7d6dbf09371 --- /dev/null +++ b/settings/l10n/lt_LT.js @@ -0,0 +1,200 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} pakeitė jūsų slaptažodį", + "You changed your password" : "Jūs pakeitėte savo slaptažodį", + "Your password was reset by an administrator" : "Administratorius atstatė jūsų slaptažodį", + "{actor} changed your email address" : "{actor} pakeitė jūsų el. pašto adresą", + "You changed your email address" : "Jūs pakeitėte savo el. pašto adresą", + "Your email address was changed by an administrator" : "Administratorius pakeitė jūsų el. pašto adresą", + "Security" : "Saugumas", + "You successfully logged in using two-factor authentication (%1$s)" : "Jūs sėkmingai prisijungėte, naudodami dviejų faktorių tapatybės nustatymą (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Nepavyko prisijungti, naudojant dviejų faktorių tapatybės nustatymą (%1$s)", + "Your password or email was modified" : "Jūsų slaptažodis ar el. paštas buvo pakeisti", + "Your apps" : "Jūsų programėlės", + "Updates" : "Atnaujinimai", + "Enabled apps" : "Įjungtos programėlės", + "Disabled apps" : "Išjungtos programėlės", + "App bundles" : "Programėlių rinkiniai", + "Wrong password" : "Neteisingas slaptažodis", + "Saved" : "Įrašyta", + "No user supplied" : "Nepateiktas naudotojas", + "Unable to change password" : "Nepavyksta pakeisti slaptažodžio", + "Authentication error" : "Tapatybės nustatymo klaida", + "Wrong admin recovery password. Please check the password and try again." : "Netinkamas administratoriaus atkūrimo slaptažodis. Prašome pasitikrinti ir bandyti vėl.", + "A problem occurred, please check your log files (Error: %s)" : "Atsirado problema, prašome patikrinti savo žurnalo failus (Klaida: %s)", + "Migration Completed" : "Perkėlimas baigtas", + "Group already exists." : "Grupė jau yra.", + "Unable to add group." : "Nepavyko pridėti grupės.", + "Unable to delete group." : "Nepavyko ištrinti grupės.", + "Invalid SMTP password." : "Neteisingas SMTP slaptažodis.", + "Email setting test" : "El. pašto nustatymo testas", + "Email could not be sent. Check your mail server log" : "El. laiškas nebuvo išsiųstas. Peržiūrėkite savo pašto serverio žurnalą.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Įvyko klaida išsiunčiant laišką. Prašome peržiūrėkite savo nustatymus. (Klaida: %s)", + "You need to set your user email before being able to send test emails." : "Jūs turite nurodyti elektroninio pašto adresą, kad galėtumėte siųsti testinius el. laiškus.", + "Invalid mail address" : "Neteisingas pašto adresas", + "No valid group selected" : "Pasirinkta neteisinga grupė", + "A user with that name already exists." : "Toks naudotojas jau yra.", + "To send a password link to the user an email address is required." : "Norint persiųsti slaptažodžio nuorodą, būtinas el. pašto adresas.", + "Unable to create user." : "Nepavyko sukurti naudotojo.", + "Unable to delete user." : "Nepavyko ištrinti naudotojo.", + "Error while enabling user." : "Klaida įjungiant naudotoją.", + "Error while disabling user." : "Klaida išjungiant naudotoją.", + "Settings saved" : "Nustatymai įrašyti", + "Unable to change full name" : "Nepavyko pakeisti pilno vardo", + "Unable to change email address" : "Nepavyko pakeisti el. pašto adresą", + "Your full name has been changed." : "Pilnas vardas pakeistas.", + "Forbidden" : "Uždrausta", + "Invalid user" : "Neteisingas naudotojas", + "Unable to change mail address" : "Nepavyko pakeisti el. pašto adresą", + "Email saved" : "El. paštas įrašytas", + "%1$s changed your password on %2$s." : "%1$s pakeitė jūsų slaptažodį %2$s", + "The new email address is %s" : "Naujasis el. pašto adresas yra %s", + "Your %s account was created" : "Jūsų paskyra %s sukurta", + "Your username is: %s" : "Jūsų naudotojo vardas yra: %s", + "Password confirmation is required" : "Reikalingas slaptažodžio patvirtinimas", + "Couldn't remove app." : "Nepavyko pašalinti programėlės.", + "Couldn't update app." : "Nepavyko atnaujinti programėlės.", + "Add trusted domain" : "Pridėti patikimą domeną", + "Migration in progress. Please wait until the migration is finished" : "Vyksta perkėlimas. Palaukite, kol perkėlimas bus užbaigtas", + "Migration started …" : "Perkėlimas pradėtas …", + "Not saved" : "Neįrašyta", + "Sending…" : "Siunčiama…", + "Email sent" : "El. paštas išsiųstas", + "Official" : "Oficiali", + "All" : "Viskas", + "Update to %s" : "Atnaujinti į %s", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Oficialios programėlės yra kuriamos bendruomenės viduje ir jas kuria bendruomenė. Šios programėlės siūlo centrinį funkcionalumą ir yra paruoštos kasdieniam naudojimui.", + "Disabling app …" : "Išjungiama programėlė …", + "Error while disabling app" : "Klaida, išjungiant programėlę", + "Disable" : "Išjungti", + "Enable" : "Įjungti", + "Enabling app …" : "Programėlė įjungiama", + "Error while enabling app" : "Klaida, įjungiant programėlę", + "Updated" : "Atnaujinta", + "Removing …" : "Šalinama …", + "Remove" : "Šalinti", + "Approved" : "Patvirtinta", + "Experimental" : "Eksperimentinė", + "Disconnect" : "Atjungti", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome, skirta Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS klientas", + "Android Client" : "Android klientas", + "This session" : "Šis seansas", + "Copy" : "Kopijuoti", + "Copied!" : "Nukopijuota!", + "Not supported!" : "Nepalaikoma!", + "Press ⌘-C to copy." : "Norėdami nukopijuoti, paspauskite ⌘-C.", + "Error while loading browser sessions and device tokens" : "Klaida, įkeliant naršyklės seansus ir įrenginio prieigos raktus", + "Error while creating device token" : "Klaida, kuriant įrenginio prieigos raktą", + "Error while deleting the token" : "Klaida, ištrinant prieigos raktą", + "Valid until {date}" : "Galioja iki {date}", + "Delete" : "Ištrinti", + "Only visible to local users" : "Matoma tik vietiniams naudotojams", + "Only visible to you" : "Matoma tik jums", + "Visible to local users and to trusted servers" : "Matoma tik vietiniams naudotojams ir patikimiems serveriams", + "Public" : "Viešai", + "Select a profile picture" : "Pasirinkite profilio paveikslą", + "Very weak password" : "Labai silpnas slaptažodis", + "Weak password" : "Silpnas slaptažodis", + "So-so password" : "Neblogas slaptažodis", + "Good password" : "Geras slaptažodis", + "Strong password" : "Stiprus slaptažodis", + "Groups" : "Grupės", + "Error creating group: {message}" : "Klaida kuriant grupę: {message}", + "undo" : "anuliuoti", + "never" : "niekada", + "Add group" : "Pridėti grupę", + "Password successfully changed" : "Slaptažodis sėkmingai pakeistas", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Slaptažodžio pakeitimas sąlygos duomenų praradimą, kadangi šiam naudotojui nėra prieinamas duomenų atkūrimas", + "A valid username must be provided" : "Privalo būti pateiktas tinkamas naudotojo vardas", + "A valid password must be provided" : "Slaptažodis turi būti tinkamas", + "Documentation:" : "Dokumentacija:", + "User documentation" : "Naudotojo dokumentacija", + "Admin documentation" : "Administratoriaus dokumentacija", + "Report a bug" : "Pranešti apie klaidą", + "Show description …" : "Rodyti aprašą …", + "Hide description …" : "Slėpti aprašą …", + "This app has an update available." : "Šiai programėlei yra prieinamas atnaujinimas.", + "Online documentation" : "Dokumentacija internete", + "Forum" : "Forumas", + "None" : "Nieko", + "Login" : "Prisijungti", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "El. pašto serveris", + "Open documentation" : "Atverti dokumentaciją", + "Encryption" : "Šifravimas", + "Authentication required" : "Reikalingas tapatybės nustatymas", + "Server address" : "Serverio adresas", + "Port" : "Prievadas", + "SMTP Username" : "SMTP naudotojo vardas", + "SMTP Password" : "SMTP slaptažodis", + "Server-side encryption" : "Šifravimas serveryje", + "Be aware that encryption always increases the file size." : "Turėkite omenyje, kad šifravimas visada padidina failų dydį.", + "This is the final warning: Do you really want to enable encryption?" : "Tai yra paskutinis įspėjimas: Ar tikrai norite įjungti šifravimą?", + "Enable encryption" : "Įjungti šifravimą", + "Select default encryption module:" : "Pasirinkite numatytąjį šifravimo modulį:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį. Prašome įjungti \"Numatytąjį šifravimo modulį\" ir įvykdyti \"occ encryption:migrate\"", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį.", + "Start migration" : "Pradėti perkėlimą", + "Security & setup warnings" : "Saugos ir diegimo perspėjimai", + "Execute one task with each page loaded" : "Įvykdyti vieną užduotį su kiekvieno puslapio įkėlimu", + "Version" : "Versija", + "Sharing" : "Dalijimasis", + "Allow apps to use the Share API" : "Leidžia programoms naudoti Share API", + "Allow public uploads" : "Leisti viešus įkėlimus", + "days" : "dienos", + "Allow resharing" : "Leisti dalintis", + "Tips & tricks" : "Patarimai ir gudrybės", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", + "You are using %s of %s" : "Jūs naudojate %s%s", + "Profile picture" : "Profilio paveikslas", + "Upload new" : "Įkelti naują", + "Remove image" : "Šalinti paveikslą", + "png or jpg, max. 20 MB" : "png arba jpg, daugiausiai 20 MB", + "Cancel" : "Atsisakyti", + "Email" : "El. Paštas", + "Your email address" : "Jūsų el. pašto adresas", + "No email address set" : "Nenustatytas joks el. pašto adresas", + "Phone number" : "Telefono numeris", + "Your phone number" : "Jūsų telefono numeris", + "Address" : "Adresas", + "Website" : "Svetainė", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Jūs esate šių grupių narys:", + "Language" : "Kalba", + "Help translate" : "Padėkite išversti", + "Password" : "Slaptažodis", + "Current password" : "Dabartinis slaptažodis", + "New password" : "Naujas slaptažodis", + "Change password" : "Pakeisti slaptažodį", + "Web, desktop and mobile clients currently logged in to your account." : "Saityno, darbalaukio ir mobilieji klientai, kurie šiuo metu yra prisijungę prie jūsų paskyros.", + "Device" : "Įrenginys", + "Last activity" : "Paskutinė veikla", + "App name" : "Programėlės pavadinimas", + "Create new app password" : "Sukurti naują programėlės slaptažodį", + "For security reasons this password will only be shown once." : "Saugumo sumetimais šis slaptažodis bus parodytas tik vieną kartą.", + "Username" : "Naudotojo vardas", + "Done" : "Atlikta", + "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Sukurta {communityopen}Nextcloud bendruomenės{linkclose}, {githubopen}pirminis kodas{linkclose} yra licencijuotas pagal {licenseopen}AGPL{linkclose}.", + "Settings" : "Nustatymai", + "Create" : "Sukurti", + "Admin Recovery Password" : "Administracinis atkūrimo slaptažodis", + "Enter the recovery password in order to recover the users files during password change" : "Įveskite atkūrimo slaptažodį, kad atkurtumėte naudotojo failus keičiant slaptažodį", + "Unlimited" : "Neribotai", + "Other" : "Kita", + "Quota" : "Limitas", + "change full name" : "keisti pilną vardą", + "set new password" : "nustatyti naują slaptažodį", + "Default" : "Numatytasis", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗." +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/lt_LT.json b/settings/l10n/lt_LT.json new file mode 100644 index 0000000000000..e070ff944a9f9 --- /dev/null +++ b/settings/l10n/lt_LT.json @@ -0,0 +1,198 @@ +{ "translations": { + "{actor} changed your password" : "{actor} pakeitė jūsų slaptažodį", + "You changed your password" : "Jūs pakeitėte savo slaptažodį", + "Your password was reset by an administrator" : "Administratorius atstatė jūsų slaptažodį", + "{actor} changed your email address" : "{actor} pakeitė jūsų el. pašto adresą", + "You changed your email address" : "Jūs pakeitėte savo el. pašto adresą", + "Your email address was changed by an administrator" : "Administratorius pakeitė jūsų el. pašto adresą", + "Security" : "Saugumas", + "You successfully logged in using two-factor authentication (%1$s)" : "Jūs sėkmingai prisijungėte, naudodami dviejų faktorių tapatybės nustatymą (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Nepavyko prisijungti, naudojant dviejų faktorių tapatybės nustatymą (%1$s)", + "Your password or email was modified" : "Jūsų slaptažodis ar el. paštas buvo pakeisti", + "Your apps" : "Jūsų programėlės", + "Updates" : "Atnaujinimai", + "Enabled apps" : "Įjungtos programėlės", + "Disabled apps" : "Išjungtos programėlės", + "App bundles" : "Programėlių rinkiniai", + "Wrong password" : "Neteisingas slaptažodis", + "Saved" : "Įrašyta", + "No user supplied" : "Nepateiktas naudotojas", + "Unable to change password" : "Nepavyksta pakeisti slaptažodžio", + "Authentication error" : "Tapatybės nustatymo klaida", + "Wrong admin recovery password. Please check the password and try again." : "Netinkamas administratoriaus atkūrimo slaptažodis. Prašome pasitikrinti ir bandyti vėl.", + "A problem occurred, please check your log files (Error: %s)" : "Atsirado problema, prašome patikrinti savo žurnalo failus (Klaida: %s)", + "Migration Completed" : "Perkėlimas baigtas", + "Group already exists." : "Grupė jau yra.", + "Unable to add group." : "Nepavyko pridėti grupės.", + "Unable to delete group." : "Nepavyko ištrinti grupės.", + "Invalid SMTP password." : "Neteisingas SMTP slaptažodis.", + "Email setting test" : "El. pašto nustatymo testas", + "Email could not be sent. Check your mail server log" : "El. laiškas nebuvo išsiųstas. Peržiūrėkite savo pašto serverio žurnalą.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Įvyko klaida išsiunčiant laišką. Prašome peržiūrėkite savo nustatymus. (Klaida: %s)", + "You need to set your user email before being able to send test emails." : "Jūs turite nurodyti elektroninio pašto adresą, kad galėtumėte siųsti testinius el. laiškus.", + "Invalid mail address" : "Neteisingas pašto adresas", + "No valid group selected" : "Pasirinkta neteisinga grupė", + "A user with that name already exists." : "Toks naudotojas jau yra.", + "To send a password link to the user an email address is required." : "Norint persiųsti slaptažodžio nuorodą, būtinas el. pašto adresas.", + "Unable to create user." : "Nepavyko sukurti naudotojo.", + "Unable to delete user." : "Nepavyko ištrinti naudotojo.", + "Error while enabling user." : "Klaida įjungiant naudotoją.", + "Error while disabling user." : "Klaida išjungiant naudotoją.", + "Settings saved" : "Nustatymai įrašyti", + "Unable to change full name" : "Nepavyko pakeisti pilno vardo", + "Unable to change email address" : "Nepavyko pakeisti el. pašto adresą", + "Your full name has been changed." : "Pilnas vardas pakeistas.", + "Forbidden" : "Uždrausta", + "Invalid user" : "Neteisingas naudotojas", + "Unable to change mail address" : "Nepavyko pakeisti el. pašto adresą", + "Email saved" : "El. paštas įrašytas", + "%1$s changed your password on %2$s." : "%1$s pakeitė jūsų slaptažodį %2$s", + "The new email address is %s" : "Naujasis el. pašto adresas yra %s", + "Your %s account was created" : "Jūsų paskyra %s sukurta", + "Your username is: %s" : "Jūsų naudotojo vardas yra: %s", + "Password confirmation is required" : "Reikalingas slaptažodžio patvirtinimas", + "Couldn't remove app." : "Nepavyko pašalinti programėlės.", + "Couldn't update app." : "Nepavyko atnaujinti programėlės.", + "Add trusted domain" : "Pridėti patikimą domeną", + "Migration in progress. Please wait until the migration is finished" : "Vyksta perkėlimas. Palaukite, kol perkėlimas bus užbaigtas", + "Migration started …" : "Perkėlimas pradėtas …", + "Not saved" : "Neįrašyta", + "Sending…" : "Siunčiama…", + "Email sent" : "El. paštas išsiųstas", + "Official" : "Oficiali", + "All" : "Viskas", + "Update to %s" : "Atnaujinti į %s", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Oficialios programėlės yra kuriamos bendruomenės viduje ir jas kuria bendruomenė. Šios programėlės siūlo centrinį funkcionalumą ir yra paruoštos kasdieniam naudojimui.", + "Disabling app …" : "Išjungiama programėlė …", + "Error while disabling app" : "Klaida, išjungiant programėlę", + "Disable" : "Išjungti", + "Enable" : "Įjungti", + "Enabling app …" : "Programėlė įjungiama", + "Error while enabling app" : "Klaida, įjungiant programėlę", + "Updated" : "Atnaujinta", + "Removing …" : "Šalinama …", + "Remove" : "Šalinti", + "Approved" : "Patvirtinta", + "Experimental" : "Eksperimentinė", + "Disconnect" : "Atjungti", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome, skirta Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS klientas", + "Android Client" : "Android klientas", + "This session" : "Šis seansas", + "Copy" : "Kopijuoti", + "Copied!" : "Nukopijuota!", + "Not supported!" : "Nepalaikoma!", + "Press ⌘-C to copy." : "Norėdami nukopijuoti, paspauskite ⌘-C.", + "Error while loading browser sessions and device tokens" : "Klaida, įkeliant naršyklės seansus ir įrenginio prieigos raktus", + "Error while creating device token" : "Klaida, kuriant įrenginio prieigos raktą", + "Error while deleting the token" : "Klaida, ištrinant prieigos raktą", + "Valid until {date}" : "Galioja iki {date}", + "Delete" : "Ištrinti", + "Only visible to local users" : "Matoma tik vietiniams naudotojams", + "Only visible to you" : "Matoma tik jums", + "Visible to local users and to trusted servers" : "Matoma tik vietiniams naudotojams ir patikimiems serveriams", + "Public" : "Viešai", + "Select a profile picture" : "Pasirinkite profilio paveikslą", + "Very weak password" : "Labai silpnas slaptažodis", + "Weak password" : "Silpnas slaptažodis", + "So-so password" : "Neblogas slaptažodis", + "Good password" : "Geras slaptažodis", + "Strong password" : "Stiprus slaptažodis", + "Groups" : "Grupės", + "Error creating group: {message}" : "Klaida kuriant grupę: {message}", + "undo" : "anuliuoti", + "never" : "niekada", + "Add group" : "Pridėti grupę", + "Password successfully changed" : "Slaptažodis sėkmingai pakeistas", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Slaptažodžio pakeitimas sąlygos duomenų praradimą, kadangi šiam naudotojui nėra prieinamas duomenų atkūrimas", + "A valid username must be provided" : "Privalo būti pateiktas tinkamas naudotojo vardas", + "A valid password must be provided" : "Slaptažodis turi būti tinkamas", + "Documentation:" : "Dokumentacija:", + "User documentation" : "Naudotojo dokumentacija", + "Admin documentation" : "Administratoriaus dokumentacija", + "Report a bug" : "Pranešti apie klaidą", + "Show description …" : "Rodyti aprašą …", + "Hide description …" : "Slėpti aprašą …", + "This app has an update available." : "Šiai programėlei yra prieinamas atnaujinimas.", + "Online documentation" : "Dokumentacija internete", + "Forum" : "Forumas", + "None" : "Nieko", + "Login" : "Prisijungti", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "El. pašto serveris", + "Open documentation" : "Atverti dokumentaciją", + "Encryption" : "Šifravimas", + "Authentication required" : "Reikalingas tapatybės nustatymas", + "Server address" : "Serverio adresas", + "Port" : "Prievadas", + "SMTP Username" : "SMTP naudotojo vardas", + "SMTP Password" : "SMTP slaptažodis", + "Server-side encryption" : "Šifravimas serveryje", + "Be aware that encryption always increases the file size." : "Turėkite omenyje, kad šifravimas visada padidina failų dydį.", + "This is the final warning: Do you really want to enable encryption?" : "Tai yra paskutinis įspėjimas: Ar tikrai norite įjungti šifravimą?", + "Enable encryption" : "Įjungti šifravimą", + "Select default encryption module:" : "Pasirinkite numatytąjį šifravimo modulį:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį. Prašome įjungti \"Numatytąjį šifravimo modulį\" ir įvykdyti \"occ encryption:migrate\"", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį.", + "Start migration" : "Pradėti perkėlimą", + "Security & setup warnings" : "Saugos ir diegimo perspėjimai", + "Execute one task with each page loaded" : "Įvykdyti vieną užduotį su kiekvieno puslapio įkėlimu", + "Version" : "Versija", + "Sharing" : "Dalijimasis", + "Allow apps to use the Share API" : "Leidžia programoms naudoti Share API", + "Allow public uploads" : "Leisti viešus įkėlimus", + "days" : "dienos", + "Allow resharing" : "Leisti dalintis", + "Tips & tricks" : "Patarimai ir gudrybės", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", + "You are using %s of %s" : "Jūs naudojate %s%s", + "Profile picture" : "Profilio paveikslas", + "Upload new" : "Įkelti naują", + "Remove image" : "Šalinti paveikslą", + "png or jpg, max. 20 MB" : "png arba jpg, daugiausiai 20 MB", + "Cancel" : "Atsisakyti", + "Email" : "El. Paštas", + "Your email address" : "Jūsų el. pašto adresas", + "No email address set" : "Nenustatytas joks el. pašto adresas", + "Phone number" : "Telefono numeris", + "Your phone number" : "Jūsų telefono numeris", + "Address" : "Adresas", + "Website" : "Svetainė", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Jūs esate šių grupių narys:", + "Language" : "Kalba", + "Help translate" : "Padėkite išversti", + "Password" : "Slaptažodis", + "Current password" : "Dabartinis slaptažodis", + "New password" : "Naujas slaptažodis", + "Change password" : "Pakeisti slaptažodį", + "Web, desktop and mobile clients currently logged in to your account." : "Saityno, darbalaukio ir mobilieji klientai, kurie šiuo metu yra prisijungę prie jūsų paskyros.", + "Device" : "Įrenginys", + "Last activity" : "Paskutinė veikla", + "App name" : "Programėlės pavadinimas", + "Create new app password" : "Sukurti naują programėlės slaptažodį", + "For security reasons this password will only be shown once." : "Saugumo sumetimais šis slaptažodis bus parodytas tik vieną kartą.", + "Username" : "Naudotojo vardas", + "Done" : "Atlikta", + "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Sukurta {communityopen}Nextcloud bendruomenės{linkclose}, {githubopen}pirminis kodas{linkclose} yra licencijuotas pagal {licenseopen}AGPL{linkclose}.", + "Settings" : "Nustatymai", + "Create" : "Sukurti", + "Admin Recovery Password" : "Administracinis atkūrimo slaptažodis", + "Enter the recovery password in order to recover the users files during password change" : "Įveskite atkūrimo slaptažodį, kad atkurtumėte naudotojo failus keičiant slaptažodį", + "Unlimited" : "Neribotai", + "Other" : "Kita", + "Quota" : "Limitas", + "change full name" : "keisti pilną vardą", + "set new password" : "nustatyti naują slaptažodį", + "Default" : "Numatytasis", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗." +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" +} \ No newline at end of file diff --git a/settings/l10n/lv.js b/settings/l10n/lv.js new file mode 100644 index 0000000000000..2e85805c6ce2d --- /dev/null +++ b/settings/l10n/lv.js @@ -0,0 +1,244 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Nepareiza parole", + "Saved" : "Saglabāts", + "No user supplied" : "Nav norādīts lietotājs", + "Unable to change password" : "Nav iespējams nomainīt paroli", + "Authentication error" : "Autentifikācijas kļūda", + "Wrong admin recovery password. Please check the password and try again." : "Nepareiza administratora atjaunošanas parole. Lūdzu pārbaudiet paroli un mēģiniet vēlreiz.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "programmu instalēšana un atjaunināšana, izmantojot programmu veikalu vai Federatīvajām Cloud koplietošanu", + "Federated Cloud Sharing" : "Federatīva mākoņkoplietošana", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL izmanto novecojušu %s versiju (%s). Lūdzu, atjauniniet operētājsistēmu vai funkcijām, piem., %s nedarbosies pareizi.", + "A problem occurred, please check your log files (Error: %s)" : "Radusies problēma, lūdzu, pārbaudiet žurnāla failus (Kļūda: %s)", + "Migration Completed" : "Migrācija ir pabeigta", + "Group already exists." : "Grupa jau eksistē.", + "Unable to add group." : "Nevar pievienot grupu.", + "Unable to delete group." : "Nevar izdzēst grupu.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Radās kļūda, nosūtot e-pastu. Lūdzu, pārskatiet savus iestatījumus. (Kļūda: %s)", + "You need to set your user email before being able to send test emails." : "Nepieciešams norādīt sava lietotāja e-pasta adresi, lai nosūtīta testa e-pastus.", + "Invalid mail address" : "Nepareiza e-pasta adrese", + "No valid group selected" : "Atlasītā grupa nav derīga", + "A user with that name already exists." : "Jau pastāv lietotājs ar šo vārdu.", + "To send a password link to the user an email address is required." : "Lai nosūtītu paroles saites lietotājam, e-pasta adrese jānorāda obligāti.", + "Unable to create user." : "Nevar izveidot lietotāju.", + "Unable to delete user." : "Nevar izdzēst lietotāju.", + "Settings saved" : "Iestatījumi saglabāti", + "Unable to change full name" : "Nav iespējams nomainīt jūsu pilno vārdu", + "Unable to change email address" : "Nevar mainīt e-pasta adresi", + "Your full name has been changed." : "Jūsu pilnais vārds tika mainīts.", + "Forbidden" : "Pieeja liegta", + "Invalid user" : "Nepareizs lietotājs", + "Unable to change mail address" : "Nevar nomainīt e-pasta adresi", + "Email saved" : "E-pasts tika saglabāts", + "Your %s account was created" : "Konts %s ir izveidots", + "Password confirmation is required" : "Nepieciešams paroles apstiprinājums", + "Couldn't remove app." : "Nebija iespējams atslēgt programmu.", + "Couldn't update app." : "Nevarēja atjaunināt programmu.", + "Are you really sure you want add {domain} as trusted domain?" : "Tu tiešām esi pārliecināta, ka vēlies pievienot {domain} kā uzticamu domēnu?", + "Add trusted domain" : "Pievienot uzticamu domēnu", + "Migration in progress. Please wait until the migration is finished" : "Notiek migrācija. Lūdzu, pagaidiet, līdz migrēšana ir pabeigta", + "Migration started …" : "Uzsākta migrācija...", + "Not saved" : "Nav saglabāts", + "Email sent" : "Vēstule nosūtīta", + "All" : "Visi", + "Update to %s" : "Atjaunināts uz %s", + "No apps found for your version" : "Neatrada programmu jūsu versijai", + "Error while disabling app" : "Kļūda, atvienojot programmu", + "Disable" : "Deaktivēt", + "Enable" : "Aktivēt", + "Enabling app …" : "Iespējojot programmu …", + "Error while enabling app" : "Kļūda, pievienojot programmu", + "Updated" : "Atjaunināta", + "Approved" : "Apstiprināts", + "Experimental" : "Eksperimentāls", + "Disconnect" : "Atvienot", + "Revoke" : "Atsaukt", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome for Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS Klients", + "Android Client" : "Android Klients", + "Sync client - {os}" : "Sync klients - {os}", + "This session" : "Šajā sesijā", + "Copy" : "Kopēt", + "Copied!" : "Nokopēts!", + "Not supported!" : "Nav atbalstīts!", + "Press ⌘-C to copy." : "Spied ⌘-C lai kopētu.", + "Press Ctrl-C to copy." : "Spied Ctrl-C lai kopētu.", + "Valid until {date}" : "Valīds līdz {date}", + "Delete" : "Dzēst", + "Local" : "Lokāls", + "Private" : "Privāts", + "Only visible to local users" : "Redzami tikai lokālajiem lietotājiem", + "Only visible to you" : "Redzams tikai jums", + "Contacts" : "Kontakti", + "Visible to local users and to trusted servers" : "Redzama uz vietējiem lietotājiem un uzticamiem serveriem", + "Public" : "Publisks", + "Will be synced to a global and public address book" : "Tiks sinhronizēts ar globālu un publisku adrešu grāmatu", + "Select a profile picture" : "Izvēlieties profila attēlu", + "Very weak password" : "Ļoti vāja parole", + "Weak password" : "Vāja parole", + "So-so password" : "Normāla parole", + "Good password" : "Laba parole", + "Strong password" : "Lieliska parole", + "Groups" : "Grupas", + "Unable to delete {objName}" : "Nevar izdzēst {objName}", + "Error creating group: {message}" : "Kļūda, veidojot grupu: {message}", + "A valid group name must be provided" : "Jānorāda derīgs grupas nosaukums", + "deleted {groupName}" : "grupa {groupName} dzēsta", + "undo" : "atsaukt", + "never" : "nekad", + "deleted {userName}" : "lietotājs {userName} dzēsts", + "Unable to add user to group {group}" : "Nevar pievienot lietotāju grupai {group}", + "Unable to remove user from group {group}" : "Nevar noņemt lietotāju no grupas {group}", + "Add group" : "Pievienot grupu", + "Invalid quota value \"{val}\"" : "Nederīga kvotas vērtība \"{val}\"", + "no group" : "neviena grupa", + "Password successfully changed" : "Parole veiksmīgi nomainīta", + "Could not change the users email" : "Nevarēja mainīt lietotāja e-pasta adrese", + "A valid username must be provided" : "Jānorāda derīgs lietotājvārds", + "Error creating user: {message}" : "Kļūda, veidojot lietotāju: {message}", + "A valid password must be provided" : "Jānorāda derīga parole", + "A valid email must be provided" : "Jānorāda derīga e-pasta adrese", + "Developer documentation" : "Izstrādātāja dokumentācija", + "%s-licensed" : "%s-licencēts", + "Documentation:" : "Dokumentācija:", + "User documentation" : "Lietotāja dokumentācija", + "Admin documentation" : "Administratora dokumentācija", + "Visit website" : "Apmeklējiet vietni", + "Report a bug" : "Ziņot par kļūdu", + "Show description …" : "Rādīt aprakstu …", + "Hide description …" : "Slēpt aprakstu …", + "This app has an update available." : "Šai programmai ir pieejams jauninājums", + "Enable only for specific groups" : "Iespējot tikai konkrētām grupām", + "SSL Root Certificates" : "SSL Root Sertifikāti", + "Common Name" : "Kopīgais nosaukums", + "Valid until" : "Derīgs līdz", + "Issued By" : "Izsniedza", + "Valid until %s" : "Derīgs līdz %s", + "Import root certificate" : "Importēt root sertifikātu", + "Administrator documentation" : "Administratora dokumentācija", + "Online documentation" : "Tiešsaistes dokumentācija", + "Forum" : "Forums", + "Getting help" : "Saņemt palīdzību", + "None" : "Nav", + "Login" : "Autorizēties", + "Plain" : "vienkāršs teksts", + "NT LAN Manager" : "NT LAN Pārvaldnieks", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "E-pasta serveris", + "Open documentation" : "Atvērt dokumentāciju", + "Send mode" : "Sūtīšanas metode", + "Encryption" : "Šifrēšana", + "From address" : "No adreses", + "mail" : "e-pasts", + "Authentication method" : "Autentifikācijas metode", + "Authentication required" : "Nepieciešama autentifikācija", + "Server address" : "Servera adrese", + "Port" : "Ports", + "Credentials" : "Akreditācijas dati", + "SMTP Username" : "SMTP lietotājvārds", + "SMTP Password" : "SMTP parole", + "Store credentials" : "Saglabāt akreditācijas datus", + "Test email settings" : "Izmēģināt e-pasta iestatījumus", + "Send email" : "Sūtīt e-pastu", + "Server-side encryption" : "Servera šifrēšana", + "Enable server-side encryption" : "Ieslēgt servera šifrēšanu", + "Please read carefully before activating server-side encryption: " : "Lūdzu, izlasiet uzmanīgi pirms aktivējiet servera šifrēšanu:", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Šifrēšana vien negarantē sistēmas drošību. Skatiet dokumentāciju, lai iegūtu papildinformāciju par šifrēšanas programmu izmantošana, kā arī citu darbību gadījumos.", + "Be aware that encryption always increases the file size." : "Jāapzinās, ka šifrēšanas vienmēr palielina faila lielumu.", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Vienmēr ir ieteicams regulāri veidot dublējumkopijas datu šifrēšanas gadījumam, pārliecinieties, lai dublētu, šifrēšanas atslēgas ir kopā ar jūsu datiem.", + "This is the final warning: Do you really want to enable encryption?" : "Šis ir pēdējais brīdinājums: vai tiešām vēlaties iespējot šifrēšanu?", + "Enable encryption" : "Ieslēgt šifrēšanu", + "No encryption module loaded, please enable an encryption module in the app menu." : "Nav ielādēts šifrēšanas moduļis, lūdzu, aktivizējiet šifrēšanas moduli programmu izvēlnē.", + "Select default encryption module:" : "Atlasiet noklusēto šifrēšanas moduli:", + "Start migration" : "Sākt migrāciju", + "Security & setup warnings" : "Drošības un iestatījumu brīdinājumi", + "All checks passed." : "Visas pārbaudes veiksmīgas.", + "Execute one task with each page loaded" : "Izpildīt vienu uzdevumu ar katru ielādēto lapu", + "Version" : "Versija", + "Sharing" : "Koplietošana", + "Allow apps to use the Share API" : "Ļaut programmām izmantot koplietošanas API", + "Allow users to share via link" : "Ļaut lietotājiem koplietot caur saitēm", + "Allow public uploads" : "Atļaut publisko augšupielādi", + "Enforce password protection" : "Ieviest paroles aizsardzību", + "Set default expiration date" : "Iestatīt noklusējuma beigu datumu", + "Expire after " : "Nederīga pēc", + "days" : "dienas", + "Enforce expiration date" : "Uzspiest beigu termiņu", + "Allow resharing" : "Atļaut atkārtotu koplietošanu", + "Allow sharing with groups" : "Atļaut koplietošanu ar grupu", + "Restrict users to only share with users in their groups" : "Ierobežot lietotājiem koplietot tikai ar lietotājiem savās grupās", + "Exclude groups from sharing" : "Izslēgt grupu no koplietošanas", + "Tips & tricks" : "Padomi un ieteikumi", + "This is particularly recommended when using the desktop client for file synchronisation." : "Tas ir īpaši ieteicams, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju.", + "How to do backups" : "Kā veikt dublēšanu", + "Performance tuning" : "Veiktspējas uzstādīšana", + "Improving the config.php" : "Uzlabot config.php", + "Theming" : "Dizains", + "Hardening and security guidance" : "Aizsardzības un drošības norādījumi", + "You are using %s of %s" : "Jūs izmantojiet %s no %s", + "Profile picture" : "Profila attēls", + "Upload new" : "Ielādēt jaunu", + "Select from Files" : "Izvēlēties no faila", + "Remove image" : "Novākt attēlu", + "png or jpg, max. 20 MB" : "png vai jpg, max. 20 MB", + "Cancel" : "Atcelt", + "Choose as profile picture" : "Izvēlēties kā profila attēlu", + "Full name" : "Pilns vārds", + "No display name set" : "Nav norādīts ekrāna vārds", + "Email" : "E-pasts", + "Your email address" : "Jūsu e-pasta adrese", + "No email address set" : "Nav norādīts e-pasts", + "Phone number" : "Tālruņa numurs", + "Your phone number" : "Jūsu tālruņa numurs", + "Address" : "Adrese", + "Your postal address" : "Jūsu pasta adrese", + "Website" : "Mājaslapa", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Jūs esat šādu grupu biedrs:", + "Language" : "Valoda", + "Help translate" : "Palīdzi tulkot", + "Password" : "Parole", + "Current password" : "Pašreizējā parole", + "New password" : "Jauna parole", + "Change password" : "Mainīt paroli", + "Device" : "Ierīce", + "Last activity" : "Pēdējā aktivitāte", + "App name" : "Programmas nosaukums", + "Create new app password" : "Izveidot jaunu programmas paroli", + "Use the credentials below to configure your app or device." : "Izmantot akreditācijas datus, lai konfigurētu savu programmu vai ierīci.", + "For security reasons this password will only be shown once." : "Drošības apsvērumu dēļ šī parole, tiks parādīta tikai vienreiz.", + "Username" : "Lietotājvārds", + "Done" : "Pabeigts", + "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Izstrādātās {communityopen}Nextcloud kopiena {linkclose}, {githubopen} avota kods {linkclose} licencēts saskaņā ar {licenseopen}AGPL{linkclose}.", + "Show storage location" : "Rādīt krātuves atrašanās vietu", + "Show email address" : "Rādīt e-pasta adreses", + "Send email to new user" : "Sūtīt e-pastu jaunajam lietotājam", + "E-Mail" : "E-pasts", + "Create" : "Izveidot", + "Admin Recovery Password" : "Administratora atgūšanas parole", + "Enter the recovery password in order to recover the users files during password change" : "Ievadiet atgūšanas paroli, lai varētu atgūt lietotāja failus paroles maiņas laikā.", + "Everyone" : "Visi", + "Admins" : "Admins", + "Default quota" : "Apjoms pēc noklusējuma", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Lūdzu, ievadiet krātuves kvotu (piem: \"512 MB\" vai \"12 GB\")", + "Unlimited" : "Neierobežota", + "Other" : "Cits", + "Group admin for" : "Admin grupa", + "Quota" : "Apjoms", + "Storage location" : "Krātuves atrašanās vieta", + "Last login" : "Pēdējā pieteikšanās", + "change full name" : "mainīt vārdu", + "set new password" : "iestatīt jaunu paroli", + "change email address" : "mainīt e-pasta adresi", + "Default" : "Noklusējuma" +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/settings/l10n/lv.json b/settings/l10n/lv.json new file mode 100644 index 0000000000000..768ec3553d24f --- /dev/null +++ b/settings/l10n/lv.json @@ -0,0 +1,242 @@ +{ "translations": { + "Wrong password" : "Nepareiza parole", + "Saved" : "Saglabāts", + "No user supplied" : "Nav norādīts lietotājs", + "Unable to change password" : "Nav iespējams nomainīt paroli", + "Authentication error" : "Autentifikācijas kļūda", + "Wrong admin recovery password. Please check the password and try again." : "Nepareiza administratora atjaunošanas parole. Lūdzu pārbaudiet paroli un mēģiniet vēlreiz.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "programmu instalēšana un atjaunināšana, izmantojot programmu veikalu vai Federatīvajām Cloud koplietošanu", + "Federated Cloud Sharing" : "Federatīva mākoņkoplietošana", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL izmanto novecojušu %s versiju (%s). Lūdzu, atjauniniet operētājsistēmu vai funkcijām, piem., %s nedarbosies pareizi.", + "A problem occurred, please check your log files (Error: %s)" : "Radusies problēma, lūdzu, pārbaudiet žurnāla failus (Kļūda: %s)", + "Migration Completed" : "Migrācija ir pabeigta", + "Group already exists." : "Grupa jau eksistē.", + "Unable to add group." : "Nevar pievienot grupu.", + "Unable to delete group." : "Nevar izdzēst grupu.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Radās kļūda, nosūtot e-pastu. Lūdzu, pārskatiet savus iestatījumus. (Kļūda: %s)", + "You need to set your user email before being able to send test emails." : "Nepieciešams norādīt sava lietotāja e-pasta adresi, lai nosūtīta testa e-pastus.", + "Invalid mail address" : "Nepareiza e-pasta adrese", + "No valid group selected" : "Atlasītā grupa nav derīga", + "A user with that name already exists." : "Jau pastāv lietotājs ar šo vārdu.", + "To send a password link to the user an email address is required." : "Lai nosūtītu paroles saites lietotājam, e-pasta adrese jānorāda obligāti.", + "Unable to create user." : "Nevar izveidot lietotāju.", + "Unable to delete user." : "Nevar izdzēst lietotāju.", + "Settings saved" : "Iestatījumi saglabāti", + "Unable to change full name" : "Nav iespējams nomainīt jūsu pilno vārdu", + "Unable to change email address" : "Nevar mainīt e-pasta adresi", + "Your full name has been changed." : "Jūsu pilnais vārds tika mainīts.", + "Forbidden" : "Pieeja liegta", + "Invalid user" : "Nepareizs lietotājs", + "Unable to change mail address" : "Nevar nomainīt e-pasta adresi", + "Email saved" : "E-pasts tika saglabāts", + "Your %s account was created" : "Konts %s ir izveidots", + "Password confirmation is required" : "Nepieciešams paroles apstiprinājums", + "Couldn't remove app." : "Nebija iespējams atslēgt programmu.", + "Couldn't update app." : "Nevarēja atjaunināt programmu.", + "Are you really sure you want add {domain} as trusted domain?" : "Tu tiešām esi pārliecināta, ka vēlies pievienot {domain} kā uzticamu domēnu?", + "Add trusted domain" : "Pievienot uzticamu domēnu", + "Migration in progress. Please wait until the migration is finished" : "Notiek migrācija. Lūdzu, pagaidiet, līdz migrēšana ir pabeigta", + "Migration started …" : "Uzsākta migrācija...", + "Not saved" : "Nav saglabāts", + "Email sent" : "Vēstule nosūtīta", + "All" : "Visi", + "Update to %s" : "Atjaunināts uz %s", + "No apps found for your version" : "Neatrada programmu jūsu versijai", + "Error while disabling app" : "Kļūda, atvienojot programmu", + "Disable" : "Deaktivēt", + "Enable" : "Aktivēt", + "Enabling app …" : "Iespējojot programmu …", + "Error while enabling app" : "Kļūda, pievienojot programmu", + "Updated" : "Atjaunināta", + "Approved" : "Apstiprināts", + "Experimental" : "Eksperimentāls", + "Disconnect" : "Atvienot", + "Revoke" : "Atsaukt", + "Internet Explorer" : "Internet Explorer", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome for Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS Klients", + "Android Client" : "Android Klients", + "Sync client - {os}" : "Sync klients - {os}", + "This session" : "Šajā sesijā", + "Copy" : "Kopēt", + "Copied!" : "Nokopēts!", + "Not supported!" : "Nav atbalstīts!", + "Press ⌘-C to copy." : "Spied ⌘-C lai kopētu.", + "Press Ctrl-C to copy." : "Spied Ctrl-C lai kopētu.", + "Valid until {date}" : "Valīds līdz {date}", + "Delete" : "Dzēst", + "Local" : "Lokāls", + "Private" : "Privāts", + "Only visible to local users" : "Redzami tikai lokālajiem lietotājiem", + "Only visible to you" : "Redzams tikai jums", + "Contacts" : "Kontakti", + "Visible to local users and to trusted servers" : "Redzama uz vietējiem lietotājiem un uzticamiem serveriem", + "Public" : "Publisks", + "Will be synced to a global and public address book" : "Tiks sinhronizēts ar globālu un publisku adrešu grāmatu", + "Select a profile picture" : "Izvēlieties profila attēlu", + "Very weak password" : "Ļoti vāja parole", + "Weak password" : "Vāja parole", + "So-so password" : "Normāla parole", + "Good password" : "Laba parole", + "Strong password" : "Lieliska parole", + "Groups" : "Grupas", + "Unable to delete {objName}" : "Nevar izdzēst {objName}", + "Error creating group: {message}" : "Kļūda, veidojot grupu: {message}", + "A valid group name must be provided" : "Jānorāda derīgs grupas nosaukums", + "deleted {groupName}" : "grupa {groupName} dzēsta", + "undo" : "atsaukt", + "never" : "nekad", + "deleted {userName}" : "lietotājs {userName} dzēsts", + "Unable to add user to group {group}" : "Nevar pievienot lietotāju grupai {group}", + "Unable to remove user from group {group}" : "Nevar noņemt lietotāju no grupas {group}", + "Add group" : "Pievienot grupu", + "Invalid quota value \"{val}\"" : "Nederīga kvotas vērtība \"{val}\"", + "no group" : "neviena grupa", + "Password successfully changed" : "Parole veiksmīgi nomainīta", + "Could not change the users email" : "Nevarēja mainīt lietotāja e-pasta adrese", + "A valid username must be provided" : "Jānorāda derīgs lietotājvārds", + "Error creating user: {message}" : "Kļūda, veidojot lietotāju: {message}", + "A valid password must be provided" : "Jānorāda derīga parole", + "A valid email must be provided" : "Jānorāda derīga e-pasta adrese", + "Developer documentation" : "Izstrādātāja dokumentācija", + "%s-licensed" : "%s-licencēts", + "Documentation:" : "Dokumentācija:", + "User documentation" : "Lietotāja dokumentācija", + "Admin documentation" : "Administratora dokumentācija", + "Visit website" : "Apmeklējiet vietni", + "Report a bug" : "Ziņot par kļūdu", + "Show description …" : "Rādīt aprakstu …", + "Hide description …" : "Slēpt aprakstu …", + "This app has an update available." : "Šai programmai ir pieejams jauninājums", + "Enable only for specific groups" : "Iespējot tikai konkrētām grupām", + "SSL Root Certificates" : "SSL Root Sertifikāti", + "Common Name" : "Kopīgais nosaukums", + "Valid until" : "Derīgs līdz", + "Issued By" : "Izsniedza", + "Valid until %s" : "Derīgs līdz %s", + "Import root certificate" : "Importēt root sertifikātu", + "Administrator documentation" : "Administratora dokumentācija", + "Online documentation" : "Tiešsaistes dokumentācija", + "Forum" : "Forums", + "Getting help" : "Saņemt palīdzību", + "None" : "Nav", + "Login" : "Autorizēties", + "Plain" : "vienkāršs teksts", + "NT LAN Manager" : "NT LAN Pārvaldnieks", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "E-pasta serveris", + "Open documentation" : "Atvērt dokumentāciju", + "Send mode" : "Sūtīšanas metode", + "Encryption" : "Šifrēšana", + "From address" : "No adreses", + "mail" : "e-pasts", + "Authentication method" : "Autentifikācijas metode", + "Authentication required" : "Nepieciešama autentifikācija", + "Server address" : "Servera adrese", + "Port" : "Ports", + "Credentials" : "Akreditācijas dati", + "SMTP Username" : "SMTP lietotājvārds", + "SMTP Password" : "SMTP parole", + "Store credentials" : "Saglabāt akreditācijas datus", + "Test email settings" : "Izmēģināt e-pasta iestatījumus", + "Send email" : "Sūtīt e-pastu", + "Server-side encryption" : "Servera šifrēšana", + "Enable server-side encryption" : "Ieslēgt servera šifrēšanu", + "Please read carefully before activating server-side encryption: " : "Lūdzu, izlasiet uzmanīgi pirms aktivējiet servera šifrēšanu:", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "Šifrēšana vien negarantē sistēmas drošību. Skatiet dokumentāciju, lai iegūtu papildinformāciju par šifrēšanas programmu izmantošana, kā arī citu darbību gadījumos.", + "Be aware that encryption always increases the file size." : "Jāapzinās, ka šifrēšanas vienmēr palielina faila lielumu.", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "Vienmēr ir ieteicams regulāri veidot dublējumkopijas datu šifrēšanas gadījumam, pārliecinieties, lai dublētu, šifrēšanas atslēgas ir kopā ar jūsu datiem.", + "This is the final warning: Do you really want to enable encryption?" : "Šis ir pēdējais brīdinājums: vai tiešām vēlaties iespējot šifrēšanu?", + "Enable encryption" : "Ieslēgt šifrēšanu", + "No encryption module loaded, please enable an encryption module in the app menu." : "Nav ielādēts šifrēšanas moduļis, lūdzu, aktivizējiet šifrēšanas moduli programmu izvēlnē.", + "Select default encryption module:" : "Atlasiet noklusēto šifrēšanas moduli:", + "Start migration" : "Sākt migrāciju", + "Security & setup warnings" : "Drošības un iestatījumu brīdinājumi", + "All checks passed." : "Visas pārbaudes veiksmīgas.", + "Execute one task with each page loaded" : "Izpildīt vienu uzdevumu ar katru ielādēto lapu", + "Version" : "Versija", + "Sharing" : "Koplietošana", + "Allow apps to use the Share API" : "Ļaut programmām izmantot koplietošanas API", + "Allow users to share via link" : "Ļaut lietotājiem koplietot caur saitēm", + "Allow public uploads" : "Atļaut publisko augšupielādi", + "Enforce password protection" : "Ieviest paroles aizsardzību", + "Set default expiration date" : "Iestatīt noklusējuma beigu datumu", + "Expire after " : "Nederīga pēc", + "days" : "dienas", + "Enforce expiration date" : "Uzspiest beigu termiņu", + "Allow resharing" : "Atļaut atkārtotu koplietošanu", + "Allow sharing with groups" : "Atļaut koplietošanu ar grupu", + "Restrict users to only share with users in their groups" : "Ierobežot lietotājiem koplietot tikai ar lietotājiem savās grupās", + "Exclude groups from sharing" : "Izslēgt grupu no koplietošanas", + "Tips & tricks" : "Padomi un ieteikumi", + "This is particularly recommended when using the desktop client for file synchronisation." : "Tas ir īpaši ieteicams, ja, izmantojot darbvirsmas klientu, lai veiktu failu sinhronizāciju.", + "How to do backups" : "Kā veikt dublēšanu", + "Performance tuning" : "Veiktspējas uzstādīšana", + "Improving the config.php" : "Uzlabot config.php", + "Theming" : "Dizains", + "Hardening and security guidance" : "Aizsardzības un drošības norādījumi", + "You are using %s of %s" : "Jūs izmantojiet %s no %s", + "Profile picture" : "Profila attēls", + "Upload new" : "Ielādēt jaunu", + "Select from Files" : "Izvēlēties no faila", + "Remove image" : "Novākt attēlu", + "png or jpg, max. 20 MB" : "png vai jpg, max. 20 MB", + "Cancel" : "Atcelt", + "Choose as profile picture" : "Izvēlēties kā profila attēlu", + "Full name" : "Pilns vārds", + "No display name set" : "Nav norādīts ekrāna vārds", + "Email" : "E-pasts", + "Your email address" : "Jūsu e-pasta adrese", + "No email address set" : "Nav norādīts e-pasts", + "Phone number" : "Tālruņa numurs", + "Your phone number" : "Jūsu tālruņa numurs", + "Address" : "Adrese", + "Your postal address" : "Jūsu pasta adrese", + "Website" : "Mājaslapa", + "Twitter" : "Twitter", + "You are member of the following groups:" : "Jūs esat šādu grupu biedrs:", + "Language" : "Valoda", + "Help translate" : "Palīdzi tulkot", + "Password" : "Parole", + "Current password" : "Pašreizējā parole", + "New password" : "Jauna parole", + "Change password" : "Mainīt paroli", + "Device" : "Ierīce", + "Last activity" : "Pēdējā aktivitāte", + "App name" : "Programmas nosaukums", + "Create new app password" : "Izveidot jaunu programmas paroli", + "Use the credentials below to configure your app or device." : "Izmantot akreditācijas datus, lai konfigurētu savu programmu vai ierīci.", + "For security reasons this password will only be shown once." : "Drošības apsvērumu dēļ šī parole, tiks parādīta tikai vienreiz.", + "Username" : "Lietotājvārds", + "Done" : "Pabeigts", + "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Izstrādātās {communityopen}Nextcloud kopiena {linkclose}, {githubopen} avota kods {linkclose} licencēts saskaņā ar {licenseopen}AGPL{linkclose}.", + "Show storage location" : "Rādīt krātuves atrašanās vietu", + "Show email address" : "Rādīt e-pasta adreses", + "Send email to new user" : "Sūtīt e-pastu jaunajam lietotājam", + "E-Mail" : "E-pasts", + "Create" : "Izveidot", + "Admin Recovery Password" : "Administratora atgūšanas parole", + "Enter the recovery password in order to recover the users files during password change" : "Ievadiet atgūšanas paroli, lai varētu atgūt lietotāja failus paroles maiņas laikā.", + "Everyone" : "Visi", + "Admins" : "Admins", + "Default quota" : "Apjoms pēc noklusējuma", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Lūdzu, ievadiet krātuves kvotu (piem: \"512 MB\" vai \"12 GB\")", + "Unlimited" : "Neierobežota", + "Other" : "Cits", + "Group admin for" : "Admin grupa", + "Quota" : "Apjoms", + "Storage location" : "Krātuves atrašanās vieta", + "Last login" : "Pēdējā pieteikšanās", + "change full name" : "mainīt vārdu", + "set new password" : "iestatīt jaunu paroli", + "change email address" : "mainīt e-pasta adresi", + "Default" : "Noklusējuma" +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" +} \ No newline at end of file diff --git a/settings/l10n/mk.js b/settings/l10n/mk.js new file mode 100644 index 0000000000000..db4ee5b704c76 --- /dev/null +++ b/settings/l10n/mk.js @@ -0,0 +1,139 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Погрешна лозинка", + "Saved" : "Снимено", + "No user supplied" : "Нема корисничко име", + "Unable to change password" : "Вашата лозинка неможе да се смени", + "Authentication error" : "Грешка во автентикација", + "Wrong admin recovery password. Please check the password and try again." : "Погрешна лозинка за поврат на администраторот. Ве молам проверете ја лозинката и пробајте повторно.", + "Federated Cloud Sharing" : "Федерирано клауд споделување", + "A problem occurred, please check your log files (Error: %s)" : "Се случи грешка, ве молам проверете ги вашите датотеки за логови (Грешка: %s)", + "Migration Completed" : "Миграцијата заврши", + "Group already exists." : "Групата веќе постои.", + "Unable to add group." : "Не можам да додадам група.", + "Unable to delete group." : "Не можам да избришам група.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Се случи грешка при праќање на порака. Ве молам проверете ги вашите подесувања. (Error: %s)", + "Invalid mail address" : "Неправилна електронска адреса/пошта", + "A user with that name already exists." : "Корисник со ова име веќе постои.", + "Unable to create user." : "Неможе да додадам корисник.", + "Unable to delete user." : "Неможам да избришам корисник", + "Unable to change full name" : "Не можам да го променам целото име", + "Your full name has been changed." : "Вашето целосно име е променето.", + "Forbidden" : "Забрането", + "Invalid user" : "Неправилен корисник", + "Unable to change mail address" : "Не можам да ја променам електронската адреса/пошта", + "Email saved" : "Електронската пошта е снимена", + "Your %s account was created" : "Вашата %s сметка е креирана", + "Couldn't remove app." : "Не можам да ја отстранам апликацијата.", + "Couldn't update app." : "Не можам да ја надградам апликацијата.", + "Add trusted domain" : "Додади доверлив домејн", + "Migration started …" : "Миграцијата е започнаа ...", + "Email sent" : "Е-порака пратена", + "Official" : "Официјален", + "All" : "Сите", + "Update to %s" : "Надгради на %s", + "No apps found for your version" : "За вашата верзија не се пронајдени апликации", + "Error while disabling app" : "Грешка при исклучувањето на апликацијата", + "Disable" : "Оневозможи", + "Enable" : "Овозможи", + "Error while enabling app" : "Грешка при вклучувањето на апликацијата", + "Updated" : "Надграден", + "Approved" : "Одобрен", + "Experimental" : "Експериментален", + "Valid until {date}" : "Валидно до {date}", + "Delete" : "Избриши", + "Select a profile picture" : "Одбери фотографија за профилот", + "Very weak password" : "Многу слаба лозинка", + "Weak password" : "Слаба лозинка", + "So-so password" : "Така така лозинка", + "Good password" : "Добра лозинка", + "Strong password" : "Јака лозинка", + "Groups" : "Групи", + "Unable to delete {objName}" : "Не можам да избришам {objName}", + "Error creating group: {message}" : "Грешка при креирање на група: {message}", + "A valid group name must be provided" : "Мора да се обезбеди валидно име на група", + "deleted {groupName}" : "избришано {groupName}", + "undo" : "врати", + "never" : "никогаш", + "deleted {userName}" : "избришан {userName}", + "A valid username must be provided" : "Мора да се обезбеди валидно корисничко име ", + "Error creating user: {message}" : "Грешка при креирање на корисник: {message}", + "A valid password must be provided" : "Мора да се обезбеди валидна лозинка", + "A valid email must be provided" : "Мора да се обезбеди валидна електронска пошта", + "Developer documentation" : "Документација за програмери", + "Documentation:" : "Документација:", + "Enable only for specific groups" : "Овозможи само на специфицирани групи", + "Forum" : "Форум", + "None" : "Ништо", + "Login" : "Најава", + "Plain" : "Чиста", + "NT LAN Manager" : "NT LAN Менаџер", + "Email server" : "Сервер за е-пошта", + "Open documentation" : "Отвори ја документацијата", + "Send mode" : "Мод на испраќање", + "Encryption" : "Енкрипција", + "From address" : "Од адреса", + "mail" : "Електронска пошта", + "Authentication method" : "Метод на автентификација", + "Authentication required" : "Потребна е автентификација", + "Server address" : "Адреса на сервер", + "Port" : "Порта", + "Credentials" : "Акредитиви", + "SMTP Username" : "SMTP корисничко име", + "SMTP Password" : "SMTP лозинка", + "Test email settings" : "Провери ги нагодувањаа за електронска пошта", + "Send email" : "Испрати пошта", + "Server-side encryption" : "Енкрипција на страна на серверот", + "Enable server-side encryption" : "Овозможи енкрипција на страна на серверот", + "Enable encryption" : "Овозможи енкрипција", + "Start migration" : "Започни ја миграцијата", + "Security & setup warnings" : "Предупредувања за сигурност и подесувања", + "All checks passed." : "Сите проверки се поминати.", + "Execute one task with each page loaded" : "Изврши по една задача со секоја вчитана страница", + "Version" : "Верзија", + "Sharing" : "Споделување", + "Allow apps to use the Share API" : "Дозволете апликациите да го користат API-то за споделување", + "Allow users to share via link" : "Допушти корисниците да споделуваат со линкови", + "Allow public uploads" : "Дозволи јавен аплоуд", + "Enforce password protection" : "Наметни заштита на лозинка", + "Set default expiration date" : "Постави основен датум на истекување", + "Expire after " : "Истекува по", + "days" : "денови", + "Enforce expiration date" : "Наметни датум на траење", + "Allow resharing" : "Овозможи повторно споделување", + "Allow sharing with groups" : "Овозможи споделување со групи", + "Restrict users to only share with users in their groups" : "Ограничи корисниците да споделуваат со корисници во своите групи", + "Exclude groups from sharing" : "Исклучи групи од споделување", + "Tips & tricks" : "Совети и трикови", + "How to do backups" : "Како да правам резервни копии", + "Performance tuning" : "Нагодување на перформансите", + "Improving the config.php" : "Подобруваер на config.php", + "Theming" : "Поставување на тема", + "Hardening and security guidance" : "Заштита и насоки за безбедност", + "Profile picture" : "Фотографија за профил", + "Upload new" : "Префрли нова", + "Remove image" : "Отстрани ја фотографијата", + "Cancel" : "Откажи", + "Email" : "Е-пошта", + "Your email address" : "Вашата адреса за е-пошта", + "Language" : "Јазик", + "Help translate" : "Помогни во преводот", + "Password" : "Лозинка", + "Current password" : "Моментална лозинка", + "New password" : "Нова лозинка", + "Change password" : "Смени лозинка", + "Username" : "Корисничко име", + "Create" : "Создај", + "Admin Recovery Password" : "Обновување на Admin лозинката", + "Everyone" : "Секој", + "Admins" : "Администратори", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Ве молам внесете квота за просторот (нпр: \"512 MB\" или \"12 GB\")", + "Unlimited" : "Неограничено", + "Other" : "Останато", + "Quota" : "Квота", + "change full name" : "промена на целото име", + "set new password" : "постави нова лозинка", + "Default" : "Предефиниран" +}, +"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/settings/l10n/mk.json b/settings/l10n/mk.json new file mode 100644 index 0000000000000..24f50593a39d3 --- /dev/null +++ b/settings/l10n/mk.json @@ -0,0 +1,137 @@ +{ "translations": { + "Wrong password" : "Погрешна лозинка", + "Saved" : "Снимено", + "No user supplied" : "Нема корисничко име", + "Unable to change password" : "Вашата лозинка неможе да се смени", + "Authentication error" : "Грешка во автентикација", + "Wrong admin recovery password. Please check the password and try again." : "Погрешна лозинка за поврат на администраторот. Ве молам проверете ја лозинката и пробајте повторно.", + "Federated Cloud Sharing" : "Федерирано клауд споделување", + "A problem occurred, please check your log files (Error: %s)" : "Се случи грешка, ве молам проверете ги вашите датотеки за логови (Грешка: %s)", + "Migration Completed" : "Миграцијата заврши", + "Group already exists." : "Групата веќе постои.", + "Unable to add group." : "Не можам да додадам група.", + "Unable to delete group." : "Не можам да избришам група.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Се случи грешка при праќање на порака. Ве молам проверете ги вашите подесувања. (Error: %s)", + "Invalid mail address" : "Неправилна електронска адреса/пошта", + "A user with that name already exists." : "Корисник со ова име веќе постои.", + "Unable to create user." : "Неможе да додадам корисник.", + "Unable to delete user." : "Неможам да избришам корисник", + "Unable to change full name" : "Не можам да го променам целото име", + "Your full name has been changed." : "Вашето целосно име е променето.", + "Forbidden" : "Забрането", + "Invalid user" : "Неправилен корисник", + "Unable to change mail address" : "Не можам да ја променам електронската адреса/пошта", + "Email saved" : "Електронската пошта е снимена", + "Your %s account was created" : "Вашата %s сметка е креирана", + "Couldn't remove app." : "Не можам да ја отстранам апликацијата.", + "Couldn't update app." : "Не можам да ја надградам апликацијата.", + "Add trusted domain" : "Додади доверлив домејн", + "Migration started …" : "Миграцијата е започнаа ...", + "Email sent" : "Е-порака пратена", + "Official" : "Официјален", + "All" : "Сите", + "Update to %s" : "Надгради на %s", + "No apps found for your version" : "За вашата верзија не се пронајдени апликации", + "Error while disabling app" : "Грешка при исклучувањето на апликацијата", + "Disable" : "Оневозможи", + "Enable" : "Овозможи", + "Error while enabling app" : "Грешка при вклучувањето на апликацијата", + "Updated" : "Надграден", + "Approved" : "Одобрен", + "Experimental" : "Експериментален", + "Valid until {date}" : "Валидно до {date}", + "Delete" : "Избриши", + "Select a profile picture" : "Одбери фотографија за профилот", + "Very weak password" : "Многу слаба лозинка", + "Weak password" : "Слаба лозинка", + "So-so password" : "Така така лозинка", + "Good password" : "Добра лозинка", + "Strong password" : "Јака лозинка", + "Groups" : "Групи", + "Unable to delete {objName}" : "Не можам да избришам {objName}", + "Error creating group: {message}" : "Грешка при креирање на група: {message}", + "A valid group name must be provided" : "Мора да се обезбеди валидно име на група", + "deleted {groupName}" : "избришано {groupName}", + "undo" : "врати", + "never" : "никогаш", + "deleted {userName}" : "избришан {userName}", + "A valid username must be provided" : "Мора да се обезбеди валидно корисничко име ", + "Error creating user: {message}" : "Грешка при креирање на корисник: {message}", + "A valid password must be provided" : "Мора да се обезбеди валидна лозинка", + "A valid email must be provided" : "Мора да се обезбеди валидна електронска пошта", + "Developer documentation" : "Документација за програмери", + "Documentation:" : "Документација:", + "Enable only for specific groups" : "Овозможи само на специфицирани групи", + "Forum" : "Форум", + "None" : "Ништо", + "Login" : "Најава", + "Plain" : "Чиста", + "NT LAN Manager" : "NT LAN Менаџер", + "Email server" : "Сервер за е-пошта", + "Open documentation" : "Отвори ја документацијата", + "Send mode" : "Мод на испраќање", + "Encryption" : "Енкрипција", + "From address" : "Од адреса", + "mail" : "Електронска пошта", + "Authentication method" : "Метод на автентификација", + "Authentication required" : "Потребна е автентификација", + "Server address" : "Адреса на сервер", + "Port" : "Порта", + "Credentials" : "Акредитиви", + "SMTP Username" : "SMTP корисничко име", + "SMTP Password" : "SMTP лозинка", + "Test email settings" : "Провери ги нагодувањаа за електронска пошта", + "Send email" : "Испрати пошта", + "Server-side encryption" : "Енкрипција на страна на серверот", + "Enable server-side encryption" : "Овозможи енкрипција на страна на серверот", + "Enable encryption" : "Овозможи енкрипција", + "Start migration" : "Започни ја миграцијата", + "Security & setup warnings" : "Предупредувања за сигурност и подесувања", + "All checks passed." : "Сите проверки се поминати.", + "Execute one task with each page loaded" : "Изврши по една задача со секоја вчитана страница", + "Version" : "Верзија", + "Sharing" : "Споделување", + "Allow apps to use the Share API" : "Дозволете апликациите да го користат API-то за споделување", + "Allow users to share via link" : "Допушти корисниците да споделуваат со линкови", + "Allow public uploads" : "Дозволи јавен аплоуд", + "Enforce password protection" : "Наметни заштита на лозинка", + "Set default expiration date" : "Постави основен датум на истекување", + "Expire after " : "Истекува по", + "days" : "денови", + "Enforce expiration date" : "Наметни датум на траење", + "Allow resharing" : "Овозможи повторно споделување", + "Allow sharing with groups" : "Овозможи споделување со групи", + "Restrict users to only share with users in their groups" : "Ограничи корисниците да споделуваат со корисници во своите групи", + "Exclude groups from sharing" : "Исклучи групи од споделување", + "Tips & tricks" : "Совети и трикови", + "How to do backups" : "Како да правам резервни копии", + "Performance tuning" : "Нагодување на перформансите", + "Improving the config.php" : "Подобруваер на config.php", + "Theming" : "Поставување на тема", + "Hardening and security guidance" : "Заштита и насоки за безбедност", + "Profile picture" : "Фотографија за профил", + "Upload new" : "Префрли нова", + "Remove image" : "Отстрани ја фотографијата", + "Cancel" : "Откажи", + "Email" : "Е-пошта", + "Your email address" : "Вашата адреса за е-пошта", + "Language" : "Јазик", + "Help translate" : "Помогни во преводот", + "Password" : "Лозинка", + "Current password" : "Моментална лозинка", + "New password" : "Нова лозинка", + "Change password" : "Смени лозинка", + "Username" : "Корисничко име", + "Create" : "Создај", + "Admin Recovery Password" : "Обновување на Admin лозинката", + "Everyone" : "Секој", + "Admins" : "Администратори", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Ве молам внесете квота за просторот (нпр: \"512 MB\" или \"12 GB\")", + "Unlimited" : "Неограничено", + "Other" : "Останато", + "Quota" : "Квота", + "change full name" : "промена на целото име", + "set new password" : "постави нова лозинка", + "Default" : "Предефиниран" +},"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" +} \ No newline at end of file diff --git a/settings/l10n/mn.js b/settings/l10n/mn.js new file mode 100644 index 0000000000000..efdef8b282feb --- /dev/null +++ b/settings/l10n/mn.js @@ -0,0 +1,99 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} таны нууц үгийг солив", + "You changed your password" : "Та өөрийн нууц үг солив", + "Your password was reset by an administrator" : "Зохицуулагч таны нууц үгийг солив", + "{actor} changed your email address" : "{actor} таны цахим шуудангийн хаягийг солив", + "You changed your email address" : "Та өөрийн цахим шуудангийн хаягийг солив", + "Your email address was changed by an administrator" : "Зохицуулагч таны цахим шуудангийн хаягийг солив", + "Security" : "Хамгаалалт", + "Your apps" : "Таны аппликэйшнүүд", + "Enabled apps" : "Идэвхижүүлсэн аппликэйшнүүд", + "Disabled apps" : "Идэвхижээгүй аппликэйшнүүд", + "App bundles" : "Аппликэйшны багц", + "Wrong password" : "Нууц үг буруу байна", + "Saved" : "Хадгалагдсан", + "Unable to change password" : "Нууц үг солих боломжгүй", + "Authentication error" : "Нотолгооны алдаа", + "Group already exists." : "Бүлэг аль хэдийн үүссэн байна", + "Unable to add group." : "Бүлэг нэмэх боломжгүй", + "Unable to delete group." : "Бүлэг устгах боломжгүй", + "Invalid SMTP password." : "SMTP -н нууц үг буруу байна ", + "Email setting test" : "Цахим шуудангийн тохиргоог шалгах", + "If you received this email, the email configuration seems to be correct." : "Хэрэв та энэ цахим захидалыг хүлээн авсан бол цахим шуудангийн тохиргоо нь зөв байна.", + "Email could not be sent. Check your mail server log" : "Цахим захидлыг илгээж чадсангүй. Цахим шуудангийн серверийн лог шалгана уу.", + "Unable to create user." : "Хэрэглэгч үүсгэх боломжгүй", + "Unable to delete user." : "Хэрэглэгч устгах боломжгүй", + "Error while enabling user." : "Хэрэглэгчийг идэвхижүүлэхэд алдаа гарлаа.", + "Error while disabling user." : "Хэрэглэгчийг идэвхигүй болгоход алдаа гарлаа.", + "Settings saved" : "Тохиргоо хадгалагдлаа", + "Unable to change full name" : "Бүтэн нэрийг солих боломжгүй", + "Unable to change email address" : "Цахим шуудангийн хаягийг солих боломжгүй", + "Your full name has been changed." : "Таны бүтэн нэр солигдов.", + "Forbidden" : "Хориотой", + "Invalid user" : "Буруу хэрэглэгч", + "Unable to change mail address" : "Цахим шуудангийн хаягийг солих боломжгүй", + "Email saved" : "Цахим шуудангийн хаяг хадгалагдлаа", + "If you did not request this, please contact an administrator." : "Хэрэв та энэ хүсэлтийг илгээгээгүй бол зохицуулагч руу хандана уу.", + "Set your password" : "Нууц үгээ тохируулна уу", + "Sending…" : "Илгээх...", + "Updated" : "Шинэчлэгдсэн", + "Groups" : "Бүлгүүд", + "never" : "хэзээ ч үгүй", + "Add group" : "Бүлэг нэмэх", + "Documentation:" : "Баримт бичиг:", + "User documentation" : "Хэрэглэгчийн баримт бичиг", + "Admin documentation" : "Админы баримт бичиг", + "Visit website" : "Цахим хуудсаар зочлох", + "Show description …" : "Тайлбарыг харуулах", + "Hide description …" : "Тайлбарыг нуух", + "Administrator documentation" : "Админы баримт бичиг", + "Online documentation" : "Онлайн баримт бичиг", + "Forum" : "Хэлэлцүүлэг", + "Getting help" : "Тусламж авах", + "mail" : "и-мэйл", + "Version" : "Хувилбар", + "Always ask for a password" : "Үргэлж нууц үг асуух", + "Enforce password protection" : "Нууц үгийн хамгаалалтыг хэрэгжүүлэх", + "Expire after " : " Дуусах хугацаа", + "days" : "өдрийн дараа", + "Tips & tricks" : "Заавар зөвөлгөө", + "Profile picture" : "Профайл зураг", + "Upload new" : "Шинийг байршуулах", + "Select from Files" : "Файлуудаас сонгох", + "Remove image" : "Зургийг хасах", + "Cancel" : "Цуцлах", + "Choose as profile picture" : "Профайл зургаа сонгоно уу", + "Full name" : "Бүтэн нэр", + "Email" : "Цахим шуудан", + "Phone number" : "Утасны дугаар", + "Your phone number" : "Таны утасны дугаар", + "Address" : "Хаяг", + "Your postal address" : "Таны шуудангийн хаяг", + "Website" : "Цахим хуудас", + "You are member of the following groups:" : "Та дараах бүлгүүдийн гишүүн:", + "Language" : "Хэл", + "Password" : "Нууц үг", + "Current password" : "Одоогийн нууц үг", + "New password" : "Шинэ нууц үг", + "Change password" : "Нууц үг солих", + "Device" : "Төхөөрөмж", + "Last activity" : "Хамгийн сүүлийн үйлдэл", + "App name" : "Аппликэйшны нэр", + "Username" : "Хэрэглэгчийн нэр", + "Done" : "Дууссан", + "Settings" : "Тохиргоо", + "Show email address" : "Цахим шуудангийн хаягийг харуулах", + "Send email to new user" : "Шинэ хэрэглэгч рүү цахим шуудан илгээх", + "E-Mail" : "Цахим шуудангийн хаяг", + "Create" : "Шинээр үүсгэх", + "Everyone" : "Бүх хэрэглэгчид", + "Admins" : "Админууд", + "Disabled" : "Идэвхигүй", + "Other" : "Бусад", + "Last login" : "Сүүлд нэвтэрсэн огноо", + "set new password" : "шинэ нууц үг тохируулах", + "change email address" : "цахим шуудангийн хаягийг өөрчлөх" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/mn.json b/settings/l10n/mn.json new file mode 100644 index 0000000000000..88ffb64cd7a34 --- /dev/null +++ b/settings/l10n/mn.json @@ -0,0 +1,97 @@ +{ "translations": { + "{actor} changed your password" : "{actor} таны нууц үгийг солив", + "You changed your password" : "Та өөрийн нууц үг солив", + "Your password was reset by an administrator" : "Зохицуулагч таны нууц үгийг солив", + "{actor} changed your email address" : "{actor} таны цахим шуудангийн хаягийг солив", + "You changed your email address" : "Та өөрийн цахим шуудангийн хаягийг солив", + "Your email address was changed by an administrator" : "Зохицуулагч таны цахим шуудангийн хаягийг солив", + "Security" : "Хамгаалалт", + "Your apps" : "Таны аппликэйшнүүд", + "Enabled apps" : "Идэвхижүүлсэн аппликэйшнүүд", + "Disabled apps" : "Идэвхижээгүй аппликэйшнүүд", + "App bundles" : "Аппликэйшны багц", + "Wrong password" : "Нууц үг буруу байна", + "Saved" : "Хадгалагдсан", + "Unable to change password" : "Нууц үг солих боломжгүй", + "Authentication error" : "Нотолгооны алдаа", + "Group already exists." : "Бүлэг аль хэдийн үүссэн байна", + "Unable to add group." : "Бүлэг нэмэх боломжгүй", + "Unable to delete group." : "Бүлэг устгах боломжгүй", + "Invalid SMTP password." : "SMTP -н нууц үг буруу байна ", + "Email setting test" : "Цахим шуудангийн тохиргоог шалгах", + "If you received this email, the email configuration seems to be correct." : "Хэрэв та энэ цахим захидалыг хүлээн авсан бол цахим шуудангийн тохиргоо нь зөв байна.", + "Email could not be sent. Check your mail server log" : "Цахим захидлыг илгээж чадсангүй. Цахим шуудангийн серверийн лог шалгана уу.", + "Unable to create user." : "Хэрэглэгч үүсгэх боломжгүй", + "Unable to delete user." : "Хэрэглэгч устгах боломжгүй", + "Error while enabling user." : "Хэрэглэгчийг идэвхижүүлэхэд алдаа гарлаа.", + "Error while disabling user." : "Хэрэглэгчийг идэвхигүй болгоход алдаа гарлаа.", + "Settings saved" : "Тохиргоо хадгалагдлаа", + "Unable to change full name" : "Бүтэн нэрийг солих боломжгүй", + "Unable to change email address" : "Цахим шуудангийн хаягийг солих боломжгүй", + "Your full name has been changed." : "Таны бүтэн нэр солигдов.", + "Forbidden" : "Хориотой", + "Invalid user" : "Буруу хэрэглэгч", + "Unable to change mail address" : "Цахим шуудангийн хаягийг солих боломжгүй", + "Email saved" : "Цахим шуудангийн хаяг хадгалагдлаа", + "If you did not request this, please contact an administrator." : "Хэрэв та энэ хүсэлтийг илгээгээгүй бол зохицуулагч руу хандана уу.", + "Set your password" : "Нууц үгээ тохируулна уу", + "Sending…" : "Илгээх...", + "Updated" : "Шинэчлэгдсэн", + "Groups" : "Бүлгүүд", + "never" : "хэзээ ч үгүй", + "Add group" : "Бүлэг нэмэх", + "Documentation:" : "Баримт бичиг:", + "User documentation" : "Хэрэглэгчийн баримт бичиг", + "Admin documentation" : "Админы баримт бичиг", + "Visit website" : "Цахим хуудсаар зочлох", + "Show description …" : "Тайлбарыг харуулах", + "Hide description …" : "Тайлбарыг нуух", + "Administrator documentation" : "Админы баримт бичиг", + "Online documentation" : "Онлайн баримт бичиг", + "Forum" : "Хэлэлцүүлэг", + "Getting help" : "Тусламж авах", + "mail" : "и-мэйл", + "Version" : "Хувилбар", + "Always ask for a password" : "Үргэлж нууц үг асуух", + "Enforce password protection" : "Нууц үгийн хамгаалалтыг хэрэгжүүлэх", + "Expire after " : " Дуусах хугацаа", + "days" : "өдрийн дараа", + "Tips & tricks" : "Заавар зөвөлгөө", + "Profile picture" : "Профайл зураг", + "Upload new" : "Шинийг байршуулах", + "Select from Files" : "Файлуудаас сонгох", + "Remove image" : "Зургийг хасах", + "Cancel" : "Цуцлах", + "Choose as profile picture" : "Профайл зургаа сонгоно уу", + "Full name" : "Бүтэн нэр", + "Email" : "Цахим шуудан", + "Phone number" : "Утасны дугаар", + "Your phone number" : "Таны утасны дугаар", + "Address" : "Хаяг", + "Your postal address" : "Таны шуудангийн хаяг", + "Website" : "Цахим хуудас", + "You are member of the following groups:" : "Та дараах бүлгүүдийн гишүүн:", + "Language" : "Хэл", + "Password" : "Нууц үг", + "Current password" : "Одоогийн нууц үг", + "New password" : "Шинэ нууц үг", + "Change password" : "Нууц үг солих", + "Device" : "Төхөөрөмж", + "Last activity" : "Хамгийн сүүлийн үйлдэл", + "App name" : "Аппликэйшны нэр", + "Username" : "Хэрэглэгчийн нэр", + "Done" : "Дууссан", + "Settings" : "Тохиргоо", + "Show email address" : "Цахим шуудангийн хаягийг харуулах", + "Send email to new user" : "Шинэ хэрэглэгч рүү цахим шуудан илгээх", + "E-Mail" : "Цахим шуудангийн хаяг", + "Create" : "Шинээр үүсгэх", + "Everyone" : "Бүх хэрэглэгчид", + "Admins" : "Админууд", + "Disabled" : "Идэвхигүй", + "Other" : "Бусад", + "Last login" : "Сүүлд нэвтэрсэн огноо", + "set new password" : "шинэ нууц үг тохируулах", + "change email address" : "цахим шуудангийн хаягийг өөрчлөх" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/ms_MY.js b/settings/l10n/ms_MY.js new file mode 100644 index 0000000000000..6b5a14f814a1d --- /dev/null +++ b/settings/l10n/ms_MY.js @@ -0,0 +1,28 @@ +OC.L10N.register( + "settings", + { + "Authentication error" : "Ralat pengesahan", + "Email saved" : "Emel disimpan", + "Disable" : "Nyahaktif", + "Enable" : "Aktif", + "Delete" : "Padam", + "Groups" : "Kumpulan", + "never" : "jangan", + "Login" : "Log masuk", + "Server address" : "Alamat pelayan", + "Profile picture" : "Gambar profil", + "Cancel" : "Batal", + "Email" : "Email", + "Your email address" : "Alamat emel anda", + "Language" : "Bahasa", + "Help translate" : "Bantu terjemah", + "Password" : "Kata laluan", + "Current password" : "Kata laluan semasa", + "New password" : "Kata laluan baru", + "Change password" : "Ubah kata laluan", + "Username" : "Nama pengguna", + "Create" : "Buat", + "Other" : "Lain", + "Quota" : "Kuota" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/ms_MY.json b/settings/l10n/ms_MY.json new file mode 100644 index 0000000000000..2ad03a8612aa4 --- /dev/null +++ b/settings/l10n/ms_MY.json @@ -0,0 +1,26 @@ +{ "translations": { + "Authentication error" : "Ralat pengesahan", + "Email saved" : "Emel disimpan", + "Disable" : "Nyahaktif", + "Enable" : "Aktif", + "Delete" : "Padam", + "Groups" : "Kumpulan", + "never" : "jangan", + "Login" : "Log masuk", + "Server address" : "Alamat pelayan", + "Profile picture" : "Gambar profil", + "Cancel" : "Batal", + "Email" : "Email", + "Your email address" : "Alamat emel anda", + "Language" : "Bahasa", + "Help translate" : "Bantu terjemah", + "Password" : "Kata laluan", + "Current password" : "Kata laluan semasa", + "New password" : "Kata laluan baru", + "Change password" : "Ubah kata laluan", + "Username" : "Nama pengguna", + "Create" : "Buat", + "Other" : "Lain", + "Quota" : "Kuota" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index d6e68e4324b0c..8d065ddfe1df7 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -383,6 +383,15 @@ OC.L10N.register( "change full name" : "wijzigen volledige naam", "set new password" : "Instellen nieuw wachtwoord", "change email address" : "wijzig e-mailadres", - "Default" : "Standaard" + "Default" : "Standaard", + "Updating...." : "Bijwerken....", + "iOS app" : "iOS app", + "App passwords" : "App wachtwoorden", + "Follow us on Google+!" : "Volg ons op Google+!", + "Like our facebook page!" : "Vind onze Facebook pagina leuk!", + "Follow us on Twitter!" : "Volg ons op Twitter!", + "Check out our blog!" : "Lees ons blog!", + "Subscribe to our newsletter!" : "Abonneer jezelf op onze nieuwsbrief!", + "Group name" : "Groepsnaam" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index cc20d20daa7a8..65c613d4bcf4b 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -381,6 +381,15 @@ "change full name" : "wijzigen volledige naam", "set new password" : "Instellen nieuw wachtwoord", "change email address" : "wijzig e-mailadres", - "Default" : "Standaard" + "Default" : "Standaard", + "Updating...." : "Bijwerken....", + "iOS app" : "iOS app", + "App passwords" : "App wachtwoorden", + "Follow us on Google+!" : "Volg ons op Google+!", + "Like our facebook page!" : "Vind onze Facebook pagina leuk!", + "Follow us on Twitter!" : "Volg ons op Twitter!", + "Check out our blog!" : "Lees ons blog!", + "Subscribe to our newsletter!" : "Abonneer jezelf op onze nieuwsbrief!", + "Group name" : "Groepsnaam" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/nn_NO.js b/settings/l10n/nn_NO.js new file mode 100644 index 0000000000000..bb8a308ef0174 --- /dev/null +++ b/settings/l10n/nn_NO.js @@ -0,0 +1,62 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "Feil passord", + "No user supplied" : "Ingen brukar gjeve", + "Unable to change password" : "Klarte ikkje å endra passordet", + "Authentication error" : "Autentiseringsfeil", + "Wrong admin recovery password. Please check the password and try again." : "Feil admingjenopprettingspassord. Ver venleg og sjekk passordet og prøv igjen.", + "Email saved" : "E-postadresse lagra", + "Couldn't update app." : "Klarte ikkje oppdatera programmet.", + "Email sent" : "E-post sendt", + "All" : "Alle", + "Error while disabling app" : "Klarte ikkje å skru av programmet", + "Disable" : "Slå av", + "Enable" : "Slå på", + "Error while enabling app" : "Klarte ikkje å skru på programmet", + "Updated" : "Oppdatert", + "Delete" : "Slett", + "Select a profile picture" : "Vel eit profilbilete", + "Very weak password" : "Veldig svakt passord", + "Weak password" : "Svakt passord", + "So-so password" : "Middelmåtig passord", + "Good password" : "OK passord", + "Strong password" : "Sterkt passord", + "Groups" : "Grupper", + "undo" : "angra", + "never" : "aldri", + "A valid username must be provided" : "Du må oppgje eit gyldig brukarnamn", + "A valid password must be provided" : "Du må oppgje eit gyldig passord", + "Forum" : "Forum", + "Login" : "Logg inn", + "Encryption" : "Kryptering", + "Server address" : "Tenaradresse", + "Execute one task with each page loaded" : "Utfør éi oppgåve for kvar sidelasting", + "Version" : "Utgåve", + "Sharing" : "Deling", + "Allow apps to use the Share API" : "La app-ar bruka API-et til deling", + "Allow public uploads" : "Tillat offentlege opplastingar", + "Allow resharing" : "Tillat vidaredeling", + "Profile picture" : "Profilbilete", + "Upload new" : "Last opp ny", + "Remove image" : "Fjern bilete", + "Cancel" : "Avbryt", + "Email" : "E-post", + "Your email address" : "Di epost-adresse", + "Language" : "Språk", + "Help translate" : "Hjelp oss å omsetja", + "Password" : "Passord", + "Current password" : "Passord", + "New password" : "Nytt passord", + "Change password" : "Endra passord", + "Username" : "Brukarnamn", + "Create" : "Lag", + "Admin Recovery Password" : "Gjenopprettingspassord for administrator", + "Enter the recovery password in order to recover the users files during password change" : "Skriv inn gjenopprettingspassordet brukt for å gjenoppretta brukarfilene ved passordendring", + "Unlimited" : "Ubegrensa", + "Other" : "Anna", + "Quota" : "Kvote", + "set new password" : "lag nytt passord", + "Default" : "Standard" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/nn_NO.json b/settings/l10n/nn_NO.json new file mode 100644 index 0000000000000..6db71716c672f --- /dev/null +++ b/settings/l10n/nn_NO.json @@ -0,0 +1,60 @@ +{ "translations": { + "Wrong password" : "Feil passord", + "No user supplied" : "Ingen brukar gjeve", + "Unable to change password" : "Klarte ikkje å endra passordet", + "Authentication error" : "Autentiseringsfeil", + "Wrong admin recovery password. Please check the password and try again." : "Feil admingjenopprettingspassord. Ver venleg og sjekk passordet og prøv igjen.", + "Email saved" : "E-postadresse lagra", + "Couldn't update app." : "Klarte ikkje oppdatera programmet.", + "Email sent" : "E-post sendt", + "All" : "Alle", + "Error while disabling app" : "Klarte ikkje å skru av programmet", + "Disable" : "Slå av", + "Enable" : "Slå på", + "Error while enabling app" : "Klarte ikkje å skru på programmet", + "Updated" : "Oppdatert", + "Delete" : "Slett", + "Select a profile picture" : "Vel eit profilbilete", + "Very weak password" : "Veldig svakt passord", + "Weak password" : "Svakt passord", + "So-so password" : "Middelmåtig passord", + "Good password" : "OK passord", + "Strong password" : "Sterkt passord", + "Groups" : "Grupper", + "undo" : "angra", + "never" : "aldri", + "A valid username must be provided" : "Du må oppgje eit gyldig brukarnamn", + "A valid password must be provided" : "Du må oppgje eit gyldig passord", + "Forum" : "Forum", + "Login" : "Logg inn", + "Encryption" : "Kryptering", + "Server address" : "Tenaradresse", + "Execute one task with each page loaded" : "Utfør éi oppgåve for kvar sidelasting", + "Version" : "Utgåve", + "Sharing" : "Deling", + "Allow apps to use the Share API" : "La app-ar bruka API-et til deling", + "Allow public uploads" : "Tillat offentlege opplastingar", + "Allow resharing" : "Tillat vidaredeling", + "Profile picture" : "Profilbilete", + "Upload new" : "Last opp ny", + "Remove image" : "Fjern bilete", + "Cancel" : "Avbryt", + "Email" : "E-post", + "Your email address" : "Di epost-adresse", + "Language" : "Språk", + "Help translate" : "Hjelp oss å omsetja", + "Password" : "Passord", + "Current password" : "Passord", + "New password" : "Nytt passord", + "Change password" : "Endra passord", + "Username" : "Brukarnamn", + "Create" : "Lag", + "Admin Recovery Password" : "Gjenopprettingspassord for administrator", + "Enter the recovery password in order to recover the users files during password change" : "Skriv inn gjenopprettingspassordet brukt for å gjenoppretta brukarfilene ved passordendring", + "Unlimited" : "Ubegrensa", + "Other" : "Anna", + "Quota" : "Kvote", + "set new password" : "lag nytt passord", + "Default" : "Standard" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/ro.js b/settings/l10n/ro.js new file mode 100644 index 0000000000000..35b31ce2dfae7 --- /dev/null +++ b/settings/l10n/ro.js @@ -0,0 +1,221 @@ +OC.L10N.register( + "settings", + { + "You changed your password" : "Ți-ai schimbat parola", + "You changed your email address" : "Ți-ai schimbat adresa de email", + "Your email address was changed by an administrator" : "Adresa ta de email a fost modificată de un administrator", + "Security" : "Securitate", + "Your apps" : "Aplicațiile tale", + "Updates" : "Actualizări", + "Enabled apps" : "Aplicații active", + "Disabled apps" : "Aplicații inactive", + "Wrong password" : "Parolă greșită", + "Saved" : "Salvat", + "No user supplied" : "Nu a fost furnizat niciun utilizator", + "Unable to change password" : "Imposibil de schimbat parola", + "Authentication error" : "Eroare la autentificare", + "Wrong admin recovery password. Please check the password and try again." : "Parolă administrativă de recuperare greșită. Verifică parola și încearcă din nou.", + "Federated Cloud Sharing" : "Partajare federalizata cloud", + "Migration Completed" : "Migrare încheiată", + "Group already exists." : "Grupul există deja.", + "Unable to add group." : "Nu se poate adăuga grupul.", + "Unable to delete group." : "Nu se poate șterge grupul.", + "Invalid SMTP password." : "Parolă SMTP invalidă.", + "Email setting test" : "Test setări email", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : " A apărut o problemă la trimiterea emailului. Verifică-ți setărie. (Eroare: %s)", + "You need to set your user email before being able to send test emails." : "Trebuie să îți setezi emailul de utilizator înainte de a putea să trimiți emailuri.", + "Invalid mail address" : "Adresa mail invalidă", + "No valid group selected" : "Niciun grup valid selectat", + "A user with that name already exists." : "Există deja un utilizator cu acest nume.", + "Unable to create user." : "Imposibil de creat utilizatorul.", + "Unable to delete user." : "Imposibil de șters utilizatorul.", + "Error while enabling user." : "Eroare în timpul activării utilizatorului.", + "Error while disabling user." : "Eroare în timpul dezactivării utilizatorului.", + "Unable to change full name" : "Nu s-a putut schimba numele complet", + "Your full name has been changed." : "Numele tău complet a fost schimbat.", + "Forbidden" : "Interzis", + "Invalid user" : "Utilizator invalid", + "Unable to change mail address" : "Nu s-a putut schimba adresa email", + "Email saved" : "E-mail salvat", + "Email address changed for %s" : "Adresa de email schimbată în %s", + "The new email address is %s" : "Adresa de email nouă este%s", + "Your %s account was created" : "Contul tău %s a fost creat", + "Your username is: %s" : "Utilizatorul tău este: %s", + "Set your password" : "Setează parola", + "Install Client" : "Instalează client", + "Password confirmation is required" : "Confirmarea parolei este necesară", + "Couldn't remove app." : "Nu s-a putut înlătura aplicația.", + "Couldn't update app." : "Aplicaţia nu s-a putut actualiza.", + "Are you really sure you want add {domain} as trusted domain?" : "Ești sigur că vrei sa adaugi {domain} ca domeniu de încredere?", + "Add trusted domain" : "Adaugă domeniu de încredere", + "Migration in progress. Please wait until the migration is finished" : "Migrare în progres. Așteaptă până când migrarea este finalizată", + "Migration started …" : "Migrarea a început...", + "Not saved" : "Nu a fost salvat", + "Sending…" : "Se trimite...", + "Email sent" : "Mesajul a fost expediat", + "Official" : "Oficial", + "All" : "Toate ", + "No apps found for your version" : "Nu au fost găsite aplicații pentru versiunea ta", + "The app will be downloaded from the app store" : "Aplicația va fi descărcată din magazin", + "Error while disabling app" : "Eroare în timpul dezactivării aplicației", + "Disable" : "Dezactivați", + "Enable" : "Activare", + "Error while enabling app" : "Eroare în timpul activării applicației", + "Updated" : "Actualizat", + "Approved" : "Aprobat", + "Experimental" : "Experimental", + "Disconnect" : "Deconectare", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome for Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS Client", + "Android Client" : "Android Client", + "Copy" : "Copiază", + "Copied!" : "S-a copiat!", + "Not supported!" : "Nu este suportat!", + "Press ⌘-C to copy." : "Apasă ⌘-C pentru copiere.", + "Press Ctrl-C to copy." : "Apasă Ctrl-C pentru copiere.", + "Valid until {date}" : "Valabil până la {date}", + "Delete" : "Șterge", + "Contacts" : "Contacte", + "Verify" : "Verifică", + "Verifying …" : "Se verifică ...", + "Select a profile picture" : "Selectează o imagine de profil", + "Very weak password" : "Parolă foarte slabă", + "Weak password" : "Parolă slabă", + "So-so password" : "Parolă medie", + "Good password" : "Parolă bună", + "Strong password" : "Parolă puternică", + "Groups" : "Grupuri", + "Unable to delete {objName}" : "Nu s-a putut șterge {objName}", + "Error creating group: {message}" : "Eroare la crearea grupului: {message}", + "A valid group name must be provided" : "Trebuie furnizat un nume de grup valid", + "deleted {groupName}" : "{groupName} s-a șters", + "undo" : "Anulează ultima acțiune", + "{size} used" : "{size} folosită", + "never" : "niciodată", + "deleted {userName}" : "{userName} șters", + "Add group" : "Adaugă grup", + "Invalid quota value \"{val}\"" : "Valoare cotă invalidă \"{val}\"", + "no group" : "niciun grup", + "Password successfully changed" : "Parola a fost modificată cu succes.", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Schimbarea parolei va rezulta în pierderea datelor deoarece recuperarea acestora nu este disponibilă pentru acest utilizator", + "A valid username must be provided" : "Trebuie să furnizaţi un nume de utilizator valid", + "Error creating user: {message}" : "Eroare la crearea utilizatorului: {message}", + "A valid password must be provided" : "Trebuie să furnizaţi o parolă validă", + "A valid email must be provided" : "Trebuie furnizată o adresă email validă", + "Developer documentation" : "Documentație pentru dezvoltatori", + "by %s" : "de %s", + "%s-licensed" : "%s-licențiat", + "Documentation:" : "Documentație:", + "User documentation" : "Documentație utilizator", + "Admin documentation" : "Documentație pentru administrare", + "Report a bug" : "Raportează un defect", + "Show description …" : "Arată descriere ...", + "Hide description …" : "Ascunde descriere ...", + "This app has an update available." : "Este disponibilă o actualizare pentru această aplicație.", + "Enable only for specific groups" : "Activează doar pentru grupuri specifice", + "SSL Root Certificates" : "Certificate SSL rădăcină", + "Common Name" : "Nume comun", + "Valid until" : "Valabil până la", + "Issued By" : "Emis de", + "Valid until %s" : "Valabil până la %s", + "Import root certificate" : "Importă certificat rădăcină", + "Administrator documentation" : "Documentație pentru administrare", + "Online documentation" : "Documentație online", + "Forum" : "Forum", + "Commercial support" : "Suport comercial", + "None" : "Niciuna", + "Login" : "Autentificare", + "Plain" : "Plain", + "NT LAN Manager" : "NT LAN Manager", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "Server de email", + "Open documentation" : "Deschide documentația", + "Send mode" : "Modul de expediere", + "Encryption" : "Încriptare", + "From address" : "De la adresa", + "mail" : "poștă", + "Authentication method" : "Modul de autentificare", + "Authentication required" : "Autentificare necesară", + "Server address" : "Adresa server-ului", + "Port" : "Portul", + "Credentials" : "Detalii de autentificare", + "SMTP Username" : "Nume utilizator SMTP", + "SMTP Password" : "Parolă SMTP", + "Store credentials" : "Stochează datele de autentificare", + "Test email settings" : "Verifică setările de e-mail", + "Send email" : "Expediază mesajul", + "Server-side encryption" : "Criptare la nivel de server", + "Enable server-side encryption" : "Activează criptarea pe server", + "Please read carefully before activating server-side encryption: " : "Citește cu atenție înainte să activezi criptarea pe server:", + "This is the final warning: Do you really want to enable encryption?" : "Aceasta este avertizarea finală: Chiar vrei să activezi criptarea?", + "Enable encryption" : "Activează criptarea", + "Select default encryption module:" : "Selectează modulul implicit de criptare:", + "Start migration" : "Pornește migrarea", + "Security & setup warnings" : "Alerte de securitate & configurare", + "All checks passed." : "Toate verificările s-au terminat fără erori.", + "Execute one task with each page loaded" : "Execută o sarcină la fiecare pagină încărcată", + "Version" : "Versiunea", + "Sharing" : "Partajare", + "Allow apps to use the Share API" : "Permite aplicațiilor să folosească API-ul de partajare", + "Allow users to share via link" : "Permite utilizatorilor să partajeze via link", + "Allow public uploads" : "Permite încărcări publice", + "Enforce password protection" : "Impune protecția prin parolă", + "Set default expiration date" : "Setează data implicită de expirare", + "Expire after " : "Expiră după", + "days" : "zile", + "Enforce expiration date" : "Impune data de expirare", + "Allow resharing" : "Permite repartajarea", + "Allow sharing with groups" : "Permite partajarea cu grupuri", + "Exclude groups from sharing" : "Exclude grupuri de la partajare", + "Tips & tricks" : "Tips & tricks", + "How to do backups" : "Cum să faci copii de rezervă", + "Profile picture" : "Imagine de profil", + "Upload new" : "Încarcă una nouă", + "Select from Files" : "Selectează din fișiere", + "Remove image" : "Înlătură imagine", + "png or jpg, max. 20 MB" : "png sau jpg, max. 20 MB", + "Cancel" : "Anulare", + "Choose as profile picture" : "Alege ca imagine de profil", + "Full name" : "Nume complet", + "Email" : "Email", + "Your email address" : "Adresa ta de email", + "Phone number" : "Număr telefon", + "Your phone number" : "Numărul tău de telefon", + "Address" : "Adresă", + "Your postal address" : "Adresă poștală", + "Website" : "Site web", + "Link https://…" : "Link https://…", + "Twitter" : "Twitter", + "Language" : "Limba", + "Help translate" : "Ajută la traducere", + "Password" : "Parolă", + "Current password" : "Parola curentă", + "New password" : "Noua parolă", + "Change password" : "Schimbă parola", + "Device" : "Dispozitiv", + "App name" : "Numele aplicației", + "Username" : "Nume utilizator", + "Settings" : "Setări", + "E-Mail" : "Email", + "Create" : "Crează", + "Admin Recovery Password" : "Parolă de recuperare a Administratorului", + "Enter the recovery password in order to recover the users files during password change" : "Introdu parola de recuperare pentru a recupera fișierele utilizatorilor în timpul schimbării parolei", + "Everyone" : "Toți", + "Admins" : "Administratori", + "Disabled" : "Dezactivați", + "Unlimited" : "Nelimitată", + "Other" : "Altele", + "Quota" : "Cotă", + "change full name" : "schimbă numele complet", + "set new password" : "setează parolă nouă", + "change email address" : "schimbă adresa email", + "Default" : "Implicită" +}, +"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); diff --git a/settings/l10n/ro.json b/settings/l10n/ro.json new file mode 100644 index 0000000000000..47bb572f694ec --- /dev/null +++ b/settings/l10n/ro.json @@ -0,0 +1,219 @@ +{ "translations": { + "You changed your password" : "Ți-ai schimbat parola", + "You changed your email address" : "Ți-ai schimbat adresa de email", + "Your email address was changed by an administrator" : "Adresa ta de email a fost modificată de un administrator", + "Security" : "Securitate", + "Your apps" : "Aplicațiile tale", + "Updates" : "Actualizări", + "Enabled apps" : "Aplicații active", + "Disabled apps" : "Aplicații inactive", + "Wrong password" : "Parolă greșită", + "Saved" : "Salvat", + "No user supplied" : "Nu a fost furnizat niciun utilizator", + "Unable to change password" : "Imposibil de schimbat parola", + "Authentication error" : "Eroare la autentificare", + "Wrong admin recovery password. Please check the password and try again." : "Parolă administrativă de recuperare greșită. Verifică parola și încearcă din nou.", + "Federated Cloud Sharing" : "Partajare federalizata cloud", + "Migration Completed" : "Migrare încheiată", + "Group already exists." : "Grupul există deja.", + "Unable to add group." : "Nu se poate adăuga grupul.", + "Unable to delete group." : "Nu se poate șterge grupul.", + "Invalid SMTP password." : "Parolă SMTP invalidă.", + "Email setting test" : "Test setări email", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : " A apărut o problemă la trimiterea emailului. Verifică-ți setărie. (Eroare: %s)", + "You need to set your user email before being able to send test emails." : "Trebuie să îți setezi emailul de utilizator înainte de a putea să trimiți emailuri.", + "Invalid mail address" : "Adresa mail invalidă", + "No valid group selected" : "Niciun grup valid selectat", + "A user with that name already exists." : "Există deja un utilizator cu acest nume.", + "Unable to create user." : "Imposibil de creat utilizatorul.", + "Unable to delete user." : "Imposibil de șters utilizatorul.", + "Error while enabling user." : "Eroare în timpul activării utilizatorului.", + "Error while disabling user." : "Eroare în timpul dezactivării utilizatorului.", + "Unable to change full name" : "Nu s-a putut schimba numele complet", + "Your full name has been changed." : "Numele tău complet a fost schimbat.", + "Forbidden" : "Interzis", + "Invalid user" : "Utilizator invalid", + "Unable to change mail address" : "Nu s-a putut schimba adresa email", + "Email saved" : "E-mail salvat", + "Email address changed for %s" : "Adresa de email schimbată în %s", + "The new email address is %s" : "Adresa de email nouă este%s", + "Your %s account was created" : "Contul tău %s a fost creat", + "Your username is: %s" : "Utilizatorul tău este: %s", + "Set your password" : "Setează parola", + "Install Client" : "Instalează client", + "Password confirmation is required" : "Confirmarea parolei este necesară", + "Couldn't remove app." : "Nu s-a putut înlătura aplicația.", + "Couldn't update app." : "Aplicaţia nu s-a putut actualiza.", + "Are you really sure you want add {domain} as trusted domain?" : "Ești sigur că vrei sa adaugi {domain} ca domeniu de încredere?", + "Add trusted domain" : "Adaugă domeniu de încredere", + "Migration in progress. Please wait until the migration is finished" : "Migrare în progres. Așteaptă până când migrarea este finalizată", + "Migration started …" : "Migrarea a început...", + "Not saved" : "Nu a fost salvat", + "Sending…" : "Se trimite...", + "Email sent" : "Mesajul a fost expediat", + "Official" : "Oficial", + "All" : "Toate ", + "No apps found for your version" : "Nu au fost găsite aplicații pentru versiunea ta", + "The app will be downloaded from the app store" : "Aplicația va fi descărcată din magazin", + "Error while disabling app" : "Eroare în timpul dezactivării aplicației", + "Disable" : "Dezactivați", + "Enable" : "Activare", + "Error while enabling app" : "Eroare în timpul activării applicației", + "Updated" : "Actualizat", + "Approved" : "Aprobat", + "Experimental" : "Experimental", + "Disconnect" : "Deconectare", + "Edge" : "Edge", + "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", + "Google Chrome for Android" : "Google Chrome for Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", + "iOS Client" : "iOS Client", + "Android Client" : "Android Client", + "Copy" : "Copiază", + "Copied!" : "S-a copiat!", + "Not supported!" : "Nu este suportat!", + "Press ⌘-C to copy." : "Apasă ⌘-C pentru copiere.", + "Press Ctrl-C to copy." : "Apasă Ctrl-C pentru copiere.", + "Valid until {date}" : "Valabil până la {date}", + "Delete" : "Șterge", + "Contacts" : "Contacte", + "Verify" : "Verifică", + "Verifying …" : "Se verifică ...", + "Select a profile picture" : "Selectează o imagine de profil", + "Very weak password" : "Parolă foarte slabă", + "Weak password" : "Parolă slabă", + "So-so password" : "Parolă medie", + "Good password" : "Parolă bună", + "Strong password" : "Parolă puternică", + "Groups" : "Grupuri", + "Unable to delete {objName}" : "Nu s-a putut șterge {objName}", + "Error creating group: {message}" : "Eroare la crearea grupului: {message}", + "A valid group name must be provided" : "Trebuie furnizat un nume de grup valid", + "deleted {groupName}" : "{groupName} s-a șters", + "undo" : "Anulează ultima acțiune", + "{size} used" : "{size} folosită", + "never" : "niciodată", + "deleted {userName}" : "{userName} șters", + "Add group" : "Adaugă grup", + "Invalid quota value \"{val}\"" : "Valoare cotă invalidă \"{val}\"", + "no group" : "niciun grup", + "Password successfully changed" : "Parola a fost modificată cu succes.", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Schimbarea parolei va rezulta în pierderea datelor deoarece recuperarea acestora nu este disponibilă pentru acest utilizator", + "A valid username must be provided" : "Trebuie să furnizaţi un nume de utilizator valid", + "Error creating user: {message}" : "Eroare la crearea utilizatorului: {message}", + "A valid password must be provided" : "Trebuie să furnizaţi o parolă validă", + "A valid email must be provided" : "Trebuie furnizată o adresă email validă", + "Developer documentation" : "Documentație pentru dezvoltatori", + "by %s" : "de %s", + "%s-licensed" : "%s-licențiat", + "Documentation:" : "Documentație:", + "User documentation" : "Documentație utilizator", + "Admin documentation" : "Documentație pentru administrare", + "Report a bug" : "Raportează un defect", + "Show description …" : "Arată descriere ...", + "Hide description …" : "Ascunde descriere ...", + "This app has an update available." : "Este disponibilă o actualizare pentru această aplicație.", + "Enable only for specific groups" : "Activează doar pentru grupuri specifice", + "SSL Root Certificates" : "Certificate SSL rădăcină", + "Common Name" : "Nume comun", + "Valid until" : "Valabil până la", + "Issued By" : "Emis de", + "Valid until %s" : "Valabil până la %s", + "Import root certificate" : "Importă certificat rădăcină", + "Administrator documentation" : "Documentație pentru administrare", + "Online documentation" : "Documentație online", + "Forum" : "Forum", + "Commercial support" : "Suport comercial", + "None" : "Niciuna", + "Login" : "Autentificare", + "Plain" : "Plain", + "NT LAN Manager" : "NT LAN Manager", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "Server de email", + "Open documentation" : "Deschide documentația", + "Send mode" : "Modul de expediere", + "Encryption" : "Încriptare", + "From address" : "De la adresa", + "mail" : "poștă", + "Authentication method" : "Modul de autentificare", + "Authentication required" : "Autentificare necesară", + "Server address" : "Adresa server-ului", + "Port" : "Portul", + "Credentials" : "Detalii de autentificare", + "SMTP Username" : "Nume utilizator SMTP", + "SMTP Password" : "Parolă SMTP", + "Store credentials" : "Stochează datele de autentificare", + "Test email settings" : "Verifică setările de e-mail", + "Send email" : "Expediază mesajul", + "Server-side encryption" : "Criptare la nivel de server", + "Enable server-side encryption" : "Activează criptarea pe server", + "Please read carefully before activating server-side encryption: " : "Citește cu atenție înainte să activezi criptarea pe server:", + "This is the final warning: Do you really want to enable encryption?" : "Aceasta este avertizarea finală: Chiar vrei să activezi criptarea?", + "Enable encryption" : "Activează criptarea", + "Select default encryption module:" : "Selectează modulul implicit de criptare:", + "Start migration" : "Pornește migrarea", + "Security & setup warnings" : "Alerte de securitate & configurare", + "All checks passed." : "Toate verificările s-au terminat fără erori.", + "Execute one task with each page loaded" : "Execută o sarcină la fiecare pagină încărcată", + "Version" : "Versiunea", + "Sharing" : "Partajare", + "Allow apps to use the Share API" : "Permite aplicațiilor să folosească API-ul de partajare", + "Allow users to share via link" : "Permite utilizatorilor să partajeze via link", + "Allow public uploads" : "Permite încărcări publice", + "Enforce password protection" : "Impune protecția prin parolă", + "Set default expiration date" : "Setează data implicită de expirare", + "Expire after " : "Expiră după", + "days" : "zile", + "Enforce expiration date" : "Impune data de expirare", + "Allow resharing" : "Permite repartajarea", + "Allow sharing with groups" : "Permite partajarea cu grupuri", + "Exclude groups from sharing" : "Exclude grupuri de la partajare", + "Tips & tricks" : "Tips & tricks", + "How to do backups" : "Cum să faci copii de rezervă", + "Profile picture" : "Imagine de profil", + "Upload new" : "Încarcă una nouă", + "Select from Files" : "Selectează din fișiere", + "Remove image" : "Înlătură imagine", + "png or jpg, max. 20 MB" : "png sau jpg, max. 20 MB", + "Cancel" : "Anulare", + "Choose as profile picture" : "Alege ca imagine de profil", + "Full name" : "Nume complet", + "Email" : "Email", + "Your email address" : "Adresa ta de email", + "Phone number" : "Număr telefon", + "Your phone number" : "Numărul tău de telefon", + "Address" : "Adresă", + "Your postal address" : "Adresă poștală", + "Website" : "Site web", + "Link https://…" : "Link https://…", + "Twitter" : "Twitter", + "Language" : "Limba", + "Help translate" : "Ajută la traducere", + "Password" : "Parolă", + "Current password" : "Parola curentă", + "New password" : "Noua parolă", + "Change password" : "Schimbă parola", + "Device" : "Dispozitiv", + "App name" : "Numele aplicației", + "Username" : "Nume utilizator", + "Settings" : "Setări", + "E-Mail" : "Email", + "Create" : "Crează", + "Admin Recovery Password" : "Parolă de recuperare a Administratorului", + "Enter the recovery password in order to recover the users files during password change" : "Introdu parola de recuperare pentru a recupera fișierele utilizatorilor în timpul schimbării parolei", + "Everyone" : "Toți", + "Admins" : "Administratori", + "Disabled" : "Dezactivați", + "Unlimited" : "Nelimitată", + "Other" : "Altele", + "Quota" : "Cotă", + "change full name" : "schimbă numele complet", + "set new password" : "setează parolă nouă", + "change email address" : "schimbă adresa email", + "Default" : "Implicită" +},"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" +} \ No newline at end of file diff --git a/settings/l10n/si_LK.js b/settings/l10n/si_LK.js new file mode 100644 index 0000000000000..c23bd9e22a596 --- /dev/null +++ b/settings/l10n/si_LK.js @@ -0,0 +1,34 @@ +OC.L10N.register( + "settings", + { + "Authentication error" : "සත්‍යාපන දෝෂයක්", + "Email saved" : "වි-තැපෑල සුරකින ලදී", + "All" : "සියල්ල", + "Disable" : "අක්‍රිය කරන්න", + "Enable" : "සක්‍රිය කරන්න", + "Delete" : "මකා දමන්න", + "Groups" : "කණ්ඩායම්", + "undo" : "නිෂ්ප්‍රභ කරන්න", + "never" : "කවදාවත්", + "None" : "කිසිවක් නැත", + "Login" : "ප්‍රවිශ්ටය", + "Encryption" : "ගුප්ත කේතනය", + "Server address" : "සේවාදායකයේ ලිපිනය", + "Port" : "තොට", + "Sharing" : "හුවමාරු කිරීම", + "Allow resharing" : "යළි යළිත් හුවමාරුවට අවසර දෙමි", + "Cancel" : "එපා", + "Email" : "විද්‍යුත් තැපෑල", + "Your email address" : "ඔබගේ විද්‍යුත් තැපෑල", + "Language" : "භාෂාව", + "Help translate" : "පරිවර්ථන සහය", + "Password" : "මුර පදය", + "Current password" : "වත්මන් මුරපදය", + "New password" : "නව මුරපදය", + "Change password" : "මුරපදය වෙනස් කිරීම", + "Username" : "පරිශීලක නම", + "Create" : "තනන්න", + "Other" : "වෙනත්", + "Quota" : "සලාකය" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/si_LK.json b/settings/l10n/si_LK.json new file mode 100644 index 0000000000000..062beb999f37c --- /dev/null +++ b/settings/l10n/si_LK.json @@ -0,0 +1,32 @@ +{ "translations": { + "Authentication error" : "සත්‍යාපන දෝෂයක්", + "Email saved" : "වි-තැපෑල සුරකින ලදී", + "All" : "සියල්ල", + "Disable" : "අක්‍රිය කරන්න", + "Enable" : "සක්‍රිය කරන්න", + "Delete" : "මකා දමන්න", + "Groups" : "කණ්ඩායම්", + "undo" : "නිෂ්ප්‍රභ කරන්න", + "never" : "කවදාවත්", + "None" : "කිසිවක් නැත", + "Login" : "ප්‍රවිශ්ටය", + "Encryption" : "ගුප්ත කේතනය", + "Server address" : "සේවාදායකයේ ලිපිනය", + "Port" : "තොට", + "Sharing" : "හුවමාරු කිරීම", + "Allow resharing" : "යළි යළිත් හුවමාරුවට අවසර දෙමි", + "Cancel" : "එපා", + "Email" : "විද්‍යුත් තැපෑල", + "Your email address" : "ඔබගේ විද්‍යුත් තැපෑල", + "Language" : "භාෂාව", + "Help translate" : "පරිවර්ථන සහය", + "Password" : "මුර පදය", + "Current password" : "වත්මන් මුරපදය", + "New password" : "නව මුරපදය", + "Change password" : "මුරපදය වෙනස් කිරීම", + "Username" : "පරිශීලක නම", + "Create" : "තනන්න", + "Other" : "වෙනත්", + "Quota" : "සලාකය" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/sl.js b/settings/l10n/sl.js new file mode 100644 index 0000000000000..b36667494cef5 --- /dev/null +++ b/settings/l10n/sl.js @@ -0,0 +1,202 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} vaše geslo je spremenjeno", + "You changed your password" : "Spremenili ste vaše geslo", + "Wrong password" : "Napačno geslo", + "Saved" : "Shranjeno", + "No user supplied" : "Ni navedenega uporabnika", + "Unable to change password" : "Ni mogoče spremeniti gesla", + "Authentication error" : "Napaka med overjanjem", + "Wrong admin recovery password. Please check the password and try again." : "Napačno navedeno skrbniško obnovitveno geslo. Preverite geslo in poskusite znova.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "nameščanje in posodabljanje programov prek programske zbirke ali zveznega oblaka", + "Federated Cloud Sharing" : "Souporaba zveznega oblaka", + "A problem occurred, please check your log files (Error: %s)" : "Prišlo je do napake. Preverite dnevniške zapise (napaka: %s).", + "Migration Completed" : "Selitev je končana", + "Group already exists." : "Skupina že obstaja.", + "Unable to add group." : "Ni mogoče dodati skupine", + "Unable to delete group." : "Ni mogoče izbrisati skupine.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Med pošiljanjem sporočila se je prišlo do napake. Preverite nastavitve (napaka: %s).", + "You need to set your user email before being able to send test emails." : "Pred preizkusnim pošiljanjem sporočil je treba nastaviti elektronski naslov uporabnika.", + "Invalid mail address" : "Neveljaven elektronski naslov", + "A user with that name already exists." : "Uporabnik s tem imenom že obstaja.", + "Unable to create user." : "Ni mogoče ustvariti uporabnika.", + "Unable to delete user." : "Ni mogoče izbrisati uporabnika", + "Unable to change full name" : "Ni mogoče spremeniti polnega imena", + "Your full name has been changed." : "Vaše polno ime je spremenjeno.", + "Forbidden" : "Dostop je prepovedan", + "Invalid user" : "Neveljavni podatki uporabnika", + "Unable to change mail address" : "Ni mogoče spremeniti naslova elektronske pošte.", + "Email saved" : "Elektronski naslov je shranjen", + "Your %s account was created" : "Račun %s je uspešno ustvarjen.", + "Set your password" : "Nastavi vaše geslo", + "Couldn't remove app." : "Ni mogoče odstraniti programa.", + "Couldn't update app." : "Programa ni mogoče posodobiti.", + "Add trusted domain" : "Dodaj varno domeno", + "Migration in progress. Please wait until the migration is finished" : "V teku je selitev. Počakajte, da se zaključi.", + "Migration started …" : "Selitev je začeta ...", + "Email sent" : "Elektronska pošta je poslana", + "Official" : "Uradno", + "All" : "Vsi", + "Update to %s" : "Posodobi na %s", + "No apps found for your version" : "Za to različico ni na voljo noben vstavek", + "The app will be downloaded from the app store" : "Program bo prejet iz zbirke programov", + "Error while disabling app" : "Napaka onemogočanja programa", + "Disable" : "Onemogoči", + "Enable" : "Omogoči", + "Error while enabling app" : "Napaka omogočanja programa", + "Error while disabling broken app" : "Napaka onemogočanja okvarjenega programa", + "Updated" : "Posodobljeno", + "Approved" : "Odobreno", + "Experimental" : "Preizkusno", + "No apps found for {query}" : "Ni programov, skladnih z nizom \"{query}\".", + "Disconnect" : "Prekinjeni povezavo", + "Error while loading browser sessions and device tokens" : " Napaka med nalaganjem brskalnika in ključev naprave", + "Error while creating device token" : " Napaka med izdelavo ključa naprave", + "Error while deleting the token" : " Napaka med brisanjem ključa", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Prišlo je do napake. Uvoziti je treba ustrezno ASCII kodirano potrdilo PEM.", + "Valid until {date}" : "Veljavno do {date}", + "Delete" : "Izbriši", + "Select a profile picture" : "Izbor slike profila", + "Very weak password" : "Zelo šibko geslo", + "Weak password" : "Šibko geslo", + "So-so password" : "Slabo geslo", + "Good password" : "Dobro geslo", + "Strong password" : "Odlično geslo", + "Groups" : "Skupine", + "Unable to delete {objName}" : "Ni mogoče izbrisati {objName}", + "Error creating group: {message}" : "Napaka ustvarjanja skupine: {message}", + "A valid group name must be provided" : "Navedeno mora biti veljavno ime skupine", + "deleted {groupName}" : "izbrisano {groupName}", + "undo" : "razveljavi", + "never" : "nikoli", + "deleted {userName}" : "izbrisano {userName}", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Sprememba gesla bo povzročila izgubo podatkov, ker obnova podatkov za tega uporabnika ni na voljo.", + "A valid username must be provided" : "Navedeno mora biti veljavno uporabniško ime", + "Error creating user: {message}" : "Napaka ustvarjanja uporabnika: {message}", + "A valid password must be provided" : "Navedeno mora biti veljavno geslo", + "A valid email must be provided" : "Naveden mora biti veljaven naslov elektronske pošte.", + "Developer documentation" : "Dokumentacija za razvijalce", + "%s-licensed" : "dovoljenje-%s", + "Documentation:" : "Dokumentacija:", + "User documentation" : "Uporabniška dokumentacija", + "Admin documentation" : "Skrbniška dokumentacija", + "Visit website" : "Obiščite spletno stran", + "Report a bug" : "Pošlji poročilo o hrošču", + "Show description …" : "Pokaži opis ...", + "Hide description …" : "Skrij opis ...", + "This app has an update available." : "Za program so na voljo posodobitve.", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene minimalne NextCloud verzije. V prihodnosti bo to napaka.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene maksimalne NextCloud verzije. V prihodnosti bo to napaka.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Programa ni mogoče namestiti zaradi nerešenih odvisnosti:", + "Enable only for specific groups" : "Omogoči le za posamezne skupine", + "SSL Root Certificates" : "Korenska potrdila SSL", + "Common Name" : "Splošno ime", + "Valid until" : "Veljavno do", + "Issued By" : "Izdajatelj", + "Valid until %s" : "Veljavno do %s", + "Import root certificate" : "Uvozi korensko potrdilo", + "Administrator documentation" : "Skrbniška dokumentacija", + "Online documentation" : "Spletna dokumentacija", + "Forum" : "Forum", + "Commercial support" : "Podpora strankam", + "None" : "Brez", + "Login" : "Prijava", + "Plain" : "Besedilno", + "NT LAN Manager" : "Upravljalnik NT LAN", + "Email server" : "Poštni strežnik", + "Open documentation" : "Odprta dokumentacija", + "Send mode" : "Način pošiljanja", + "Encryption" : "Šifriranje", + "From address" : "Naslov pošiljatelja", + "mail" : "pošta", + "Authentication method" : "Način overitve", + "Authentication required" : "Zahtevana je overitev", + "Server address" : "Naslov strežnika", + "Port" : "Vrata", + "Credentials" : "Poverila", + "SMTP Username" : "Uporabniško ime SMTP", + "SMTP Password" : "Geslo SMTP", + "Store credentials" : "Shrani poverila", + "Test email settings" : "Preizkus nastavitev elektronske pošte", + "Send email" : "Pošlji elektronsko sporočilo", + "Server-side encryption" : "Šifriranje na strežniku", + "Enable server-side encryption" : "Omogoči šifriranje na strežniku", + "Please read carefully before activating server-side encryption: " : "Pozorno preberite opombe, preden omogočite strežniško šifriranje:", + "Be aware that encryption always increases the file size." : " Upoštevajte, da šifriranje vedno poveča velikost datoteke.", + "This is the final warning: Do you really want to enable encryption?" : " To je zadnje opozorilo. Ali resnično želite vključiti šifriranje?", + "Enable encryption" : "Omogoči šifriranje", + "No encryption module loaded, please enable an encryption module in the app menu." : "Modul za šifriranje ni naložen. Prosim, omogočite en šifrirni modul v spisku aplikacij.", + "Select default encryption module:" : "Izbor privzetega modula za šifriranje:", + "Start migration" : "Začni selitev", + "Security & setup warnings" : "Varnost in namestitvena opozorila", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Napako je najverjetneje povzročil predpomnilnik ali pospeševalnik, kot sta Zend OPcache ali eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Sistemskih jezikovnih nastavitev ni mogoče nastaviti na možnost, ki podpira nabor UTF-8.", + "All checks passed." : "Vsa preverjanja so uspešno zaključena.", + "Execute one task with each page loaded" : "Izvedi eno nalogo z vsako naloženo stranjo.", + "Version" : "Različica", + "Sharing" : "Souporaba", + "Allow apps to use the Share API" : "Dovoli programom uporabo vmesnika API souporabe", + "Allow users to share via link" : "Uporabnikom dovoli omogočanje souporabe s povezavami", + "Allow public uploads" : "Dovoli javno pošiljanje datotek v oblak", + "Enforce password protection" : "Vsili zaščito z geslom", + "Set default expiration date" : "Nastavitev privzetega datuma poteka", + "Expire after " : "Preteče po", + "days" : "dneh", + "Enforce expiration date" : "Vsili datum preteka", + "Allow resharing" : "Dovoli nadaljnjo souporabo", + "Allow sharing with groups" : "Dovoli souporabo s skupinami", + "Restrict users to only share with users in their groups" : "Uporabnikom dovoli omogočanje souporabe le znotraj njihove skupine", + "Exclude groups from sharing" : "Izloči skupine iz souporabe", + "These groups will still be able to receive shares, but not to initiate them." : "Te skupine lahko sprejemajo mape v souporabo, ne morejo pa souporabe dovoliti", + "Tips & tricks" : "Nasveti in triki", + "How to do backups" : "Kako ustvariti varnostne kopije", + "Performance tuning" : "Prilagajanje delovanja", + "Improving the config.php" : "Izboljšave v config.php", + "Theming" : "Teme", + "Hardening and security guidance" : "Varnost in varnostni napotki", + "You are using %s of %s" : "Uporabljate %s od %s", + "Profile picture" : "Slika profila", + "Upload new" : "Pošlji novo", + "Select from Files" : "Izbor iz datotek", + "Remove image" : "Odstrani sliko", + "png or jpg, max. 20 MB" : "png ali jpg, največ. 20 MB", + "Picture provided by original account" : "Slika iz originalnega računa", + "Cancel" : "Prekliči", + "Choose as profile picture" : "Izberi kot sliko profila", + "Full name" : "Polno ime", + "No display name set" : "Prikazno ime ni nastavljeno", + "Email" : "Elektronski naslov", + "Your email address" : "Osebni elektronski naslov", + "No email address set" : "Poštni naslov ni nastavljen", + "You are member of the following groups:" : "Ste član naslednjih skupin:", + "Language" : "Jezik", + "Help translate" : "Sodelujte pri prevajanju", + "Password" : "Geslo", + "Current password" : "Trenutno geslo", + "New password" : "Novo geslo", + "Change password" : "Spremeni geslo", + "App name" : "Ime aplikacije", + "Create new app password" : "Ustvari novo geslo aplikacije", + "Username" : "Uporabniško ime", + "Done" : "Končano", + "Show storage location" : "Pokaži mesto shrambe", + "Show user backend" : "Pokaži ozadnji program", + "Show email address" : "Pokaži naslov elektronske pošte", + "Send email to new user" : "Pošlji sporočilo novemu uporabniku", + "E-Mail" : "Elektronska pošta", + "Create" : "Ustvari", + "Admin Recovery Password" : "Obnovitev skrbniškega gesla", + "Enter the recovery password in order to recover the users files during password change" : "Vnesite geslo, ki omogoča obnovitev uporabniških datotek med spreminjanjem gesla", + "Everyone" : "Vsi", + "Admins" : "Skrbniki", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Vnesite količinsko omejitev prostora (na primer: \"512 MB\" ali \"12 GB\")", + "Unlimited" : "Neomejeno", + "Other" : "Drugo", + "Quota" : "Količinska omejitev", + "change full name" : "Spremeni polno ime", + "set new password" : "nastavi novo geslo", + "change email address" : "spremeni naslov elektronske pošte", + "Default" : "Privzeto" +}, +"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/settings/l10n/sl.json b/settings/l10n/sl.json new file mode 100644 index 0000000000000..a69a09bd208ad --- /dev/null +++ b/settings/l10n/sl.json @@ -0,0 +1,200 @@ +{ "translations": { + "{actor} changed your password" : "{actor} vaše geslo je spremenjeno", + "You changed your password" : "Spremenili ste vaše geslo", + "Wrong password" : "Napačno geslo", + "Saved" : "Shranjeno", + "No user supplied" : "Ni navedenega uporabnika", + "Unable to change password" : "Ni mogoče spremeniti gesla", + "Authentication error" : "Napaka med overjanjem", + "Wrong admin recovery password. Please check the password and try again." : "Napačno navedeno skrbniško obnovitveno geslo. Preverite geslo in poskusite znova.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "nameščanje in posodabljanje programov prek programske zbirke ali zveznega oblaka", + "Federated Cloud Sharing" : "Souporaba zveznega oblaka", + "A problem occurred, please check your log files (Error: %s)" : "Prišlo je do napake. Preverite dnevniške zapise (napaka: %s).", + "Migration Completed" : "Selitev je končana", + "Group already exists." : "Skupina že obstaja.", + "Unable to add group." : "Ni mogoče dodati skupine", + "Unable to delete group." : "Ni mogoče izbrisati skupine.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Med pošiljanjem sporočila se je prišlo do napake. Preverite nastavitve (napaka: %s).", + "You need to set your user email before being able to send test emails." : "Pred preizkusnim pošiljanjem sporočil je treba nastaviti elektronski naslov uporabnika.", + "Invalid mail address" : "Neveljaven elektronski naslov", + "A user with that name already exists." : "Uporabnik s tem imenom že obstaja.", + "Unable to create user." : "Ni mogoče ustvariti uporabnika.", + "Unable to delete user." : "Ni mogoče izbrisati uporabnika", + "Unable to change full name" : "Ni mogoče spremeniti polnega imena", + "Your full name has been changed." : "Vaše polno ime je spremenjeno.", + "Forbidden" : "Dostop je prepovedan", + "Invalid user" : "Neveljavni podatki uporabnika", + "Unable to change mail address" : "Ni mogoče spremeniti naslova elektronske pošte.", + "Email saved" : "Elektronski naslov je shranjen", + "Your %s account was created" : "Račun %s je uspešno ustvarjen.", + "Set your password" : "Nastavi vaše geslo", + "Couldn't remove app." : "Ni mogoče odstraniti programa.", + "Couldn't update app." : "Programa ni mogoče posodobiti.", + "Add trusted domain" : "Dodaj varno domeno", + "Migration in progress. Please wait until the migration is finished" : "V teku je selitev. Počakajte, da se zaključi.", + "Migration started …" : "Selitev je začeta ...", + "Email sent" : "Elektronska pošta je poslana", + "Official" : "Uradno", + "All" : "Vsi", + "Update to %s" : "Posodobi na %s", + "No apps found for your version" : "Za to različico ni na voljo noben vstavek", + "The app will be downloaded from the app store" : "Program bo prejet iz zbirke programov", + "Error while disabling app" : "Napaka onemogočanja programa", + "Disable" : "Onemogoči", + "Enable" : "Omogoči", + "Error while enabling app" : "Napaka omogočanja programa", + "Error while disabling broken app" : "Napaka onemogočanja okvarjenega programa", + "Updated" : "Posodobljeno", + "Approved" : "Odobreno", + "Experimental" : "Preizkusno", + "No apps found for {query}" : "Ni programov, skladnih z nizom \"{query}\".", + "Disconnect" : "Prekinjeni povezavo", + "Error while loading browser sessions and device tokens" : " Napaka med nalaganjem brskalnika in ključev naprave", + "Error while creating device token" : " Napaka med izdelavo ključa naprave", + "Error while deleting the token" : " Napaka med brisanjem ključa", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Prišlo je do napake. Uvoziti je treba ustrezno ASCII kodirano potrdilo PEM.", + "Valid until {date}" : "Veljavno do {date}", + "Delete" : "Izbriši", + "Select a profile picture" : "Izbor slike profila", + "Very weak password" : "Zelo šibko geslo", + "Weak password" : "Šibko geslo", + "So-so password" : "Slabo geslo", + "Good password" : "Dobro geslo", + "Strong password" : "Odlično geslo", + "Groups" : "Skupine", + "Unable to delete {objName}" : "Ni mogoče izbrisati {objName}", + "Error creating group: {message}" : "Napaka ustvarjanja skupine: {message}", + "A valid group name must be provided" : "Navedeno mora biti veljavno ime skupine", + "deleted {groupName}" : "izbrisano {groupName}", + "undo" : "razveljavi", + "never" : "nikoli", + "deleted {userName}" : "izbrisano {userName}", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Sprememba gesla bo povzročila izgubo podatkov, ker obnova podatkov za tega uporabnika ni na voljo.", + "A valid username must be provided" : "Navedeno mora biti veljavno uporabniško ime", + "Error creating user: {message}" : "Napaka ustvarjanja uporabnika: {message}", + "A valid password must be provided" : "Navedeno mora biti veljavno geslo", + "A valid email must be provided" : "Naveden mora biti veljaven naslov elektronske pošte.", + "Developer documentation" : "Dokumentacija za razvijalce", + "%s-licensed" : "dovoljenje-%s", + "Documentation:" : "Dokumentacija:", + "User documentation" : "Uporabniška dokumentacija", + "Admin documentation" : "Skrbniška dokumentacija", + "Visit website" : "Obiščite spletno stran", + "Report a bug" : "Pošlji poročilo o hrošču", + "Show description …" : "Pokaži opis ...", + "Hide description …" : "Skrij opis ...", + "This app has an update available." : "Za program so na voljo posodobitve.", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene minimalne NextCloud verzije. V prihodnosti bo to napaka.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Ta aplikacija nima določene maksimalne NextCloud verzije. V prihodnosti bo to napaka.", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Programa ni mogoče namestiti zaradi nerešenih odvisnosti:", + "Enable only for specific groups" : "Omogoči le za posamezne skupine", + "SSL Root Certificates" : "Korenska potrdila SSL", + "Common Name" : "Splošno ime", + "Valid until" : "Veljavno do", + "Issued By" : "Izdajatelj", + "Valid until %s" : "Veljavno do %s", + "Import root certificate" : "Uvozi korensko potrdilo", + "Administrator documentation" : "Skrbniška dokumentacija", + "Online documentation" : "Spletna dokumentacija", + "Forum" : "Forum", + "Commercial support" : "Podpora strankam", + "None" : "Brez", + "Login" : "Prijava", + "Plain" : "Besedilno", + "NT LAN Manager" : "Upravljalnik NT LAN", + "Email server" : "Poštni strežnik", + "Open documentation" : "Odprta dokumentacija", + "Send mode" : "Način pošiljanja", + "Encryption" : "Šifriranje", + "From address" : "Naslov pošiljatelja", + "mail" : "pošta", + "Authentication method" : "Način overitve", + "Authentication required" : "Zahtevana je overitev", + "Server address" : "Naslov strežnika", + "Port" : "Vrata", + "Credentials" : "Poverila", + "SMTP Username" : "Uporabniško ime SMTP", + "SMTP Password" : "Geslo SMTP", + "Store credentials" : "Shrani poverila", + "Test email settings" : "Preizkus nastavitev elektronske pošte", + "Send email" : "Pošlji elektronsko sporočilo", + "Server-side encryption" : "Šifriranje na strežniku", + "Enable server-side encryption" : "Omogoči šifriranje na strežniku", + "Please read carefully before activating server-side encryption: " : "Pozorno preberite opombe, preden omogočite strežniško šifriranje:", + "Be aware that encryption always increases the file size." : " Upoštevajte, da šifriranje vedno poveča velikost datoteke.", + "This is the final warning: Do you really want to enable encryption?" : " To je zadnje opozorilo. Ali resnično želite vključiti šifriranje?", + "Enable encryption" : "Omogoči šifriranje", + "No encryption module loaded, please enable an encryption module in the app menu." : "Modul za šifriranje ni naložen. Prosim, omogočite en šifrirni modul v spisku aplikacij.", + "Select default encryption module:" : "Izbor privzetega modula za šifriranje:", + "Start migration" : "Začni selitev", + "Security & setup warnings" : "Varnost in namestitvena opozorila", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Napako je najverjetneje povzročil predpomnilnik ali pospeševalnik, kot sta Zend OPcache ali eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Sistemskih jezikovnih nastavitev ni mogoče nastaviti na možnost, ki podpira nabor UTF-8.", + "All checks passed." : "Vsa preverjanja so uspešno zaključena.", + "Execute one task with each page loaded" : "Izvedi eno nalogo z vsako naloženo stranjo.", + "Version" : "Različica", + "Sharing" : "Souporaba", + "Allow apps to use the Share API" : "Dovoli programom uporabo vmesnika API souporabe", + "Allow users to share via link" : "Uporabnikom dovoli omogočanje souporabe s povezavami", + "Allow public uploads" : "Dovoli javno pošiljanje datotek v oblak", + "Enforce password protection" : "Vsili zaščito z geslom", + "Set default expiration date" : "Nastavitev privzetega datuma poteka", + "Expire after " : "Preteče po", + "days" : "dneh", + "Enforce expiration date" : "Vsili datum preteka", + "Allow resharing" : "Dovoli nadaljnjo souporabo", + "Allow sharing with groups" : "Dovoli souporabo s skupinami", + "Restrict users to only share with users in their groups" : "Uporabnikom dovoli omogočanje souporabe le znotraj njihove skupine", + "Exclude groups from sharing" : "Izloči skupine iz souporabe", + "These groups will still be able to receive shares, but not to initiate them." : "Te skupine lahko sprejemajo mape v souporabo, ne morejo pa souporabe dovoliti", + "Tips & tricks" : "Nasveti in triki", + "How to do backups" : "Kako ustvariti varnostne kopije", + "Performance tuning" : "Prilagajanje delovanja", + "Improving the config.php" : "Izboljšave v config.php", + "Theming" : "Teme", + "Hardening and security guidance" : "Varnost in varnostni napotki", + "You are using %s of %s" : "Uporabljate %s od %s", + "Profile picture" : "Slika profila", + "Upload new" : "Pošlji novo", + "Select from Files" : "Izbor iz datotek", + "Remove image" : "Odstrani sliko", + "png or jpg, max. 20 MB" : "png ali jpg, največ. 20 MB", + "Picture provided by original account" : "Slika iz originalnega računa", + "Cancel" : "Prekliči", + "Choose as profile picture" : "Izberi kot sliko profila", + "Full name" : "Polno ime", + "No display name set" : "Prikazno ime ni nastavljeno", + "Email" : "Elektronski naslov", + "Your email address" : "Osebni elektronski naslov", + "No email address set" : "Poštni naslov ni nastavljen", + "You are member of the following groups:" : "Ste član naslednjih skupin:", + "Language" : "Jezik", + "Help translate" : "Sodelujte pri prevajanju", + "Password" : "Geslo", + "Current password" : "Trenutno geslo", + "New password" : "Novo geslo", + "Change password" : "Spremeni geslo", + "App name" : "Ime aplikacije", + "Create new app password" : "Ustvari novo geslo aplikacije", + "Username" : "Uporabniško ime", + "Done" : "Končano", + "Show storage location" : "Pokaži mesto shrambe", + "Show user backend" : "Pokaži ozadnji program", + "Show email address" : "Pokaži naslov elektronske pošte", + "Send email to new user" : "Pošlji sporočilo novemu uporabniku", + "E-Mail" : "Elektronska pošta", + "Create" : "Ustvari", + "Admin Recovery Password" : "Obnovitev skrbniškega gesla", + "Enter the recovery password in order to recover the users files during password change" : "Vnesite geslo, ki omogoča obnovitev uporabniških datotek med spreminjanjem gesla", + "Everyone" : "Vsi", + "Admins" : "Skrbniki", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Vnesite količinsko omejitev prostora (na primer: \"512 MB\" ali \"12 GB\")", + "Unlimited" : "Neomejeno", + "Other" : "Drugo", + "Quota" : "Količinska omejitev", + "change full name" : "Spremeni polno ime", + "set new password" : "nastavi novo geslo", + "change email address" : "spremeni naslov elektronske pošte", + "Default" : "Privzeto" +},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" +} \ No newline at end of file diff --git a/settings/l10n/ta_LK.js b/settings/l10n/ta_LK.js new file mode 100644 index 0000000000000..7fb74ec404031 --- /dev/null +++ b/settings/l10n/ta_LK.js @@ -0,0 +1,33 @@ +OC.L10N.register( + "settings", + { + "Authentication error" : "அத்தாட்சிப்படுத்தலில் வழு", + "Email saved" : "மின்னஞ்சல் சேமிக்கப்பட்டது", + "All" : "எல்லாம்", + "Disable" : "இயலுமைப்ப", + "Enable" : "இயலுமைப்படுத்துக", + "Delete" : "நீக்குக", + "Groups" : "குழுக்கள்", + "undo" : "முன் செயல் நீக்கம் ", + "never" : "ஒருபோதும்", + "None" : "ஒன்றுமில்லை", + "Login" : "புகுபதிகை", + "Encryption" : "மறைக்குறியீடு", + "Server address" : "சேவையக முகவரி", + "Port" : "துறை ", + "Credentials" : "சான்று ஆவணங்கள்", + "Cancel" : "இரத்து செய்க", + "Email" : "மின்னஞ்சல்", + "Your email address" : "உங்களுடைய மின்னஞ்சல் முகவரி", + "Language" : "மொழி", + "Help translate" : "மொழிபெயர்க்க உதவி", + "Password" : "கடவுச்சொல்", + "Current password" : "தற்போதைய கடவுச்சொல்", + "New password" : "புதிய கடவுச்சொல்", + "Change password" : "கடவுச்சொல்லை மாற்றுக", + "Username" : "பயனாளர் பெயர்", + "Create" : "உருவாக்குக", + "Other" : "மற்றவை", + "Quota" : "பங்கு" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ta_LK.json b/settings/l10n/ta_LK.json new file mode 100644 index 0000000000000..242c42005e3b6 --- /dev/null +++ b/settings/l10n/ta_LK.json @@ -0,0 +1,31 @@ +{ "translations": { + "Authentication error" : "அத்தாட்சிப்படுத்தலில் வழு", + "Email saved" : "மின்னஞ்சல் சேமிக்கப்பட்டது", + "All" : "எல்லாம்", + "Disable" : "இயலுமைப்ப", + "Enable" : "இயலுமைப்படுத்துக", + "Delete" : "நீக்குக", + "Groups" : "குழுக்கள்", + "undo" : "முன் செயல் நீக்கம் ", + "never" : "ஒருபோதும்", + "None" : "ஒன்றுமில்லை", + "Login" : "புகுபதிகை", + "Encryption" : "மறைக்குறியீடு", + "Server address" : "சேவையக முகவரி", + "Port" : "துறை ", + "Credentials" : "சான்று ஆவணங்கள்", + "Cancel" : "இரத்து செய்க", + "Email" : "மின்னஞ்சல்", + "Your email address" : "உங்களுடைய மின்னஞ்சல் முகவரி", + "Language" : "மொழி", + "Help translate" : "மொழிபெயர்க்க உதவி", + "Password" : "கடவுச்சொல்", + "Current password" : "தற்போதைய கடவுச்சொல்", + "New password" : "புதிய கடவுச்சொல்", + "Change password" : "கடவுச்சொல்லை மாற்றுக", + "Username" : "பயனாளர் பெயர்", + "Create" : "உருவாக்குக", + "Other" : "மற்றவை", + "Quota" : "பங்கு" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/th.js b/settings/l10n/th.js new file mode 100644 index 0000000000000..33a47b3336c4c --- /dev/null +++ b/settings/l10n/th.js @@ -0,0 +1,197 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "รหัสผ่านไม่ถูกต้อง", + "Saved" : "บันทึกแล้ว", + "No user supplied" : "ไม่มีผู้ใช้", + "Unable to change password" : "ไม่สามารถเปลี่ยนรหัสผ่าน", + "Authentication error" : "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", + "Wrong admin recovery password. Please check the password and try again." : "กู้คืนรหัสผ่านของผู้ดูแลระบบไม่ถูกต้อง กรุณาตรวจสอบรหัสผ่านและลองอีกครั้ง.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "กำลังติดตั้งและอัพเดทแอพพลิเคชันผ่าแอพสโตร์หรือคลาวด์ในเครือ", + "Federated Cloud Sharing" : "แชร์กับสหพันธ์คลาวด์", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "คุณกำลังใช้ cURL %s รุ่นเก่ากว่า (%s)โปรดอัพเดทระบบปฏิบัติการหรือคุณสมบัติเป็น %s เพื่อการทำงานที่มีประสิทธิภาพ", + "A problem occurred, please check your log files (Error: %s)" : "มีปัญหาเกิดขึ้นโปรดตรวจสอบไฟล์บันทึกของคุณ (ข้อผิดพลาด: %s)", + "Migration Completed" : "การโยกย้ายเสร็จสมบูรณ์", + "Group already exists." : "มีกลุ่มนี้อยู่แล้ว", + "Unable to add group." : "ไม่สามารถเพิ่มกลุ่ม", + "Unable to delete group." : "ไม่สามารถลบกลุ่ม", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "เกิดปัญหาขึ้นในขณะที่ส่งอีเมล กรุณาแก้ไขการตั้งค่าของคุณ (ข้อผิดพลาด: %s)", + "You need to set your user email before being able to send test emails." : "คุณจำเป็นต้องตั้งค่าอีเมลผู้ใช้ของคุณก่อนที่จะสามารถส่งอีเมลทดสอบ", + "Invalid mail address" : "ที่อยู่อีเมลไม่ถูกต้อง", + "A user with that name already exists." : "มีชื้อผู้ใช้นี้อยู่แล้ว", + "Unable to create user." : "ไม่สามารถสร้างผู้ใช้", + "Unable to delete user." : "ไม่สามารถลบผู้ใช้", + "Unable to change full name" : "ไม่สามารถเปลี่ยนชื่อเต็ม", + "Your full name has been changed." : "ชื่อเต็มของคุณถูกเปลี่ยนแปลง", + "Forbidden" : "เขตหวงห้าม", + "Invalid user" : "ผู้ใช้ไม่ถูกต้อง", + "Unable to change mail address" : "ไม่สามารถที่จะเปลี่ยนที่อยู่อีเมล", + "Email saved" : "อีเมลถูกบันทึกแล้ว", + "Your %s account was created" : "บัญชี %s ของคุณถูกสร้างขึ้น", + "Couldn't remove app." : "ไม่สามารถลบแอพฯ", + "Couldn't update app." : "ไม่สามารถอัพเดทแอปฯ", + "Add trusted domain" : "เพิ่มโดเมนที่เชื่อถือได้", + "Migration in progress. Please wait until the migration is finished" : "ในระหว่างดำเนินการโยกย้าย กรุณารอสักครู่จนกว่าการโยกย้ายจะเสร็จสิ้น", + "Migration started …" : "เริ่มต้นการโยกย้าย …", + "Email sent" : "ส่งอีเมลแล้ว", + "Official" : "เป็นทางการ", + "All" : "ทั้งหมด", + "Update to %s" : "อัพเดทไปยัง %s", + "No apps found for your version" : "ไม่พบแอพพลิเคชันสำหรับรุ่นของคุณ", + "The app will be downloaded from the app store" : "แอพฯจะดาวน์โหลดได้จากแอพสโตร์", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "แอพพลิเคชันได้รับการอนุมัติและพัฒนาโดยนักพัฒนาที่น่าเชื่อถือและได้ผ่านการตรวจสอบความปลอดภัยคร่าวๆ พวกเขาจะได้รับการบำรุงรักษาอย่างดีในการเก็บข้อมูลรหัสเปิด มันอาจยังไม่เสถียรพอสำหรับการเปิดใช้งานปกติ", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "แอพฯ นี้ไม่ได้ตรวจสอบปัญหาด้านความปลอดภัยและเป็นแอพฯใหม่หรือที่รู้จักกันคือจะไม่เสถียร ติดตั้งบนความเสี่ยงของคุณเอง", + "Error while disabling app" : "เกิดข้อผิดพลาดขณะปิดการใช้งานแอพพลิเคชัน", + "Disable" : "ปิดใช้งาน", + "Enable" : "เปิดใช้งาน", + "Error while enabling app" : "เกิดข้อผิดพลาดขณะกำลังตรวจสอบแอพฯ", + "Error while disabling broken app" : "ข้อผิดพลาดขณะกำลังปิดการใช้งานแอพฯที่มีปัญหา", + "Updated" : "อัพเดทแล้ว", + "Approved" : "ได้รับการอนุมัติ", + "Experimental" : "การทดลอง", + "No apps found for {query}" : "ไม่พบแอพฯสำหรับ {query}", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "เกิดข้อผิดพลาด กรุณาอัพโหลดใบรับรองเข้ารหัส ASCII PEM", + "Valid until {date}" : "ใช้ได้จนถึงวันที่ {date}", + "Delete" : "ลบ", + "Select a profile picture" : "เลือกรูปภาพโปรไฟล์", + "Very weak password" : "รหัสผ่านระดับต่ำมาก", + "Weak password" : "รหัสผ่านระดับต่ำ", + "So-so password" : "รหัสผ่านระดับปกติ", + "Good password" : "รหัสผ่านระดับดี", + "Strong password" : "รหัสผ่านระดับดีมาก", + "Groups" : "กลุ่ม", + "Unable to delete {objName}" : "ไม่สามารถลบ {objName}", + "Error creating group: {message}" : "ข้อผิดพลาดการสร้างกลุ่ม: {message}", + "A valid group name must be provided" : "จะต้องระบุชื่อกลุ่มที่ถูกต้อง", + "deleted {groupName}" : "ลบกลุ่ม {groupName} เรียบร้อยแล้ว", + "undo" : "เลิกทำ", + "never" : "ไม่ต้องเลย", + "deleted {userName}" : "ลบผู้ใช้ {userName} เรียบร้อยแล้ว", + "Changing the password will result in data loss, because data recovery is not available for this user" : "การเปลี่ยนรหัสผ่านจะส่งผลให้เกิดการสูญเสียข้อมูลเพราะการกู้คืนข้อมูลจะไม่สามารถใช้ได้สำหรับผู้ใช้นี้", + "A valid username must be provided" : "จะต้องระบุชื่อผู้ใช้ที่ถูกต้อง", + "Error creating user: {message}" : "ข้อผิดพลาดในการสร้างผู้ใช้: {message}", + "A valid password must be provided" : "จะต้องระบุรหัสผ่านที่ถูกต้อง", + "A valid email must be provided" : "จะต้องระบุอีเมลที่ถูกต้อง", + "Developer documentation" : "เอกสารสำหรับนักพัฒนา", + "by %s" : "โดย %s", + "%s-licensed" : "%s ได้รับใบอนุญาต", + "Documentation:" : "เอกสาร:", + "User documentation" : "เอกสารสำหรับผู้ใช้", + "Admin documentation" : "เอกสารผู้ดูแลระบบ", + "Show description …" : "แสดงรายละเอียด ...", + "Hide description …" : "ซ่อนรายละเอียด ...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "ไม่สามารถติดตั้งแอพฯนี้เพราะไม่มีตัวอ้างอิงต่อไปนี้:", + "Enable only for specific groups" : "เปิดใช้งานเพียงเฉพาะกลุ่ม", + "SSL Root Certificates" : "ใบรับรอง SSL", + "Common Name" : "ชื่อทั่วไป", + "Valid until" : "ใช้ได้จนถึง", + "Issued By" : "ปัญหาโดย", + "Valid until %s" : "ใช้ได้จนถึง %s", + "Import root certificate" : "นำเข้าใบรับรองหลัก", + "Administrator documentation" : "เอกสารของผู้ดูแลระบบ", + "Online documentation" : "เอกสารออนไลน์", + "Forum" : "ฟอรั่ม", + "Commercial support" : "สนับสนุนเชิงพาณิชย์", + "None" : "ไม่มี", + "Login" : "เข้าสู่ระบบ", + "Plain" : "ธรรมดา", + "NT LAN Manager" : "ตัวจัดการ NT LAN", + "Email server" : "อีเมลเซิร์ฟเวอร์", + "Open documentation" : "เปิดเอกสาร", + "Send mode" : "โหมดการส่ง", + "Encryption" : "การเข้ารหัส", + "From address" : "จากที่อยู่", + "mail" : "อีเมล", + "Authentication method" : "วิธีการตรวจสอบ", + "Authentication required" : "จำเป็นต้องตรวจสอบความถูกต้อง", + "Server address" : "ที่อยู่เซิร์ฟเวอร์", + "Port" : "พอร์ต", + "Credentials" : "ข้อมูลส่วนตัวสำหรับเข้าระบบ", + "SMTP Username" : "ชื่อผู้ใช้ SMTP", + "SMTP Password" : "รหัสผ่าน SMTP", + "Store credentials" : "ข้อมูลประจำตัวของร้านค้า", + "Test email settings" : "ทดสอบการตั้งค่าอีเมล", + "Send email" : "ส่งอีเมล", + "Server-side encryption" : "เข้ารหัสฝั่งเซิร์ฟเวอร์", + "Enable server-side encryption" : "เปิดการใช้งานเข้ารหัสฝั่งเซิร์ฟเวอร์", + "Please read carefully before activating server-side encryption: " : "กรุณาอ่านอย่างละเอียดก่อนที่จะเปิดใช้งานการเข้ารหัสฝั่งเซิร์ฟเวอร์:", + "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "เมื่อเปิดใช้งานการเข้ารหัส ไฟล์ทั้งหมดที่อัพโหลดไปยังเซิร์ฟเวอร์นั้นจะถูกเข้ารหัสในส่วนของเซิฟเวอร์ มันเป็นไปได้ที่จะปิดใช้งานการเข้ารหัสในภายหลัง ถ้าเปิดใช้ฟังก์ชั่นการสนับสนุนโมดูลการเข้ารหัสที่และเงื่อนไขก่อน (เช่น การตั้งค่าคีย์กู้คืน)", + "Be aware that encryption always increases the file size." : "โปรดทราบว่าหากเข้ารหัสไฟล์จะทำให้ขนาดของไฟล์ใหญ่ขึ้น", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "มันจะดีถ้าคุณสำรองข้อมูลบ่อยๆ ในกรณีของการเข้ารหัสโปรดแน่ใจว่าจะสำรองคีย์การเข้ารหัสลับพร้อมกับข้อมูลของคุณ", + "This is the final warning: Do you really want to enable encryption?" : "นี่คือการเตือนครั้งสุดท้าย: คุณต้องการที่จะเปิดใช้การเข้ารหัส?", + "Enable encryption" : "เปิดใช้งานการเข้ารหัส", + "No encryption module loaded, please enable an encryption module in the app menu." : "ไม่มีโมดูลการเข้ารหัสโหลดโปรดเปิดใช้งานโมดูลการเข้ารหัสในเมนูแอพฯ", + "Select default encryption module:" : "เลือกค่าเริ่มต้นโมดูลการเข้ารหัส:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่ กรุณาเปิดใช้งาน \"โมดูลการเข้ารหัสเริ่มต้น\" และเรียกใช้ 'occ encryption:migrate'", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่", + "Start migration" : "เริ่มการโยกย้าย", + "Security & setup warnings" : "คำเตือนความปลอดภัยและการติดตั้ง", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "ตั้งค่าให้สามารถอ่านได้อย่างเดียวถูกเปิดใช้งาน นี้จะช่วยป้องกันการตั้งค่าผ่านทางบางเว็บอินเตอร์เฟซ นอกจากนี้จะต้องเขียนไฟล์ด้วยตนเองสำหรับทุกการอัพเดท", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "นี้อาจเกิดจาก cache/accelerator อย่างเช่น Zend OPcache หรือ eAccelerator", + "System locale can not be set to a one which supports UTF-8." : "ตำแหน่งที่ตั้งของระบบไม่สามารถตั้งค่าให้รองรับ UTF-8", + "All checks passed." : "ผ่านการตรวจสอบทั้งหมด", + "Execute one task with each page loaded" : "ประมวลผลหนึ่งงาน ในแต่ละครั้งที่มีการโหลดหน้าเว็บ", + "Version" : "รุ่น", + "Sharing" : "แชร์ข้อมูล", + "Allow apps to use the Share API" : "อนุญาตให้แอปฯสามารถใช้ API สำหรับแชร์ข้อมูลได้", + "Allow users to share via link" : "อนุญาตให้ผู้ใช้สามารถแชร์ผ่านทางลิงค์", + "Allow public uploads" : "อนุญาตให้อัพโหลดสาธารณะ", + "Enforce password protection" : "บังคับใช้การป้องกันรหัสผ่าน", + "Set default expiration date" : "ตั้งค่าเริ่มต้นวันหมดอายุ", + "Expire after " : "หลังจากหมดอายุ", + "days" : "วัน", + "Enforce expiration date" : "บังคับให้มีวันที่หมดอายุ", + "Allow resharing" : "อนุญาตให้แชร์ข้อมูลซ้ำอีกครั้งได้", + "Allow sharing with groups" : "อนุญาตให้แชร์กับกลุ่ม", + "Restrict users to only share with users in their groups" : "จำกัดให้ผู้ใช้สามารถแชร์กับผู้ใช้ในกลุ่มของพวกเขาเท่านั้น", + "Exclude groups from sharing" : "ไม่รวมกลุ่มที่กำลังแชร์", + "These groups will still be able to receive shares, but not to initiate them." : "กลุ่มนี้จะยังคงสามารถได้รับการแชร์ แต่พวกเขาจะไม่รู้จักมัน", + "Tips & tricks" : "เคล็ดลับและเทคนิค", + "How to do backups" : "วิธีการสำรองข้อมูล", + "Performance tuning" : "การปรับแต่งประสิทธิภาพ", + "Improving the config.php" : "ปรับปรุงไฟล์ config.php", + "Theming" : "ชุดรูปแบบ", + "Hardening and security guidance" : "คำแนะนำการรักษาความปลอดภัย", + "You are using %s of %s" : "คุณกำลังใช้พื้นที่ %s จากทั้งหมด %s", + "Profile picture" : "รูปภาพโปรไฟล์", + "Upload new" : "อัพโหลดใหม่", + "Select from Files" : "เลือกจากไฟล์", + "Remove image" : "ลบรูปภาพ", + "png or jpg, max. 20 MB" : "จะต้องเป็นไฟล์ png หรือ jpg, สูงสุดไม่เกิน 20 เมกะไบต์", + "Picture provided by original account" : "ใช้รูปภาพจากบัญชีเดิม", + "Cancel" : "ยกเลิก", + "Choose as profile picture" : "เลือกรูปภาพโปรไฟล์", + "Full name" : "ชื่อเต็ม", + "No display name set" : "ไม่มีชื่อที่แสดง", + "Email" : "อีเมล", + "Your email address" : "ที่อยู่อีเมล์ของคุณ", + "No email address set" : "ไม่ได้ตั้งค่าที่อยู่อีเมล", + "You are member of the following groups:" : "คุณเป็นสมาชิกของกลุ่มต่อไปนี้:", + "Language" : "ภาษา", + "Help translate" : "มาช่วยกันแปลสิ!", + "Password" : "รหัสผ่าน", + "Current password" : "รหัสผ่านปัจจุบัน", + "New password" : "รหัสผ่านใหม่", + "Change password" : "เปลี่ยนรหัสผ่าน", + "Username" : "ชื่อผู้ใช้งาน", + "Done" : "เสร็จสิ้น", + "Show storage location" : "แสดงสถานที่จัดเก็บข้อมูล", + "Show user backend" : "แสดงแบ็กเอนด์ของผู้ใช้", + "Show email address" : "แสดงที่อยู่อีเมล", + "Send email to new user" : "ส่งอีเมลไปยังผู้ใช้ใหม่", + "E-Mail" : "อีเมล", + "Create" : "สร้าง", + "Admin Recovery Password" : "กู้คืนรหัสผ่านดูแลระบบ", + "Enter the recovery password in order to recover the users files during password change" : "ป้อนรหัสผ่านการกู้คืนเพื่อกู้คืนไฟล์ผู้ใช้ในช่วงการเปลี่ยนรหัสผ่าน", + "Everyone" : "ทุกคน", + "Admins" : "ผู้ดูแลระบบ", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "กรุณากรอกโควต้าการจัดเก็บข้อมูล (ต.ย. : \"512 MB\" หรือ \"12 GB\")", + "Unlimited" : "ไม่จำกัด", + "Other" : "อื่นๆ", + "Quota" : "โควต้า", + "change full name" : "เปลี่ยนชื่อเต็ม", + "set new password" : "ตั้งค่ารหัสผ่านใหม่", + "change email address" : "เปลี่ยนแปลงที่อยู่อีเมล", + "Default" : "ค่าเริ่มต้น" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/th.json b/settings/l10n/th.json new file mode 100644 index 0000000000000..89f3966b1adb4 --- /dev/null +++ b/settings/l10n/th.json @@ -0,0 +1,195 @@ +{ "translations": { + "Wrong password" : "รหัสผ่านไม่ถูกต้อง", + "Saved" : "บันทึกแล้ว", + "No user supplied" : "ไม่มีผู้ใช้", + "Unable to change password" : "ไม่สามารถเปลี่ยนรหัสผ่าน", + "Authentication error" : "เกิดข้อผิดพลาดในสิทธิ์การเข้าใช้งาน", + "Wrong admin recovery password. Please check the password and try again." : "กู้คืนรหัสผ่านของผู้ดูแลระบบไม่ถูกต้อง กรุณาตรวจสอบรหัสผ่านและลองอีกครั้ง.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "กำลังติดตั้งและอัพเดทแอพพลิเคชันผ่าแอพสโตร์หรือคลาวด์ในเครือ", + "Federated Cloud Sharing" : "แชร์กับสหพันธ์คลาวด์", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "คุณกำลังใช้ cURL %s รุ่นเก่ากว่า (%s)โปรดอัพเดทระบบปฏิบัติการหรือคุณสมบัติเป็น %s เพื่อการทำงานที่มีประสิทธิภาพ", + "A problem occurred, please check your log files (Error: %s)" : "มีปัญหาเกิดขึ้นโปรดตรวจสอบไฟล์บันทึกของคุณ (ข้อผิดพลาด: %s)", + "Migration Completed" : "การโยกย้ายเสร็จสมบูรณ์", + "Group already exists." : "มีกลุ่มนี้อยู่แล้ว", + "Unable to add group." : "ไม่สามารถเพิ่มกลุ่ม", + "Unable to delete group." : "ไม่สามารถลบกลุ่ม", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "เกิดปัญหาขึ้นในขณะที่ส่งอีเมล กรุณาแก้ไขการตั้งค่าของคุณ (ข้อผิดพลาด: %s)", + "You need to set your user email before being able to send test emails." : "คุณจำเป็นต้องตั้งค่าอีเมลผู้ใช้ของคุณก่อนที่จะสามารถส่งอีเมลทดสอบ", + "Invalid mail address" : "ที่อยู่อีเมลไม่ถูกต้อง", + "A user with that name already exists." : "มีชื้อผู้ใช้นี้อยู่แล้ว", + "Unable to create user." : "ไม่สามารถสร้างผู้ใช้", + "Unable to delete user." : "ไม่สามารถลบผู้ใช้", + "Unable to change full name" : "ไม่สามารถเปลี่ยนชื่อเต็ม", + "Your full name has been changed." : "ชื่อเต็มของคุณถูกเปลี่ยนแปลง", + "Forbidden" : "เขตหวงห้าม", + "Invalid user" : "ผู้ใช้ไม่ถูกต้อง", + "Unable to change mail address" : "ไม่สามารถที่จะเปลี่ยนที่อยู่อีเมล", + "Email saved" : "อีเมลถูกบันทึกแล้ว", + "Your %s account was created" : "บัญชี %s ของคุณถูกสร้างขึ้น", + "Couldn't remove app." : "ไม่สามารถลบแอพฯ", + "Couldn't update app." : "ไม่สามารถอัพเดทแอปฯ", + "Add trusted domain" : "เพิ่มโดเมนที่เชื่อถือได้", + "Migration in progress. Please wait until the migration is finished" : "ในระหว่างดำเนินการโยกย้าย กรุณารอสักครู่จนกว่าการโยกย้ายจะเสร็จสิ้น", + "Migration started …" : "เริ่มต้นการโยกย้าย …", + "Email sent" : "ส่งอีเมลแล้ว", + "Official" : "เป็นทางการ", + "All" : "ทั้งหมด", + "Update to %s" : "อัพเดทไปยัง %s", + "No apps found for your version" : "ไม่พบแอพพลิเคชันสำหรับรุ่นของคุณ", + "The app will be downloaded from the app store" : "แอพฯจะดาวน์โหลดได้จากแอพสโตร์", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "แอพพลิเคชันได้รับการอนุมัติและพัฒนาโดยนักพัฒนาที่น่าเชื่อถือและได้ผ่านการตรวจสอบความปลอดภัยคร่าวๆ พวกเขาจะได้รับการบำรุงรักษาอย่างดีในการเก็บข้อมูลรหัสเปิด มันอาจยังไม่เสถียรพอสำหรับการเปิดใช้งานปกติ", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "แอพฯ นี้ไม่ได้ตรวจสอบปัญหาด้านความปลอดภัยและเป็นแอพฯใหม่หรือที่รู้จักกันคือจะไม่เสถียร ติดตั้งบนความเสี่ยงของคุณเอง", + "Error while disabling app" : "เกิดข้อผิดพลาดขณะปิดการใช้งานแอพพลิเคชัน", + "Disable" : "ปิดใช้งาน", + "Enable" : "เปิดใช้งาน", + "Error while enabling app" : "เกิดข้อผิดพลาดขณะกำลังตรวจสอบแอพฯ", + "Error while disabling broken app" : "ข้อผิดพลาดขณะกำลังปิดการใช้งานแอพฯที่มีปัญหา", + "Updated" : "อัพเดทแล้ว", + "Approved" : "ได้รับการอนุมัติ", + "Experimental" : "การทดลอง", + "No apps found for {query}" : "ไม่พบแอพฯสำหรับ {query}", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "เกิดข้อผิดพลาด กรุณาอัพโหลดใบรับรองเข้ารหัส ASCII PEM", + "Valid until {date}" : "ใช้ได้จนถึงวันที่ {date}", + "Delete" : "ลบ", + "Select a profile picture" : "เลือกรูปภาพโปรไฟล์", + "Very weak password" : "รหัสผ่านระดับต่ำมาก", + "Weak password" : "รหัสผ่านระดับต่ำ", + "So-so password" : "รหัสผ่านระดับปกติ", + "Good password" : "รหัสผ่านระดับดี", + "Strong password" : "รหัสผ่านระดับดีมาก", + "Groups" : "กลุ่ม", + "Unable to delete {objName}" : "ไม่สามารถลบ {objName}", + "Error creating group: {message}" : "ข้อผิดพลาดการสร้างกลุ่ม: {message}", + "A valid group name must be provided" : "จะต้องระบุชื่อกลุ่มที่ถูกต้อง", + "deleted {groupName}" : "ลบกลุ่ม {groupName} เรียบร้อยแล้ว", + "undo" : "เลิกทำ", + "never" : "ไม่ต้องเลย", + "deleted {userName}" : "ลบผู้ใช้ {userName} เรียบร้อยแล้ว", + "Changing the password will result in data loss, because data recovery is not available for this user" : "การเปลี่ยนรหัสผ่านจะส่งผลให้เกิดการสูญเสียข้อมูลเพราะการกู้คืนข้อมูลจะไม่สามารถใช้ได้สำหรับผู้ใช้นี้", + "A valid username must be provided" : "จะต้องระบุชื่อผู้ใช้ที่ถูกต้อง", + "Error creating user: {message}" : "ข้อผิดพลาดในการสร้างผู้ใช้: {message}", + "A valid password must be provided" : "จะต้องระบุรหัสผ่านที่ถูกต้อง", + "A valid email must be provided" : "จะต้องระบุอีเมลที่ถูกต้อง", + "Developer documentation" : "เอกสารสำหรับนักพัฒนา", + "by %s" : "โดย %s", + "%s-licensed" : "%s ได้รับใบอนุญาต", + "Documentation:" : "เอกสาร:", + "User documentation" : "เอกสารสำหรับผู้ใช้", + "Admin documentation" : "เอกสารผู้ดูแลระบบ", + "Show description …" : "แสดงรายละเอียด ...", + "Hide description …" : "ซ่อนรายละเอียด ...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "ไม่สามารถติดตั้งแอพฯนี้เพราะไม่มีตัวอ้างอิงต่อไปนี้:", + "Enable only for specific groups" : "เปิดใช้งานเพียงเฉพาะกลุ่ม", + "SSL Root Certificates" : "ใบรับรอง SSL", + "Common Name" : "ชื่อทั่วไป", + "Valid until" : "ใช้ได้จนถึง", + "Issued By" : "ปัญหาโดย", + "Valid until %s" : "ใช้ได้จนถึง %s", + "Import root certificate" : "นำเข้าใบรับรองหลัก", + "Administrator documentation" : "เอกสารของผู้ดูแลระบบ", + "Online documentation" : "เอกสารออนไลน์", + "Forum" : "ฟอรั่ม", + "Commercial support" : "สนับสนุนเชิงพาณิชย์", + "None" : "ไม่มี", + "Login" : "เข้าสู่ระบบ", + "Plain" : "ธรรมดา", + "NT LAN Manager" : "ตัวจัดการ NT LAN", + "Email server" : "อีเมลเซิร์ฟเวอร์", + "Open documentation" : "เปิดเอกสาร", + "Send mode" : "โหมดการส่ง", + "Encryption" : "การเข้ารหัส", + "From address" : "จากที่อยู่", + "mail" : "อีเมล", + "Authentication method" : "วิธีการตรวจสอบ", + "Authentication required" : "จำเป็นต้องตรวจสอบความถูกต้อง", + "Server address" : "ที่อยู่เซิร์ฟเวอร์", + "Port" : "พอร์ต", + "Credentials" : "ข้อมูลส่วนตัวสำหรับเข้าระบบ", + "SMTP Username" : "ชื่อผู้ใช้ SMTP", + "SMTP Password" : "รหัสผ่าน SMTP", + "Store credentials" : "ข้อมูลประจำตัวของร้านค้า", + "Test email settings" : "ทดสอบการตั้งค่าอีเมล", + "Send email" : "ส่งอีเมล", + "Server-side encryption" : "เข้ารหัสฝั่งเซิร์ฟเวอร์", + "Enable server-side encryption" : "เปิดการใช้งานเข้ารหัสฝั่งเซิร์ฟเวอร์", + "Please read carefully before activating server-side encryption: " : "กรุณาอ่านอย่างละเอียดก่อนที่จะเปิดใช้งานการเข้ารหัสฝั่งเซิร์ฟเวอร์:", + "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "เมื่อเปิดใช้งานการเข้ารหัส ไฟล์ทั้งหมดที่อัพโหลดไปยังเซิร์ฟเวอร์นั้นจะถูกเข้ารหัสในส่วนของเซิฟเวอร์ มันเป็นไปได้ที่จะปิดใช้งานการเข้ารหัสในภายหลัง ถ้าเปิดใช้ฟังก์ชั่นการสนับสนุนโมดูลการเข้ารหัสที่และเงื่อนไขก่อน (เช่น การตั้งค่าคีย์กู้คืน)", + "Be aware that encryption always increases the file size." : "โปรดทราบว่าหากเข้ารหัสไฟล์จะทำให้ขนาดของไฟล์ใหญ่ขึ้น", + "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "มันจะดีถ้าคุณสำรองข้อมูลบ่อยๆ ในกรณีของการเข้ารหัสโปรดแน่ใจว่าจะสำรองคีย์การเข้ารหัสลับพร้อมกับข้อมูลของคุณ", + "This is the final warning: Do you really want to enable encryption?" : "นี่คือการเตือนครั้งสุดท้าย: คุณต้องการที่จะเปิดใช้การเข้ารหัส?", + "Enable encryption" : "เปิดใช้งานการเข้ารหัส", + "No encryption module loaded, please enable an encryption module in the app menu." : "ไม่มีโมดูลการเข้ารหัสโหลดโปรดเปิดใช้งานโมดูลการเข้ารหัสในเมนูแอพฯ", + "Select default encryption module:" : "เลือกค่าเริ่มต้นโมดูลการเข้ารหัส:", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one. Please enable the \"Default encryption module\" and run 'occ encryption:migrate'" : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่ กรุณาเปิดใช้งาน \"โมดูลการเข้ารหัสเริ่มต้น\" และเรียกใช้ 'occ encryption:migrate'", + "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "คุณจำเป็นต้องโอนย้ายคีย์การเข้ารหัสลับของคุณจากการเข้ารหัสเก่า (ownCloud <= 8.0) ไปใหม่", + "Start migration" : "เริ่มการโยกย้าย", + "Security & setup warnings" : "คำเตือนความปลอดภัยและการติดตั้ง", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "ตั้งค่าให้สามารถอ่านได้อย่างเดียวถูกเปิดใช้งาน นี้จะช่วยป้องกันการตั้งค่าผ่านทางบางเว็บอินเตอร์เฟซ นอกจากนี้จะต้องเขียนไฟล์ด้วยตนเองสำหรับทุกการอัพเดท", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "นี้อาจเกิดจาก cache/accelerator อย่างเช่น Zend OPcache หรือ eAccelerator", + "System locale can not be set to a one which supports UTF-8." : "ตำแหน่งที่ตั้งของระบบไม่สามารถตั้งค่าให้รองรับ UTF-8", + "All checks passed." : "ผ่านการตรวจสอบทั้งหมด", + "Execute one task with each page loaded" : "ประมวลผลหนึ่งงาน ในแต่ละครั้งที่มีการโหลดหน้าเว็บ", + "Version" : "รุ่น", + "Sharing" : "แชร์ข้อมูล", + "Allow apps to use the Share API" : "อนุญาตให้แอปฯสามารถใช้ API สำหรับแชร์ข้อมูลได้", + "Allow users to share via link" : "อนุญาตให้ผู้ใช้สามารถแชร์ผ่านทางลิงค์", + "Allow public uploads" : "อนุญาตให้อัพโหลดสาธารณะ", + "Enforce password protection" : "บังคับใช้การป้องกันรหัสผ่าน", + "Set default expiration date" : "ตั้งค่าเริ่มต้นวันหมดอายุ", + "Expire after " : "หลังจากหมดอายุ", + "days" : "วัน", + "Enforce expiration date" : "บังคับให้มีวันที่หมดอายุ", + "Allow resharing" : "อนุญาตให้แชร์ข้อมูลซ้ำอีกครั้งได้", + "Allow sharing with groups" : "อนุญาตให้แชร์กับกลุ่ม", + "Restrict users to only share with users in their groups" : "จำกัดให้ผู้ใช้สามารถแชร์กับผู้ใช้ในกลุ่มของพวกเขาเท่านั้น", + "Exclude groups from sharing" : "ไม่รวมกลุ่มที่กำลังแชร์", + "These groups will still be able to receive shares, but not to initiate them." : "กลุ่มนี้จะยังคงสามารถได้รับการแชร์ แต่พวกเขาจะไม่รู้จักมัน", + "Tips & tricks" : "เคล็ดลับและเทคนิค", + "How to do backups" : "วิธีการสำรองข้อมูล", + "Performance tuning" : "การปรับแต่งประสิทธิภาพ", + "Improving the config.php" : "ปรับปรุงไฟล์ config.php", + "Theming" : "ชุดรูปแบบ", + "Hardening and security guidance" : "คำแนะนำการรักษาความปลอดภัย", + "You are using %s of %s" : "คุณกำลังใช้พื้นที่ %s จากทั้งหมด %s", + "Profile picture" : "รูปภาพโปรไฟล์", + "Upload new" : "อัพโหลดใหม่", + "Select from Files" : "เลือกจากไฟล์", + "Remove image" : "ลบรูปภาพ", + "png or jpg, max. 20 MB" : "จะต้องเป็นไฟล์ png หรือ jpg, สูงสุดไม่เกิน 20 เมกะไบต์", + "Picture provided by original account" : "ใช้รูปภาพจากบัญชีเดิม", + "Cancel" : "ยกเลิก", + "Choose as profile picture" : "เลือกรูปภาพโปรไฟล์", + "Full name" : "ชื่อเต็ม", + "No display name set" : "ไม่มีชื่อที่แสดง", + "Email" : "อีเมล", + "Your email address" : "ที่อยู่อีเมล์ของคุณ", + "No email address set" : "ไม่ได้ตั้งค่าที่อยู่อีเมล", + "You are member of the following groups:" : "คุณเป็นสมาชิกของกลุ่มต่อไปนี้:", + "Language" : "ภาษา", + "Help translate" : "มาช่วยกันแปลสิ!", + "Password" : "รหัสผ่าน", + "Current password" : "รหัสผ่านปัจจุบัน", + "New password" : "รหัสผ่านใหม่", + "Change password" : "เปลี่ยนรหัสผ่าน", + "Username" : "ชื่อผู้ใช้งาน", + "Done" : "เสร็จสิ้น", + "Show storage location" : "แสดงสถานที่จัดเก็บข้อมูล", + "Show user backend" : "แสดงแบ็กเอนด์ของผู้ใช้", + "Show email address" : "แสดงที่อยู่อีเมล", + "Send email to new user" : "ส่งอีเมลไปยังผู้ใช้ใหม่", + "E-Mail" : "อีเมล", + "Create" : "สร้าง", + "Admin Recovery Password" : "กู้คืนรหัสผ่านดูแลระบบ", + "Enter the recovery password in order to recover the users files during password change" : "ป้อนรหัสผ่านการกู้คืนเพื่อกู้คืนไฟล์ผู้ใช้ในช่วงการเปลี่ยนรหัสผ่าน", + "Everyone" : "ทุกคน", + "Admins" : "ผู้ดูแลระบบ", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "กรุณากรอกโควต้าการจัดเก็บข้อมูล (ต.ย. : \"512 MB\" หรือ \"12 GB\")", + "Unlimited" : "ไม่จำกัด", + "Other" : "อื่นๆ", + "Quota" : "โควต้า", + "change full name" : "เปลี่ยนชื่อเต็ม", + "set new password" : "ตั้งค่ารหัสผ่านใหม่", + "change email address" : "เปลี่ยนแปลงที่อยู่อีเมล", + "Default" : "ค่าเริ่มต้น" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/ug.js b/settings/l10n/ug.js new file mode 100644 index 0000000000000..857a4264dd974 --- /dev/null +++ b/settings/l10n/ug.js @@ -0,0 +1,41 @@ +OC.L10N.register( + "settings", + { + "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى", + "Email saved" : "تورخەت ساقلاندى", + "Couldn't update app." : "ئەپنى يېڭىلىيالمايدۇ.", + "All" : "ھەممىسى", + "Disable" : "چەكلە", + "Enable" : "قوزغات", + "Updated" : "يېڭىلاندى", + "Delete" : "ئۆچۈر", + "Groups" : "گۇرۇپپا", + "undo" : "يېنىۋال", + "never" : "ھەرگىز", + "A valid username must be provided" : "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", + "A valid password must be provided" : "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", + "Forum" : "مۇنبەر", + "None" : "يوق", + "Login" : "تىزىمغا كىرىڭ", + "Encryption" : "شىفىرلاش", + "Server address" : "مۇلازىمېتىر ئادرىسى", + "Port" : "ئېغىز", + "Version" : "نەشرى", + "Sharing" : "ھەمبەھىر", + "Cancel" : "ۋاز كەچ", + "Email" : "تورخەت", + "Your email address" : "تورخەت ئادرېسىڭىز", + "Language" : "تىل", + "Help translate" : "تەرجىمىگە ياردەم", + "Password" : "ئىم", + "Current password" : "نۆۋەتتىكى ئىم", + "New password" : "يېڭى ئىم", + "Change password" : "ئىم ئۆزگەرت", + "Username" : "ئىشلەتكۈچى ئاتى", + "Create" : "قۇر", + "Unlimited" : "چەكسىز", + "Other" : "باشقا", + "set new password" : "يېڭى ئىم تەڭشە", + "Default" : "كۆڭۈلدىكى" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/ug.json b/settings/l10n/ug.json new file mode 100644 index 0000000000000..be0cfb438d255 --- /dev/null +++ b/settings/l10n/ug.json @@ -0,0 +1,39 @@ +{ "translations": { + "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى", + "Email saved" : "تورخەت ساقلاندى", + "Couldn't update app." : "ئەپنى يېڭىلىيالمايدۇ.", + "All" : "ھەممىسى", + "Disable" : "چەكلە", + "Enable" : "قوزغات", + "Updated" : "يېڭىلاندى", + "Delete" : "ئۆچۈر", + "Groups" : "گۇرۇپپا", + "undo" : "يېنىۋال", + "never" : "ھەرگىز", + "A valid username must be provided" : "چوقۇم ئىناۋەتلىك ئىشلەتكۈچى ئىسمىدىن بىرنى تەمىنلەش كېرەك", + "A valid password must be provided" : "چوقۇم ئىناۋەتلىك ئىم تەمىنلەش كېرەك", + "Forum" : "مۇنبەر", + "None" : "يوق", + "Login" : "تىزىمغا كىرىڭ", + "Encryption" : "شىفىرلاش", + "Server address" : "مۇلازىمېتىر ئادرىسى", + "Port" : "ئېغىز", + "Version" : "نەشرى", + "Sharing" : "ھەمبەھىر", + "Cancel" : "ۋاز كەچ", + "Email" : "تورخەت", + "Your email address" : "تورخەت ئادرېسىڭىز", + "Language" : "تىل", + "Help translate" : "تەرجىمىگە ياردەم", + "Password" : "ئىم", + "Current password" : "نۆۋەتتىكى ئىم", + "New password" : "يېڭى ئىم", + "Change password" : "ئىم ئۆزگەرت", + "Username" : "ئىشلەتكۈچى ئاتى", + "Create" : "قۇر", + "Unlimited" : "چەكسىز", + "Other" : "باشقا", + "set new password" : "يېڭى ئىم تەڭشە", + "Default" : "كۆڭۈلدىكى" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/uk.js b/settings/l10n/uk.js new file mode 100644 index 0000000000000..4e6e3d9e013a1 --- /dev/null +++ b/settings/l10n/uk.js @@ -0,0 +1,185 @@ +OC.L10N.register( + "settings", + { + "{actor} changed your password" : "{actor} змінив ваш пароль", + "{actor} changed your email address" : "{actor} змінив вашу email адресу", + "You changed your email address" : "Ви змінили вашу email адресу", + "Your email address was changed by an administrator" : "Ваша email адреса змінена адміністратором", + "Wrong password" : "Невірний пароль", + "Saved" : "Збережено", + "No user supplied" : "Користувача не вказано", + "Unable to change password" : "Неможливо змінити пароль", + "Authentication error" : "Помилка автентифікації", + "Wrong admin recovery password. Please check the password and try again." : "Невірний пароль відновлення адміністратора. Будь ласка, перевірте пароль та спробуйте ще раз.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "встановлення та оновлення додатків через магазин додатків або Об’єднання хмарних сховищ", + "Federated Cloud Sharing" : "Об’єднання хмарних сховищ", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL використовує застарілу версію %s (%s). Будь ласка, поновіть вашу операційну систему або функції, такі як %s не працюватимуть надійно.", + "A problem occurred, please check your log files (Error: %s)" : "Виникла проблема, будь ласка, перевірте свої файли журналів (Помилка: %s)", + "Migration Completed" : "Міграцію завершено", + "Group already exists." : "Група вже існує.", + "Unable to add group." : "Неможливо додати групу.", + "Unable to delete group." : "Неможливо видалити групу.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Під час надсилання email сталася помилка. Будь ласка перевірте налаштування. (Помилка: %s)", + "You need to set your user email before being able to send test emails." : "Перед надсиланням тестових листів ви повинні вказати свою email адресу.", + "Invalid mail address" : "Неправильна email адреса", + "A user with that name already exists." : "Користувач з таким іменем вже існує.", + "Unable to create user." : "Неможливо створити користувача.", + "Unable to delete user." : "Неможливо видалити користувача.", + "Unable to change full name" : "Неможливо змінити повне ім'я", + "Your full name has been changed." : "Ваше повне ім'я було змінено", + "Forbidden" : "Заборонено", + "Invalid user" : "Неправильний користувач", + "Unable to change mail address" : "Неможливо поміняти email адресу", + "Email saved" : "Адресу збережено", + "Your %s account was created" : "Ваш %s аккаунт створений", + "Couldn't remove app." : "Неможливо видалити додаток.", + "Couldn't update app." : "Не вдалося оновити додаток. ", + "Add trusted domain" : "Додати довірений домен", + "Migration in progress. Please wait until the migration is finished" : "Міграція триває. Будь ласка, зачекайте доки процес міграції завершиться", + "Migration started …" : "Міграцію розпочато ...", + "Email sent" : "Лист надіслано", + "Official" : "Офіційні", + "All" : "Всі", + "Update to %s" : "Оновити до %s", + "No apps found for your version" : "Немає застосунків для вашої версії", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Схвалені додатки розроблені довіреними розробниками і пройшли незалежну перевірку безпеки. Їх активно супроводжують у репозиторії з відкритим кодом, а їх розробники стежать, щоб вони були стабільні й прийнятні для повсякденного використання.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Ця програма не перевірена на вразливості безпеки і є новою або нестабільною. Встановлюйте її на власний ризик.", + "Error while disabling app" : "Помилка вимикання додатка", + "Disable" : "Вимкнути", + "Enable" : "Увімкнути", + "Error while enabling app" : "Помилка вмикання додатка", + "Updated" : "Оновлено", + "Approved" : "Схвалені", + "Experimental" : "Експериментальні", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Виникла помилка. Будь ласка вивантажте PEM сертифікат в ASCII-кодуванні.", + "Valid until {date}" : "Дійсно до {date}", + "Delete" : "Видалити", + "Select a profile picture" : "Обрати зображення облікового запису", + "Very weak password" : "Дуже слабкий пароль", + "Weak password" : "Слабкий пароль", + "So-so password" : "Такий собі пароль", + "Good password" : "Добрий пароль", + "Strong password" : "Надійний пароль", + "Groups" : "Групи", + "Unable to delete {objName}" : "Не вдалося видалити {objName}", + "A valid group name must be provided" : "Потрібно задати вірне ім'я групи", + "deleted {groupName}" : "видалено {groupName}", + "undo" : "відмінити", + "never" : "ніколи", + "deleted {userName}" : "видалено {userName}", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Зміна пароля призведе до втрати даних, тому що відновлення даних не доступно для цього користувача", + "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", + "A valid password must be provided" : "Потрібно задати вірний пароль", + "A valid email must be provided" : "Вкажіть дійсний email", + "Developer documentation" : "Документація для розробників", + "Documentation:" : "Документація:", + "User documentation" : "Користувацька документація", + "Admin documentation" : "Документація адміністратора", + "Show description …" : "Показати деталі ...", + "Hide description …" : "Сховати деталі ...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Ця програма не може бути встановлено, так як наступні залежності не будуть виконані:", + "Enable only for specific groups" : "Включити тільки для конкретних груп", + "Common Name" : "Ім'я:", + "Valid until" : "Дійсно до", + "Issued By" : "Виданий", + "Valid until %s" : "Дійсно до %s", + "Import root certificate" : "Імпортувати кореневий сертифікат", + "Administrator documentation" : "Документація адміністратора", + "Online documentation" : "Документація онлайн", + "Forum" : "Форум", + "Commercial support" : "Комерційна підтримка", + "None" : "Жоден", + "Login" : "Логін", + "Plain" : "Звичайний", + "NT LAN Manager" : "Менеджер NT LAN", + "Email server" : "Сервер електронної пошти", + "Open documentation" : "Відкрити документацію", + "Send mode" : "Режим надсилання", + "Encryption" : "Шифрування", + "From address" : "Адреса відправника", + "mail" : "пошта", + "Authentication method" : "Спосіб аутентифікації", + "Authentication required" : "Потрібна аутентифікація", + "Server address" : "Адреса сервера", + "Port" : "Порт", + "Credentials" : "Облікові дані", + "SMTP Username" : "Ім'я користувача SMTP", + "SMTP Password" : "Пароль SMTP", + "Store credentials" : "Зберігати облікові дані", + "Test email settings" : "Тестувати налаштування електронної пошти", + "Send email" : "Надіслати листа", + "Server-side encryption" : "Шифрування на сервері", + "Enable server-side encryption" : "Увімкнути шифрування на сервері", + "Please read carefully before activating server-side encryption: " : "Будьте обережні під час активування шифрування на сервері:", + "Enable encryption" : "Увімкнути шифрування", + "Select default encryption module:" : "Обрати модуль шифрування за замовчуванням:", + "Start migration" : "Розпочати міграцію", + "Security & setup warnings" : "Попередження безпеки та налаштування", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Тільки перегляд був включений. Це запобігає встановити деякі конфігурації через веб-інтерфейс. Крім того, файл повинен бути доступний для запису вручну для кожного оновлення.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Неможливо встановити системну локаль, яка б підтримувала UTF-8.", + "All checks passed." : "Всі перевірки пройдено.", + "Execute one task with each page loaded" : "Виконати одне завдання для кожної завантаженої сторінки ", + "Version" : "Версія", + "Sharing" : "Спільний доступ", + "Allow apps to use the Share API" : "Дозволити програмам використовувати API спільного доступу", + "Allow users to share via link" : "Дозволити користувачам ділитися через посилання", + "Allow public uploads" : "Дозволити публічне завантаження", + "Enforce password protection" : "Захист паролем обов'язковий", + "Set default expiration date" : "Встановити термін дії за замовчуванням", + "Expire after " : "Скінчиться через", + "days" : "днів", + "Enforce expiration date" : "Термін дії обов'язковий", + "Allow resharing" : "Дозволити перевідкривати спільний доступ", + "Restrict users to only share with users in their groups" : "Дозволити користувачам відкривати спільний доступ лише для користувачів з їхньої групи", + "Exclude groups from sharing" : "Виключити групи зі спільного доступу", + "These groups will still be able to receive shares, but not to initiate them." : "Ці групи зможуть отримувати спільні файли, але не зможуть відправляти їх.", + "Tips & tricks" : "Поради і трюки", + "How to do backups" : "Як робити резервне копіювання", + "Performance tuning" : "Налаштування продуктивності", + "Improving the config.php" : "Покращення config.php", + "Theming" : "Оформлення", + "Hardening and security guidance" : "Інструктування з безпеки та захисту", + "You are using %s of %s" : "Ви використовуєте %s з %s", + "Profile picture" : "Зображення облікового запису", + "Upload new" : "Завантажити нове", + "Remove image" : "Видалити зображення", + "Cancel" : "Відмінити", + "Choose as profile picture" : "Обрати як зображення для профілю", + "Full name" : "Повне ім'я", + "No display name set" : "Коротке ім'я не вказано", + "Email" : "E-mail", + "Your email address" : "Ваша адреса електронної пошти", + "No email address set" : "E-mail не вказано", + "Phone number" : "Номер телефону", + "Your phone number" : "Ваш номер телефону", + "Address" : "Адреса", + "You are member of the following groups:" : "Ви є членом наступних груп:", + "Language" : "Мова", + "Help translate" : "Допомогти з перекладом", + "Password" : "Пароль", + "Current password" : "Поточний пароль", + "New password" : "Новий пароль", + "Change password" : "Змінити пароль", + "Username" : "Ім'я користувача", + "Done" : "Готово", + "Show storage location" : "Показати місцезнаходження сховища", + "Show user backend" : "Показати користувача", + "Show email address" : "Показати адресу електронної пошти", + "Send email to new user" : "Надіслати email новому користувачу", + "E-Mail" : "Адреса електронної пошти", + "Create" : "Створити", + "Admin Recovery Password" : "Пароль адміністратора для відновлення", + "Enter the recovery password in order to recover the users files during password change" : "Введіть пароль для того, щоб відновити файли користувачів при зміні паролю", + "Everyone" : "Всі", + "Admins" : "Адміністратори", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Будь ласка, вкажіть розмір сховища (наприклад: \"512 MB\" або \"12 GB\")", + "Unlimited" : "Необмежено", + "Other" : "Інше", + "Quota" : "Квота", + "change full name" : "змінити ім'я", + "set new password" : "встановити новий пароль", + "change email address" : "Змінити адресу електронної пошти", + "Default" : "За замовчуванням" +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/uk.json b/settings/l10n/uk.json new file mode 100644 index 0000000000000..c6e0f7790b02b --- /dev/null +++ b/settings/l10n/uk.json @@ -0,0 +1,183 @@ +{ "translations": { + "{actor} changed your password" : "{actor} змінив ваш пароль", + "{actor} changed your email address" : "{actor} змінив вашу email адресу", + "You changed your email address" : "Ви змінили вашу email адресу", + "Your email address was changed by an administrator" : "Ваша email адреса змінена адміністратором", + "Wrong password" : "Невірний пароль", + "Saved" : "Збережено", + "No user supplied" : "Користувача не вказано", + "Unable to change password" : "Неможливо змінити пароль", + "Authentication error" : "Помилка автентифікації", + "Wrong admin recovery password. Please check the password and try again." : "Невірний пароль відновлення адміністратора. Будь ласка, перевірте пароль та спробуйте ще раз.", + "installing and updating apps via the app store or Federated Cloud Sharing" : "встановлення та оновлення додатків через магазин додатків або Об’єднання хмарних сховищ", + "Federated Cloud Sharing" : "Об’єднання хмарних сховищ", + "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL використовує застарілу версію %s (%s). Будь ласка, поновіть вашу операційну систему або функції, такі як %s не працюватимуть надійно.", + "A problem occurred, please check your log files (Error: %s)" : "Виникла проблема, будь ласка, перевірте свої файли журналів (Помилка: %s)", + "Migration Completed" : "Міграцію завершено", + "Group already exists." : "Група вже існує.", + "Unable to add group." : "Неможливо додати групу.", + "Unable to delete group." : "Неможливо видалити групу.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Під час надсилання email сталася помилка. Будь ласка перевірте налаштування. (Помилка: %s)", + "You need to set your user email before being able to send test emails." : "Перед надсиланням тестових листів ви повинні вказати свою email адресу.", + "Invalid mail address" : "Неправильна email адреса", + "A user with that name already exists." : "Користувач з таким іменем вже існує.", + "Unable to create user." : "Неможливо створити користувача.", + "Unable to delete user." : "Неможливо видалити користувача.", + "Unable to change full name" : "Неможливо змінити повне ім'я", + "Your full name has been changed." : "Ваше повне ім'я було змінено", + "Forbidden" : "Заборонено", + "Invalid user" : "Неправильний користувач", + "Unable to change mail address" : "Неможливо поміняти email адресу", + "Email saved" : "Адресу збережено", + "Your %s account was created" : "Ваш %s аккаунт створений", + "Couldn't remove app." : "Неможливо видалити додаток.", + "Couldn't update app." : "Не вдалося оновити додаток. ", + "Add trusted domain" : "Додати довірений домен", + "Migration in progress. Please wait until the migration is finished" : "Міграція триває. Будь ласка, зачекайте доки процес міграції завершиться", + "Migration started …" : "Міграцію розпочато ...", + "Email sent" : "Лист надіслано", + "Official" : "Офіційні", + "All" : "Всі", + "Update to %s" : "Оновити до %s", + "No apps found for your version" : "Немає застосунків для вашої версії", + "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Схвалені додатки розроблені довіреними розробниками і пройшли незалежну перевірку безпеки. Їх активно супроводжують у репозиторії з відкритим кодом, а їх розробники стежать, щоб вони були стабільні й прийнятні для повсякденного використання.", + "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Ця програма не перевірена на вразливості безпеки і є новою або нестабільною. Встановлюйте її на власний ризик.", + "Error while disabling app" : "Помилка вимикання додатка", + "Disable" : "Вимкнути", + "Enable" : "Увімкнути", + "Error while enabling app" : "Помилка вмикання додатка", + "Updated" : "Оновлено", + "Approved" : "Схвалені", + "Experimental" : "Експериментальні", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Виникла помилка. Будь ласка вивантажте PEM сертифікат в ASCII-кодуванні.", + "Valid until {date}" : "Дійсно до {date}", + "Delete" : "Видалити", + "Select a profile picture" : "Обрати зображення облікового запису", + "Very weak password" : "Дуже слабкий пароль", + "Weak password" : "Слабкий пароль", + "So-so password" : "Такий собі пароль", + "Good password" : "Добрий пароль", + "Strong password" : "Надійний пароль", + "Groups" : "Групи", + "Unable to delete {objName}" : "Не вдалося видалити {objName}", + "A valid group name must be provided" : "Потрібно задати вірне ім'я групи", + "deleted {groupName}" : "видалено {groupName}", + "undo" : "відмінити", + "never" : "ніколи", + "deleted {userName}" : "видалено {userName}", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Зміна пароля призведе до втрати даних, тому що відновлення даних не доступно для цього користувача", + "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", + "A valid password must be provided" : "Потрібно задати вірний пароль", + "A valid email must be provided" : "Вкажіть дійсний email", + "Developer documentation" : "Документація для розробників", + "Documentation:" : "Документація:", + "User documentation" : "Користувацька документація", + "Admin documentation" : "Документація адміністратора", + "Show description …" : "Показати деталі ...", + "Hide description …" : "Сховати деталі ...", + "This app cannot be installed because the following dependencies are not fulfilled:" : "Ця програма не може бути встановлено, так як наступні залежності не будуть виконані:", + "Enable only for specific groups" : "Включити тільки для конкретних груп", + "Common Name" : "Ім'я:", + "Valid until" : "Дійсно до", + "Issued By" : "Виданий", + "Valid until %s" : "Дійсно до %s", + "Import root certificate" : "Імпортувати кореневий сертифікат", + "Administrator documentation" : "Документація адміністратора", + "Online documentation" : "Документація онлайн", + "Forum" : "Форум", + "Commercial support" : "Комерційна підтримка", + "None" : "Жоден", + "Login" : "Логін", + "Plain" : "Звичайний", + "NT LAN Manager" : "Менеджер NT LAN", + "Email server" : "Сервер електронної пошти", + "Open documentation" : "Відкрити документацію", + "Send mode" : "Режим надсилання", + "Encryption" : "Шифрування", + "From address" : "Адреса відправника", + "mail" : "пошта", + "Authentication method" : "Спосіб аутентифікації", + "Authentication required" : "Потрібна аутентифікація", + "Server address" : "Адреса сервера", + "Port" : "Порт", + "Credentials" : "Облікові дані", + "SMTP Username" : "Ім'я користувача SMTP", + "SMTP Password" : "Пароль SMTP", + "Store credentials" : "Зберігати облікові дані", + "Test email settings" : "Тестувати налаштування електронної пошти", + "Send email" : "Надіслати листа", + "Server-side encryption" : "Шифрування на сервері", + "Enable server-side encryption" : "Увімкнути шифрування на сервері", + "Please read carefully before activating server-side encryption: " : "Будьте обережні під час активування шифрування на сервері:", + "Enable encryption" : "Увімкнути шифрування", + "Select default encryption module:" : "Обрати модуль шифрування за замовчуванням:", + "Start migration" : "Розпочати міграцію", + "Security & setup warnings" : "Попередження безпеки та налаштування", + "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Тільки перегляд був включений. Це запобігає встановити деякі конфігурації через веб-інтерфейс. Крім того, файл повинен бути доступний для запису вручну для кожного оновлення.", + "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", + "System locale can not be set to a one which supports UTF-8." : "Неможливо встановити системну локаль, яка б підтримувала UTF-8.", + "All checks passed." : "Всі перевірки пройдено.", + "Execute one task with each page loaded" : "Виконати одне завдання для кожної завантаженої сторінки ", + "Version" : "Версія", + "Sharing" : "Спільний доступ", + "Allow apps to use the Share API" : "Дозволити програмам використовувати API спільного доступу", + "Allow users to share via link" : "Дозволити користувачам ділитися через посилання", + "Allow public uploads" : "Дозволити публічне завантаження", + "Enforce password protection" : "Захист паролем обов'язковий", + "Set default expiration date" : "Встановити термін дії за замовчуванням", + "Expire after " : "Скінчиться через", + "days" : "днів", + "Enforce expiration date" : "Термін дії обов'язковий", + "Allow resharing" : "Дозволити перевідкривати спільний доступ", + "Restrict users to only share with users in their groups" : "Дозволити користувачам відкривати спільний доступ лише для користувачів з їхньої групи", + "Exclude groups from sharing" : "Виключити групи зі спільного доступу", + "These groups will still be able to receive shares, but not to initiate them." : "Ці групи зможуть отримувати спільні файли, але не зможуть відправляти їх.", + "Tips & tricks" : "Поради і трюки", + "How to do backups" : "Як робити резервне копіювання", + "Performance tuning" : "Налаштування продуктивності", + "Improving the config.php" : "Покращення config.php", + "Theming" : "Оформлення", + "Hardening and security guidance" : "Інструктування з безпеки та захисту", + "You are using %s of %s" : "Ви використовуєте %s з %s", + "Profile picture" : "Зображення облікового запису", + "Upload new" : "Завантажити нове", + "Remove image" : "Видалити зображення", + "Cancel" : "Відмінити", + "Choose as profile picture" : "Обрати як зображення для профілю", + "Full name" : "Повне ім'я", + "No display name set" : "Коротке ім'я не вказано", + "Email" : "E-mail", + "Your email address" : "Ваша адреса електронної пошти", + "No email address set" : "E-mail не вказано", + "Phone number" : "Номер телефону", + "Your phone number" : "Ваш номер телефону", + "Address" : "Адреса", + "You are member of the following groups:" : "Ви є членом наступних груп:", + "Language" : "Мова", + "Help translate" : "Допомогти з перекладом", + "Password" : "Пароль", + "Current password" : "Поточний пароль", + "New password" : "Новий пароль", + "Change password" : "Змінити пароль", + "Username" : "Ім'я користувача", + "Done" : "Готово", + "Show storage location" : "Показати місцезнаходження сховища", + "Show user backend" : "Показати користувача", + "Show email address" : "Показати адресу електронної пошти", + "Send email to new user" : "Надіслати email новому користувачу", + "E-Mail" : "Адреса електронної пошти", + "Create" : "Створити", + "Admin Recovery Password" : "Пароль адміністратора для відновлення", + "Enter the recovery password in order to recover the users files during password change" : "Введіть пароль для того, щоб відновити файли користувачів при зміні паролю", + "Everyone" : "Всі", + "Admins" : "Адміністратори", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Будь ласка, вкажіть розмір сховища (наприклад: \"512 MB\" або \"12 GB\")", + "Unlimited" : "Необмежено", + "Other" : "Інше", + "Quota" : "Квота", + "change full name" : "змінити ім'я", + "set new password" : "встановити новий пароль", + "change email address" : "Змінити адресу електронної пошти", + "Default" : "За замовчуванням" +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +} \ No newline at end of file diff --git a/settings/l10n/ur_PK.js b/settings/l10n/ur_PK.js new file mode 100644 index 0000000000000..16c538d317ca1 --- /dev/null +++ b/settings/l10n/ur_PK.js @@ -0,0 +1,17 @@ +OC.L10N.register( + "settings", + { + "Email sent" : "ارسال شدہ ای میل ", + "Delete" : "حذف کریں", + "Very weak password" : "بہت کمزور پاسورڈ", + "Weak password" : "کمزور پاسورڈ", + "So-so password" : "نص نص پاسورڈ", + "Good password" : "اچھا پاسورڈ", + "Strong password" : "مضبوط پاسورڈ", + "Cancel" : "منسوخ کریں", + "Password" : "پاسورڈ", + "New password" : "نیا پاسورڈ", + "Username" : "یوزر نیم", + "Other" : "دیگر" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ur_PK.json b/settings/l10n/ur_PK.json new file mode 100644 index 0000000000000..3197594144f3c --- /dev/null +++ b/settings/l10n/ur_PK.json @@ -0,0 +1,15 @@ +{ "translations": { + "Email sent" : "ارسال شدہ ای میل ", + "Delete" : "حذف کریں", + "Very weak password" : "بہت کمزور پاسورڈ", + "Weak password" : "کمزور پاسورڈ", + "So-so password" : "نص نص پاسورڈ", + "Good password" : "اچھا پاسورڈ", + "Strong password" : "مضبوط پاسورڈ", + "Cancel" : "منسوخ کریں", + "Password" : "پاسورڈ", + "New password" : "نیا پاسورڈ", + "Username" : "یوزر نیم", + "Other" : "دیگر" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/settings/l10n/vi.js b/settings/l10n/vi.js new file mode 100644 index 0000000000000..c02c732a3d9a4 --- /dev/null +++ b/settings/l10n/vi.js @@ -0,0 +1,52 @@ +OC.L10N.register( + "settings", + { + "Saved" : "Đã lưu", + "Authentication error" : "Lỗi xác thực", + "Unable to change full name" : "Họ và tên không thể đổi ", + "Your full name has been changed." : "Họ và tên đã được thay đổi.", + "Email saved" : "Lưu email", + "Couldn't update app." : "Không thể cập nhật ứng dụng", + "Email sent" : "Email đã được gửi", + "All" : "Tất cả", + "Disable" : "Tắt", + "Enable" : "Bật", + "Updated" : "Đã cập nhật", + "Delete" : "Xóa", + "Groups" : "Nhóm", + "undo" : "lùi lại", + "never" : "không thay đổi", + "Forum" : "Diễn đàn", + "None" : "Không gì cả", + "Login" : "Đăng nhập", + "Encryption" : "Mã hóa", + "Server address" : "Địa chỉ máy chủ", + "Port" : "Cổng", + "Credentials" : "Giấy chứng nhận", + "Security & setup warnings" : "Bảo mật và thiết lập cảnh báo", + "Execute one task with each page loaded" : "Thực thi tác vụ mỗi khi trang được tải", + "Version" : "Phiên bản", + "Sharing" : "Chia sẻ", + "Allow apps to use the Share API" : "Cho phép các ứng dụng sử dụng chia sẻ API", + "Allow resharing" : "Cho phép chia sẻ lại", + "Upload new" : "Tải lên", + "Remove image" : "Xóa ", + "Cancel" : "Hủy", + "Email" : "Email", + "Your email address" : "Email của bạn", + "Language" : "Ngôn ngữ", + "Help translate" : "Hỗ trợ dịch thuật", + "Password" : "Mật khẩu", + "Current password" : "Mật khẩu cũ", + "New password" : "Mật khẩu mới", + "Change password" : "Đổi mật khẩu", + "Username" : "Tên đăng nhập", + "Create" : "Tạo", + "Unlimited" : "Không giới hạn", + "Other" : "Khác", + "Quota" : "Hạn ngạch", + "change full name" : "Đổi họ và t", + "set new password" : "đặt mật khẩu mới", + "Default" : "Mặc định" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/vi.json b/settings/l10n/vi.json new file mode 100644 index 0000000000000..dcb371c85ac43 --- /dev/null +++ b/settings/l10n/vi.json @@ -0,0 +1,50 @@ +{ "translations": { + "Saved" : "Đã lưu", + "Authentication error" : "Lỗi xác thực", + "Unable to change full name" : "Họ và tên không thể đổi ", + "Your full name has been changed." : "Họ và tên đã được thay đổi.", + "Email saved" : "Lưu email", + "Couldn't update app." : "Không thể cập nhật ứng dụng", + "Email sent" : "Email đã được gửi", + "All" : "Tất cả", + "Disable" : "Tắt", + "Enable" : "Bật", + "Updated" : "Đã cập nhật", + "Delete" : "Xóa", + "Groups" : "Nhóm", + "undo" : "lùi lại", + "never" : "không thay đổi", + "Forum" : "Diễn đàn", + "None" : "Không gì cả", + "Login" : "Đăng nhập", + "Encryption" : "Mã hóa", + "Server address" : "Địa chỉ máy chủ", + "Port" : "Cổng", + "Credentials" : "Giấy chứng nhận", + "Security & setup warnings" : "Bảo mật và thiết lập cảnh báo", + "Execute one task with each page loaded" : "Thực thi tác vụ mỗi khi trang được tải", + "Version" : "Phiên bản", + "Sharing" : "Chia sẻ", + "Allow apps to use the Share API" : "Cho phép các ứng dụng sử dụng chia sẻ API", + "Allow resharing" : "Cho phép chia sẻ lại", + "Upload new" : "Tải lên", + "Remove image" : "Xóa ", + "Cancel" : "Hủy", + "Email" : "Email", + "Your email address" : "Email của bạn", + "Language" : "Ngôn ngữ", + "Help translate" : "Hỗ trợ dịch thuật", + "Password" : "Mật khẩu", + "Current password" : "Mật khẩu cũ", + "New password" : "Mật khẩu mới", + "Change password" : "Đổi mật khẩu", + "Username" : "Tên đăng nhập", + "Create" : "Tạo", + "Unlimited" : "Không giới hạn", + "Other" : "Khác", + "Quota" : "Hạn ngạch", + "change full name" : "Đổi họ và t", + "set new password" : "đặt mật khẩu mới", + "Default" : "Mặc định" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/settings/l10n/zh_HK.js b/settings/l10n/zh_HK.js new file mode 100644 index 0000000000000..6c16a3e9807cf --- /dev/null +++ b/settings/l10n/zh_HK.js @@ -0,0 +1,41 @@ +OC.L10N.register( + "settings", + { + "Wrong password" : "密碼錯誤", + "Saved" : "已儲存", + "Email sent" : "郵件已傳", + "All" : "所有", + "Disable" : "停用", + "Enable" : "啟用", + "Updated" : "已更新", + "Delete" : "刪除", + "Groups" : "群組", + "undo" : "復原", + "Forum" : "討論區", + "None" : "空", + "Login" : "登入", + "Encryption" : "加密", + "Server address" : "伺服器地址", + "Port" : "連接埠", + "SMTP Username" : "SMTP 使用者名稱", + "SMTP Password" : "SMTP 密碼", + "Version" : "版本", + "Sharing" : "分享", + "days" : "天", + "Remove image" : "刪除圖片", + "Cancel" : "取消", + "Email" : "電郵", + "Your email address" : "你的電郵地址", + "Language" : "語言", + "Help translate" : "幫忙翻譯", + "Password" : "密碼", + "New password" : "新密碼", + "Change password" : "更改密碼", + "Username" : "用戶名稱", + "Create" : "新增", + "Everyone" : "所有人", + "Unlimited" : "無限", + "Other" : "其他", + "Default" : "預設" +}, +"nplurals=1; plural=0;"); diff --git a/settings/l10n/zh_HK.json b/settings/l10n/zh_HK.json new file mode 100644 index 0000000000000..f54763825aa5f --- /dev/null +++ b/settings/l10n/zh_HK.json @@ -0,0 +1,39 @@ +{ "translations": { + "Wrong password" : "密碼錯誤", + "Saved" : "已儲存", + "Email sent" : "郵件已傳", + "All" : "所有", + "Disable" : "停用", + "Enable" : "啟用", + "Updated" : "已更新", + "Delete" : "刪除", + "Groups" : "群組", + "undo" : "復原", + "Forum" : "討論區", + "None" : "空", + "Login" : "登入", + "Encryption" : "加密", + "Server address" : "伺服器地址", + "Port" : "連接埠", + "SMTP Username" : "SMTP 使用者名稱", + "SMTP Password" : "SMTP 密碼", + "Version" : "版本", + "Sharing" : "分享", + "days" : "天", + "Remove image" : "刪除圖片", + "Cancel" : "取消", + "Email" : "電郵", + "Your email address" : "你的電郵地址", + "Language" : "語言", + "Help translate" : "幫忙翻譯", + "Password" : "密碼", + "New password" : "新密碼", + "Change password" : "更改密碼", + "Username" : "用戶名稱", + "Create" : "新增", + "Everyone" : "所有人", + "Unlimited" : "無限", + "Other" : "其他", + "Default" : "預設" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file From 7d1c9eef8dcc020c12595500cf3569d96c2a6c11 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Tue, 13 Feb 2018 10:48:56 +0000 Subject: [PATCH 093/251] [tx-robot] updated from transifex --- apps/comments/l10n/ar.js | 4 +- apps/comments/l10n/ar.json | 4 +- apps/comments/l10n/fi.js | 1 + apps/comments/l10n/fi.json | 1 + apps/comments/l10n/is.js | 2 + apps/comments/l10n/is.json | 2 + apps/comments/l10n/nn_NO.js | 17 +- apps/comments/l10n/nn_NO.json | 17 +- apps/comments/l10n/sl.js | 11 +- apps/comments/l10n/sl.json | 11 +- apps/comments/l10n/th.js | 26 +++ apps/comments/l10n/th.json | 24 +++ apps/dav/l10n/is.js | 8 +- apps/dav/l10n/is.json | 8 +- apps/dav/l10n/nb.js | 1 + apps/dav/l10n/nb.json | 1 + apps/dav/l10n/nn_NO.js | 43 ++++ apps/dav/l10n/nn_NO.json | 41 ++++ apps/dav/l10n/zh_TW.js | 39 +++- apps/dav/l10n/zh_TW.json | 39 +++- apps/encryption/l10n/az.js | 2 - apps/encryption/l10n/az.json | 2 - apps/encryption/l10n/bg.js | 40 ++++ apps/encryption/l10n/bg.json | 38 ++++ apps/encryption/l10n/et_EE.js | 1 - apps/encryption/l10n/et_EE.json | 1 - apps/encryption/l10n/fa.js | 2 - apps/encryption/l10n/fa.json | 2 - apps/encryption/l10n/ro.js | 1 - apps/encryption/l10n/ro.json | 1 - apps/encryption/l10n/uk.js | 1 - apps/encryption/l10n/uk.json | 1 - apps/federatedfilesharing/l10n/ast.js | 32 ++- apps/federatedfilesharing/l10n/ast.json | 32 ++- apps/federatedfilesharing/l10n/bg.js | 34 +++ apps/federatedfilesharing/l10n/bg.json | 32 +++ apps/federatedfilesharing/l10n/is.js | 1 + apps/federatedfilesharing/l10n/is.json | 1 + apps/federatedfilesharing/l10n/lv.js | 28 ++- apps/federatedfilesharing/l10n/lv.json | 28 ++- apps/federation/l10n/fa.js | 11 + apps/federation/l10n/fa.json | 9 + apps/federation/l10n/is.js | 1 + apps/federation/l10n/is.json | 1 + apps/files/l10n/ar.js | 81 +++----- apps/files/l10n/ar.json | 81 +++----- apps/files/l10n/ast.js | 17 +- apps/files/l10n/ast.json | 17 +- apps/files/l10n/eo.js | 53 ++--- apps/files/l10n/eo.json | 53 ++--- apps/files/l10n/he.js | 54 +---- apps/files/l10n/he.json | 54 +---- apps/files/l10n/id.js | 54 +---- apps/files/l10n/id.json | 54 +---- apps/files/l10n/is.js | 9 +- apps/files/l10n/is.json | 9 +- apps/files/l10n/mn.js | 103 +++++++-- apps/files/l10n/mn.json | 103 +++++++-- apps/files/l10n/th.js | 81 ++++++++ apps/files/l10n/th.json | 79 +++++++ apps/files_external/l10n/ast.js | 49 +++-- apps/files_external/l10n/ast.json | 49 +++-- apps/files_external/l10n/bg.js | 69 +++++++ apps/files_external/l10n/bg.json | 67 ++++++ apps/files_external/l10n/ca.js | 30 ++- apps/files_external/l10n/ca.json | 30 ++- apps/files_external/l10n/et_EE.js | 14 +- apps/files_external/l10n/et_EE.json | 14 +- apps/files_external/l10n/ia.js | 69 ++++++- apps/files_external/l10n/ia.json | 69 ++++++- apps/files_external/l10n/lv.js | 69 ++++++- apps/files_external/l10n/lv.json | 69 ++++++- apps/files_external/l10n/nb.js | 2 + apps/files_external/l10n/nb.json | 2 + apps/files_external/l10n/ro.js | 10 +- apps/files_external/l10n/ro.json | 10 +- apps/files_sharing/l10n/id.js | 84 +------- apps/files_sharing/l10n/id.json | 84 +------- apps/files_sharing/l10n/is.js | 4 +- apps/files_sharing/l10n/is.json | 4 +- apps/files_sharing/l10n/lv.js | 75 ++++--- apps/files_sharing/l10n/lv.json | 75 ++++--- apps/files_sharing/l10n/nb.js | 1 + apps/files_sharing/l10n/nb.json | 1 + apps/files_sharing/l10n/sl.js | 53 +---- apps/files_sharing/l10n/sl.json | 53 +---- apps/files_trashbin/l10n/mn.js | 14 ++ apps/files_trashbin/l10n/mn.json | 12 ++ apps/files_versions/l10n/ar.js | 4 +- apps/files_versions/l10n/ar.json | 4 +- apps/files_versions/l10n/az.js | 4 +- apps/files_versions/l10n/az.json | 4 +- apps/files_versions/l10n/bn_BD.js | 4 +- apps/files_versions/l10n/bn_BD.json | 4 +- apps/files_versions/l10n/bs.js | 4 +- apps/files_versions/l10n/bs.json | 4 +- apps/files_versions/l10n/eo.js | 4 +- apps/files_versions/l10n/eo.json | 4 +- apps/files_versions/l10n/fa.js | 4 +- apps/files_versions/l10n/fa.json | 4 +- apps/files_versions/l10n/he.js | 4 +- apps/files_versions/l10n/he.json | 4 +- apps/files_versions/l10n/hr.js | 4 +- apps/files_versions/l10n/hr.json | 4 +- apps/files_versions/l10n/id.js | 4 +- apps/files_versions/l10n/id.json | 4 +- apps/files_versions/l10n/km.js | 4 +- apps/files_versions/l10n/km.json | 4 +- apps/files_versions/l10n/kn.js | 4 +- apps/files_versions/l10n/kn.json | 4 +- apps/files_versions/l10n/lv.js | 4 +- apps/files_versions/l10n/lv.json | 4 +- apps/files_versions/l10n/mk.js | 4 +- apps/files_versions/l10n/mk.json | 4 +- apps/files_versions/l10n/ms_MY.js | 4 +- apps/files_versions/l10n/ms_MY.json | 4 +- apps/files_versions/l10n/nn_NO.js | 4 +- apps/files_versions/l10n/nn_NO.json | 4 +- apps/files_versions/l10n/pt_PT.js | 4 +- apps/files_versions/l10n/pt_PT.json | 4 +- apps/files_versions/l10n/th.js | 4 +- apps/files_versions/l10n/th.json | 4 +- apps/files_versions/l10n/vi.js | 4 +- apps/files_versions/l10n/vi.json | 4 +- apps/oauth2/l10n/gl.js | 4 - apps/oauth2/l10n/gl.json | 4 - apps/oauth2/l10n/is.js | 1 + apps/oauth2/l10n/is.json | 1 + apps/oauth2/l10n/nb.js | 1 + apps/oauth2/l10n/nb.json | 1 + apps/sharebymail/l10n/et_EE.js | 33 +++ apps/sharebymail/l10n/et_EE.json | 31 +++ apps/sharebymail/l10n/fi.js | 33 +-- apps/sharebymail/l10n/fi.json | 33 +-- apps/sharebymail/l10n/sk.js | 18 +- apps/sharebymail/l10n/sk.json | 18 +- apps/theming/l10n/ar.js | 3 +- apps/theming/l10n/ar.json | 3 +- apps/theming/l10n/ast.js | 3 +- apps/theming/l10n/ast.json | 3 +- apps/theming/l10n/bg.js | 3 +- apps/theming/l10n/bg.json | 3 +- apps/theming/l10n/ca.js | 3 +- apps/theming/l10n/ca.json | 3 +- apps/theming/l10n/es_AR.js | 3 +- apps/theming/l10n/es_AR.json | 3 +- apps/theming/l10n/id.js | 4 +- apps/theming/l10n/id.json | 4 +- apps/theming/l10n/is.js | 1 + apps/theming/l10n/is.json | 1 + apps/theming/l10n/lt_LT.js | 3 +- apps/theming/l10n/lt_LT.json | 3 +- apps/theming/l10n/lv.js | 3 +- apps/theming/l10n/lv.json | 3 +- apps/theming/l10n/mn.js | 3 +- apps/theming/l10n/mn.json | 3 +- apps/theming/l10n/sl.js | 3 +- apps/theming/l10n/sl.json | 3 +- apps/theming/l10n/sq.js | 3 +- apps/theming/l10n/sq.json | 3 +- apps/theming/l10n/vi.js | 3 +- apps/theming/l10n/vi.json | 3 +- apps/theming/l10n/zh_TW.js | 3 +- apps/theming/l10n/zh_TW.json | 3 +- apps/twofactor_backupcodes/l10n/ast.js | 14 ++ apps/twofactor_backupcodes/l10n/ast.json | 12 ++ apps/twofactor_backupcodes/l10n/is.js | 1 + apps/twofactor_backupcodes/l10n/is.json | 1 + apps/twofactor_backupcodes/l10n/sl.js | 13 ++ apps/twofactor_backupcodes/l10n/sl.json | 11 + apps/updatenotification/l10n/et_EE.js | 16 +- apps/updatenotification/l10n/et_EE.json | 16 +- apps/updatenotification/l10n/is.js | 1 + apps/updatenotification/l10n/is.json | 1 + apps/updatenotification/l10n/sl.js | 2 +- apps/updatenotification/l10n/sl.json | 2 +- apps/updatenotification/l10n/vi.js | 2 +- apps/updatenotification/l10n/vi.json | 2 +- apps/user_ldap/l10n/bg.js | 102 +++++++++ apps/user_ldap/l10n/bg.json | 100 +++++++++ apps/user_ldap/l10n/eu.js | 19 +- apps/user_ldap/l10n/eu.json | 19 +- apps/user_ldap/l10n/he.js | 19 +- apps/user_ldap/l10n/he.json | 19 +- apps/user_ldap/l10n/is.js | 76 ++++++- apps/user_ldap/l10n/is.json | 76 ++++++- apps/user_ldap/l10n/lv.js | 74 ++++++- apps/user_ldap/l10n/lv.json | 74 ++++++- apps/user_ldap/l10n/pt_PT.js | 7 +- apps/user_ldap/l10n/pt_PT.json | 7 +- apps/user_ldap/l10n/sl.js | 12 +- apps/user_ldap/l10n/sl.json | 12 +- apps/user_ldap/l10n/th.js | 12 +- apps/user_ldap/l10n/th.json | 12 +- apps/user_ldap/l10n/uk.js | 20 +- apps/user_ldap/l10n/uk.json | 20 +- apps/user_ldap/l10n/zh_TW.js | 16 +- apps/user_ldap/l10n/zh_TW.json | 16 +- apps/workflowengine/l10n/ast.js | 4 +- apps/workflowengine/l10n/ast.json | 4 +- apps/workflowengine/l10n/ia.js | 46 +++++ apps/workflowengine/l10n/ia.json | 44 ++++ apps/workflowengine/l10n/is.js | 1 + apps/workflowengine/l10n/is.json | 1 + core/l10n/ast.js | 247 ++++++++++++++++++++++ core/l10n/ast.json | 245 ++++++++++++++++++++++ core/l10n/bg.js | 253 +++++++++++++++++++++++ core/l10n/bg.json | 251 ++++++++++++++++++++++ core/l10n/he.js | 209 +++++++++++++++++++ core/l10n/he.json | 207 +++++++++++++++++++ core/l10n/id.js | 235 +++++++++++++++++++++ core/l10n/id.json | 233 +++++++++++++++++++++ core/l10n/is.js | 52 ++++- core/l10n/is.json | 52 ++++- core/l10n/th.js | 187 +++++++++++++++++ core/l10n/th.json | 185 +++++++++++++++++ core/l10n/uz.js | 208 +++++++++++++++++++ core/l10n/uz.json | 206 ++++++++++++++++++ core/l10n/zh_CN.js | 7 +- core/l10n/zh_CN.json | 7 +- settings/l10n/nb.js | 5 + settings/l10n/nb.json | 5 + settings/l10n/nl.js | 31 +++ settings/l10n/nl.json | 31 +++ 224 files changed, 5372 insertions(+), 1380 deletions(-) create mode 100644 apps/comments/l10n/th.js create mode 100644 apps/comments/l10n/th.json create mode 100644 apps/dav/l10n/nn_NO.js create mode 100644 apps/dav/l10n/nn_NO.json create mode 100644 apps/encryption/l10n/bg.js create mode 100644 apps/encryption/l10n/bg.json create mode 100644 apps/federatedfilesharing/l10n/bg.js create mode 100644 apps/federatedfilesharing/l10n/bg.json create mode 100644 apps/federation/l10n/fa.js create mode 100644 apps/federation/l10n/fa.json create mode 100644 apps/files/l10n/th.js create mode 100644 apps/files/l10n/th.json create mode 100644 apps/files_external/l10n/bg.js create mode 100644 apps/files_external/l10n/bg.json create mode 100644 apps/files_trashbin/l10n/mn.js create mode 100644 apps/files_trashbin/l10n/mn.json create mode 100644 apps/sharebymail/l10n/et_EE.js create mode 100644 apps/sharebymail/l10n/et_EE.json create mode 100644 apps/twofactor_backupcodes/l10n/ast.js create mode 100644 apps/twofactor_backupcodes/l10n/ast.json create mode 100644 apps/twofactor_backupcodes/l10n/sl.js create mode 100644 apps/twofactor_backupcodes/l10n/sl.json create mode 100644 apps/user_ldap/l10n/bg.js create mode 100644 apps/user_ldap/l10n/bg.json create mode 100644 apps/workflowengine/l10n/ia.js create mode 100644 apps/workflowengine/l10n/ia.json create mode 100644 core/l10n/ast.js create mode 100644 core/l10n/ast.json create mode 100644 core/l10n/bg.js create mode 100644 core/l10n/bg.json create mode 100644 core/l10n/he.js create mode 100644 core/l10n/he.json create mode 100644 core/l10n/id.js create mode 100644 core/l10n/id.json create mode 100644 core/l10n/th.js create mode 100644 core/l10n/th.json create mode 100644 core/l10n/uz.js create mode 100644 core/l10n/uz.json diff --git a/apps/comments/l10n/ar.js b/apps/comments/l10n/ar.js index 380ff32155183..1ad0207b69d69 100644 --- a/apps/comments/l10n/ar.js +++ b/apps/comments/l10n/ar.js @@ -2,7 +2,6 @@ OC.L10N.register( "comments", { "Comments" : "تعليقات", - "Unknown user" : "مستخدم غير معروف", "New comment …" : "تعليق جديد", "Delete comment" : "حذف التعليق", "Post" : "ارسال", @@ -22,6 +21,7 @@ OC.L10N.register( "You commented on {file}" : "علقت على {file}", "%1$s commented on %2$s" : "%1$s كتب تعليق على %2$s", "{author} commented on {file}" : "{author} علّق على {file}", - "Comments for files" : "تعليقات على الملفات" + "Comments for files" : "تعليقات على الملفات", + "Unknown user" : "مستخدم غير معروف" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/comments/l10n/ar.json b/apps/comments/l10n/ar.json index 20871a0748788..ef33713ba701e 100644 --- a/apps/comments/l10n/ar.json +++ b/apps/comments/l10n/ar.json @@ -1,6 +1,5 @@ { "translations": { "Comments" : "تعليقات", - "Unknown user" : "مستخدم غير معروف", "New comment …" : "تعليق جديد", "Delete comment" : "حذف التعليق", "Post" : "ارسال", @@ -20,6 +19,7 @@ "You commented on {file}" : "علقت على {file}", "%1$s commented on %2$s" : "%1$s كتب تعليق على %2$s", "{author} commented on {file}" : "{author} علّق على {file}", - "Comments for files" : "تعليقات على الملفات" + "Comments for files" : "تعليقات على الملفات", + "Unknown user" : "مستخدم غير معروف" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" } \ No newline at end of file diff --git a/apps/comments/l10n/fi.js b/apps/comments/l10n/fi.js index 20389f92707f1..6160b8418fedd 100644 --- a/apps/comments/l10n/fi.js +++ b/apps/comments/l10n/fi.js @@ -25,6 +25,7 @@ OC.L10N.register( "%1$s commented on %2$s" : "%1$s kommentoi kohdetta %2$s", "{author} commented on {file}" : "{author} kommentoi tiedostoa {file}", "Comments for files" : "Tiedostojen kommentit", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Sinut mainittiin tiedoston “{file}” kommentissa käyttäjän toimesta, joka on sittemmin poistettu", "%1$s mentioned you in a comment on “%2$s”" : "%1$s mainitsi sinut kommentissa “%2$s”", "{user} mentioned you in a comment on “{file}”" : "{user} mainitsi sinut tiedoston \"{file}\" kommentissa", "Unknown user" : "Tuntematon käyttäjä", diff --git a/apps/comments/l10n/fi.json b/apps/comments/l10n/fi.json index 6d92e0d4be27e..4555bcc0dfc4d 100644 --- a/apps/comments/l10n/fi.json +++ b/apps/comments/l10n/fi.json @@ -23,6 +23,7 @@ "%1$s commented on %2$s" : "%1$s kommentoi kohdetta %2$s", "{author} commented on {file}" : "{author} kommentoi tiedostoa {file}", "Comments for files" : "Tiedostojen kommentit", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Sinut mainittiin tiedoston “{file}” kommentissa käyttäjän toimesta, joka on sittemmin poistettu", "%1$s mentioned you in a comment on “%2$s”" : "%1$s mainitsi sinut kommentissa “%2$s”", "{user} mentioned you in a comment on “{file}”" : "{user} mainitsi sinut tiedoston \"{file}\" kommentissa", "Unknown user" : "Tuntematon käyttäjä", diff --git a/apps/comments/l10n/is.js b/apps/comments/l10n/is.js index d86c4ecf0d92b..dca69640fd4d6 100644 --- a/apps/comments/l10n/is.js +++ b/apps/comments/l10n/is.js @@ -25,6 +25,8 @@ OC.L10N.register( "%1$s commented on %2$s" : "%1$s setti inn athugasemd um %2$s", "{author} commented on {file}" : "{author} setti inn athugasemd við {file}", "Comments for files" : "Athugasemdir við skrár", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Minnst var á þig í “%s”, í athugasemd frá notanda sem síðan þá hefur verið eytt", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Minnst var á þig í “{file}”, í athugasemd frá notanda sem síðan þá hefur verið eytt", "%1$s mentioned you in a comment on “%2$s”" : "%1$s minntist á þig í athugasemd við “%2$s”", "{user} mentioned you in a comment on “{file}”" : "{user} minntist á þig í athugasemd við “{file}”", "Unknown user" : "Óþekktur notandi", diff --git a/apps/comments/l10n/is.json b/apps/comments/l10n/is.json index 32650436cca9b..2fa103993a05e 100644 --- a/apps/comments/l10n/is.json +++ b/apps/comments/l10n/is.json @@ -23,6 +23,8 @@ "%1$s commented on %2$s" : "%1$s setti inn athugasemd um %2$s", "{author} commented on {file}" : "{author} setti inn athugasemd við {file}", "Comments for files" : "Athugasemdir við skrár", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Minnst var á þig í “%s”, í athugasemd frá notanda sem síðan þá hefur verið eytt", + "You were mentioned on “{file}”, in a comment by a user that has since been deleted" : "Minnst var á þig í “{file}”, í athugasemd frá notanda sem síðan þá hefur verið eytt", "%1$s mentioned you in a comment on “%2$s”" : "%1$s minntist á þig í athugasemd við “%2$s”", "{user} mentioned you in a comment on “{file}”" : "{user} minntist á þig í athugasemd við “{file}”", "Unknown user" : "Óþekktur notandi", diff --git a/apps/comments/l10n/nn_NO.js b/apps/comments/l10n/nn_NO.js index ce79cf242bc08..806ca84fdea05 100644 --- a/apps/comments/l10n/nn_NO.js +++ b/apps/comments/l10n/nn_NO.js @@ -1,7 +1,22 @@ OC.L10N.register( "comments", { + "Comments" : "Kommentarar", + "New comment …" : "Ny kommentar...", + "Delete comment" : "Slett kommentar", + "Post" : "Publiser", "Cancel" : "Avbryt", - "Save" : "Lagra" + "Edit comment" : "Rediger kommentar", + "No comments yet, start the conversation!" : "Ingen kommetarar enno, start samtala!", + "More comments …" : "Fleire kommentarar...", + "Save" : "Lagra", + "Comment" : "Kommentér", + "You commented" : "Du kommenterte", + "%1$s commented" : "%1$skommenterte", + "{author} commented" : "{author} kommenterte", + "You commented on %1$s" : "Du kommenterte på %1$s", + "You commented on {file}" : "Du kommenterte på {file}", + "%1$s commented on %2$s" : "%1$s kommenterte på %2$s", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Du ble nemnt i \"%s\", i en kommentar av ein brukar som i ettertid har blitt sletta" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/comments/l10n/nn_NO.json b/apps/comments/l10n/nn_NO.json index 51f3ed49364ad..fdcd1676820ac 100644 --- a/apps/comments/l10n/nn_NO.json +++ b/apps/comments/l10n/nn_NO.json @@ -1,5 +1,20 @@ { "translations": { + "Comments" : "Kommentarar", + "New comment …" : "Ny kommentar...", + "Delete comment" : "Slett kommentar", + "Post" : "Publiser", "Cancel" : "Avbryt", - "Save" : "Lagra" + "Edit comment" : "Rediger kommentar", + "No comments yet, start the conversation!" : "Ingen kommetarar enno, start samtala!", + "More comments …" : "Fleire kommentarar...", + "Save" : "Lagra", + "Comment" : "Kommentér", + "You commented" : "Du kommenterte", + "%1$s commented" : "%1$skommenterte", + "{author} commented" : "{author} kommenterte", + "You commented on %1$s" : "Du kommenterte på %1$s", + "You commented on {file}" : "Du kommenterte på {file}", + "%1$s commented on %2$s" : "%1$s kommenterte på %2$s", + "You were mentioned on “%s”, in a comment by a user that has since been deleted" : "Du ble nemnt i \"%s\", i en kommentar av ein brukar som i ettertid har blitt sletta" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/comments/l10n/sl.js b/apps/comments/l10n/sl.js index 8718a374b4d35..3aef73c428585 100644 --- a/apps/comments/l10n/sl.js +++ b/apps/comments/l10n/sl.js @@ -1,12 +1,15 @@ OC.L10N.register( "comments", { + "Comments" : "Opombe", + "New comment …" : "Nov komentar ...", "Delete comment" : "Izbriši opombo", "Post" : "Objavi", "Cancel" : "Prekliči", "Edit comment" : "Uredi opombo", "[Deleted user]" : "[Izbrisan uporabnik]", - "Comments" : "Opombe", + "No comments yet, start the conversation!" : "Še ni komentarjev, začni debato!", + "More comments …" : "Več komentarjev ....", "Save" : "Shrani", "Allowed characters {count} of {max}" : "Dovoljeni znaki: {count} od {max}", "Error occurred while retrieving comment with id {id}" : "Napaka se je zgodila med prenosom komentarja z oznako {id}", @@ -15,11 +18,7 @@ OC.L10N.register( "Comment" : "Opomba", "You commented" : "Vaša opomba", "%1$s commented" : "%1$s opomb", - "You commented on %2$s" : "Napisali ste opombo na %2$s", "%1$s commented on %2$s" : "%1$s opomb ob %2$s", - "Type in a new comment..." : "Vpis nove opombe ...", - "No other comments available" : "Ni drugih opomb", - "More comments..." : "Več opomb ...", - "{count} unread comments" : "{count} neprebranih opomb" + "Unknown user" : "Nepoznan uporabnik" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/comments/l10n/sl.json b/apps/comments/l10n/sl.json index 33bb84c99e143..2be83ea21d21a 100644 --- a/apps/comments/l10n/sl.json +++ b/apps/comments/l10n/sl.json @@ -1,10 +1,13 @@ { "translations": { + "Comments" : "Opombe", + "New comment …" : "Nov komentar ...", "Delete comment" : "Izbriši opombo", "Post" : "Objavi", "Cancel" : "Prekliči", "Edit comment" : "Uredi opombo", "[Deleted user]" : "[Izbrisan uporabnik]", - "Comments" : "Opombe", + "No comments yet, start the conversation!" : "Še ni komentarjev, začni debato!", + "More comments …" : "Več komentarjev ....", "Save" : "Shrani", "Allowed characters {count} of {max}" : "Dovoljeni znaki: {count} od {max}", "Error occurred while retrieving comment with id {id}" : "Napaka se je zgodila med prenosom komentarja z oznako {id}", @@ -13,11 +16,7 @@ "Comment" : "Opomba", "You commented" : "Vaša opomba", "%1$s commented" : "%1$s opomb", - "You commented on %2$s" : "Napisali ste opombo na %2$s", "%1$s commented on %2$s" : "%1$s opomb ob %2$s", - "Type in a new comment..." : "Vpis nove opombe ...", - "No other comments available" : "Ni drugih opomb", - "More comments..." : "Več opomb ...", - "{count} unread comments" : "{count} neprebranih opomb" + "Unknown user" : "Nepoznan uporabnik" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/apps/comments/l10n/th.js b/apps/comments/l10n/th.js new file mode 100644 index 0000000000000..460adc0987b59 --- /dev/null +++ b/apps/comments/l10n/th.js @@ -0,0 +1,26 @@ +OC.L10N.register( + "comments", + { + "Comments" : "ความคิดเห็น", + "New comment …" : "ความคิดเห็นใหม่ ...", + "Delete comment" : "ลบความคิดเห็น", + "Post" : "โพสต์", + "Cancel" : "ยกเลิก", + "Edit comment" : "แก้ไขความคิดเห็น", + "[Deleted user]" : "[ผู้ใช้ถูกลบไปแล้ว]", + "No comments yet, start the conversation!" : "ยังไม่มีความคิดเห็น เพิ่มความเห็นเลย", + "More comments …" : "ความคิดเห็นอื่นๆ ...", + "Save" : "บันทึก", + "Allowed characters {count} of {max}" : "อนุญาตให้ใช้ {count} จากทั้งหมด {max} ตัวอักษร", + "Error occurred while retrieving comment with id {id}" : "เกิดข้อผิดพลาดขณะดึงความเห็น {id}", + "Error occurred while updating comment with id {id}" : "เกิดข้อผิดพลาดขณะปรับปรุงความเห็น {id}", + "Error occurred while posting comment" : "เกิดข้อผิดพลาดขณะส่งความเห็น {id}", + "_%n unread comment_::_%n unread comments_" : ["%nความเห็นยังไม่อ่าน"], + "Comment" : "แสดงความคิดเห็น", + "You commented" : "คุณได้แสดงความคิดเห็นแล้ว", + "%1$s commented" : "%1$s ได้ถูกแสดงความคิดเห็น", + "You commented on %1$s" : "คุณได้แสดงความคิดเห็นบน %1$s", + "%1$s commented on %2$s" : "%1$s ได้ถูกแสดงความคิดเห็นบน %2$s", + "Unknown user" : "ไม่รู้จักผู้ใช้" +}, +"nplurals=1; plural=0;"); diff --git a/apps/comments/l10n/th.json b/apps/comments/l10n/th.json new file mode 100644 index 0000000000000..945df2c51c2d0 --- /dev/null +++ b/apps/comments/l10n/th.json @@ -0,0 +1,24 @@ +{ "translations": { + "Comments" : "ความคิดเห็น", + "New comment …" : "ความคิดเห็นใหม่ ...", + "Delete comment" : "ลบความคิดเห็น", + "Post" : "โพสต์", + "Cancel" : "ยกเลิก", + "Edit comment" : "แก้ไขความคิดเห็น", + "[Deleted user]" : "[ผู้ใช้ถูกลบไปแล้ว]", + "No comments yet, start the conversation!" : "ยังไม่มีความคิดเห็น เพิ่มความเห็นเลย", + "More comments …" : "ความคิดเห็นอื่นๆ ...", + "Save" : "บันทึก", + "Allowed characters {count} of {max}" : "อนุญาตให้ใช้ {count} จากทั้งหมด {max} ตัวอักษร", + "Error occurred while retrieving comment with id {id}" : "เกิดข้อผิดพลาดขณะดึงความเห็น {id}", + "Error occurred while updating comment with id {id}" : "เกิดข้อผิดพลาดขณะปรับปรุงความเห็น {id}", + "Error occurred while posting comment" : "เกิดข้อผิดพลาดขณะส่งความเห็น {id}", + "_%n unread comment_::_%n unread comments_" : ["%nความเห็นยังไม่อ่าน"], + "Comment" : "แสดงความคิดเห็น", + "You commented" : "คุณได้แสดงความคิดเห็นแล้ว", + "%1$s commented" : "%1$s ได้ถูกแสดงความคิดเห็น", + "You commented on %1$s" : "คุณได้แสดงความคิดเห็นบน %1$s", + "%1$s commented on %2$s" : "%1$s ได้ถูกแสดงความคิดเห็นบน %2$s", + "Unknown user" : "ไม่รู้จักผู้ใช้" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/apps/dav/l10n/is.js b/apps/dav/l10n/is.js index 31be41f4f2380..6debe2959d7b9 100644 --- a/apps/dav/l10n/is.js +++ b/apps/dav/l10n/is.js @@ -10,6 +10,8 @@ OC.L10N.register( "You deleted calendar {calendar}" : "Þú eyddir dagatalinu {calendar}", "{actor} updated calendar {calendar}" : "{actor} uppfærði dagatalið {calendar}", "You updated calendar {calendar}" : "Þú uppfærðir dagatalið {calendar}", + "You shared calendar {calendar} as public link" : "Þú deildir dagatalinu {calendar} sem almenningstengli", + "You removed public link for calendar {calendar}" : "Þú fjarlægðir almenningstengilinn fyrir dagatalið {calendar}", "{actor} shared calendar {calendar} with you" : "{actor} deildi dagatalinu {calendar} með þér", "You shared calendar {calendar} with {user}" : "Þú deildir dagatalinu {calendar} með {user}", "{actor} shared calendar {calendar} with {user}" : "{actor} deildi dagatalinu {calendar} með {user}", @@ -53,11 +55,15 @@ OC.L10N.register( "Description:" : "Lýsing:", "Link:" : "Tengill:", "Contacts" : "Tengiliðir", + "WebDAV" : "WebDAV", "Technical details" : "Tæknilegar upplýsingar", "Remote Address: %s" : "Fjartengt vistfang: %s", "Request ID: %s" : "Beiðni um auðkenni: %s", "CalDAV server" : "CalDAV-þjónn", "Send invitations to attendees" : "Senda boð til þátttakenda", - "Please make sure to properly set up the email settings above." : "Gakktu úr skugga um að tölvupóststillingarnar hér fyrir ofan séu réttar." + "Please make sure to properly set up the email settings above." : "Gakktu úr skugga um að tölvupóststillingarnar hér fyrir ofan séu réttar.", + "Automatically generate a birthday calendar" : "Útbúa fæðingardagatal sjálfvirkt", + "Birthday calendars will be generated by a background job." : "Fæðingardagatöl verða útbúin í bakvinnsluferli.", + "Hence they will not be available immediately after enabling but will show up after some time." : "Þar með verða þau ekki tilbúin strax eftir að þetta er virkjað, heldur birtast þau eftir nokkurn tíma." }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/dav/l10n/is.json b/apps/dav/l10n/is.json index 16fd1c96e4d37..639569b55b60c 100644 --- a/apps/dav/l10n/is.json +++ b/apps/dav/l10n/is.json @@ -8,6 +8,8 @@ "You deleted calendar {calendar}" : "Þú eyddir dagatalinu {calendar}", "{actor} updated calendar {calendar}" : "{actor} uppfærði dagatalið {calendar}", "You updated calendar {calendar}" : "Þú uppfærðir dagatalið {calendar}", + "You shared calendar {calendar} as public link" : "Þú deildir dagatalinu {calendar} sem almenningstengli", + "You removed public link for calendar {calendar}" : "Þú fjarlægðir almenningstengilinn fyrir dagatalið {calendar}", "{actor} shared calendar {calendar} with you" : "{actor} deildi dagatalinu {calendar} með þér", "You shared calendar {calendar} with {user}" : "Þú deildir dagatalinu {calendar} með {user}", "{actor} shared calendar {calendar} with {user}" : "{actor} deildi dagatalinu {calendar} með {user}", @@ -51,11 +53,15 @@ "Description:" : "Lýsing:", "Link:" : "Tengill:", "Contacts" : "Tengiliðir", + "WebDAV" : "WebDAV", "Technical details" : "Tæknilegar upplýsingar", "Remote Address: %s" : "Fjartengt vistfang: %s", "Request ID: %s" : "Beiðni um auðkenni: %s", "CalDAV server" : "CalDAV-þjónn", "Send invitations to attendees" : "Senda boð til þátttakenda", - "Please make sure to properly set up the email settings above." : "Gakktu úr skugga um að tölvupóststillingarnar hér fyrir ofan séu réttar." + "Please make sure to properly set up the email settings above." : "Gakktu úr skugga um að tölvupóststillingarnar hér fyrir ofan séu réttar.", + "Automatically generate a birthday calendar" : "Útbúa fæðingardagatal sjálfvirkt", + "Birthday calendars will be generated by a background job." : "Fæðingardagatöl verða útbúin í bakvinnsluferli.", + "Hence they will not be available immediately after enabling but will show up after some time." : "Þar með verða þau ekki tilbúin strax eftir að þetta er virkjað, heldur birtast þau eftir nokkurn tíma." },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/dav/l10n/nb.js b/apps/dav/l10n/nb.js index 3f79541d200bc..84bed9c007888 100644 --- a/apps/dav/l10n/nb.js +++ b/apps/dav/l10n/nb.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Beskrivelse:", "Link:" : "Lenke:", "Contacts" : "Kontakter", + "WebDAV" : "WebDAV", "Technical details" : "Tekniske detaljer", "Remote Address: %s" : "Ekstern adresse: %s", "Request ID: %s" : "Forespørsel ID: %s", diff --git a/apps/dav/l10n/nb.json b/apps/dav/l10n/nb.json index c76b4bc26c6a0..31a7abe615e5d 100644 --- a/apps/dav/l10n/nb.json +++ b/apps/dav/l10n/nb.json @@ -53,6 +53,7 @@ "Description:" : "Beskrivelse:", "Link:" : "Lenke:", "Contacts" : "Kontakter", + "WebDAV" : "WebDAV", "Technical details" : "Tekniske detaljer", "Remote Address: %s" : "Ekstern adresse: %s", "Request ID: %s" : "Forespørsel ID: %s", diff --git a/apps/dav/l10n/nn_NO.js b/apps/dav/l10n/nn_NO.js new file mode 100644 index 0000000000000..5dee7e46749c4 --- /dev/null +++ b/apps/dav/l10n/nn_NO.js @@ -0,0 +1,43 @@ +OC.L10N.register( + "dav", + { + "Calendar" : "Kalendar", + "Todos" : "Å gjere", + "Personal" : "Personleg", + "{actor} created calendar {calendar}" : "{actor} lagde kalendaren {calendar}", + "You created calendar {calendar}" : "Du lagde kalendaren {calendar}", + "{actor} deleted calendar {calendar}" : "{actor} sletta kalendaren {calendar}", + "You deleted calendar {calendar}" : "Du sletta kalendaren {calendar}", + "{actor} updated calendar {calendar}" : "{actor} oppdaterte kalendaren {calendar}", + "You updated calendar {calendar}" : "Du oppdaterte kalendaren {calendar}", + "You shared calendar {calendar} as public link" : "Du delte kalendaren {calendar} som en offentleg lenke", + "You removed public link for calendar {calendar}" : "Du fjerna den offentlege lenka for kalendaren {calendar}", + "{actor} shared calendar {calendar} with you" : "{actor} delte kalendaren {calendar} med deg", + "You shared calendar {calendar} with {user}" : "Du delte kalendaren {calendar} med {user}", + "{actor} shared calendar {calendar} with {user}" : "{actor} delte kalendaren {calendar} med {user}", + "{actor} unshared calendar {calendar} from you" : "{actor} stoppa å dele kalendaren {calendar} med deg", + "You unshared calendar {calendar} from {user}" : "Du stoppa å dele kalendaren {calendar} med {user}", + "{actor} unshared calendar {calendar} from {user}" : "{actor} stoppa å dele kalendaren {calendar} med {user}", + "{actor} unshared calendar {calendar} from themselves" : "{actor} stoppa å dele kalendaren {calendar} med segsjølv", + "You shared calendar {calendar} with group {group}" : "Du delte kalendaren {calendar} med gruppa {group}", + "{actor} shared calendar {calendar} with group {group}" : "{actor} delte kalendaren {calendar} med gruppa {group}", + "You unshared calendar {calendar} from group {group}" : "Du stoppa å dele {calendar} med gruppa {group}", + "{actor} unshared calendar {calendar} from group {group}" : "{actor} stoppa å dele kalendaren {calendar} med gruppa {group}", + "{actor} created event {event} in calendar {calendar}" : "{actor} oppretta ein hending {event} i kalendaren {calendar}", + "You created event {event} in calendar {calendar}" : "Du oppretta ei hending {event} i kalendaren {calendar}", + "{actor} deleted event {event} from calendar {calendar}" : "{actor} seltta ei hending {event} frå kalendaren {calendar}", + "You deleted event {event} from calendar {calendar}" : "Du sletta ei hending {event} frå kalendaren {calendar}", + "{actor} updated event {event} in calendar {calendar}" : "{actor} oppdaterte hendinga {event} i kalendaren {calendar}", + "You updated event {event} in calendar {calendar}" : "Du oppdaterte hendinga {event} i kalendaren {calendar}", + "{actor} created todo {todo} in list {calendar}" : "{actor} oppretta å gjere {todo} i lista {calendar}", + "You created todo {todo} in list {calendar}" : "Du oppretta å gjere {todo} i lista {calendar}", + "{actor} deleted todo {todo} from list {calendar}" : "{actor} sletta å gjere {todo} frå lista {calendar}", + "You deleted todo {todo} from list {calendar}" : "Du sletta å gjere {todo} frå lista {calendar}", + "{actor} updated todo {todo} in list {calendar}" : "{actor} oppdaterte å gjere {todo} i lista {calendar}", + "You updated todo {todo} in list {calendar}" : "Du oppdaterte å gjere {todo} i lista {calendar}", + "{actor} solved todo {todo} in list {calendar}" : "{actor} løyste å gjere {todo} i lista {calendar}", + "You solved todo {todo} in list {calendar}" : "Du løyste å gjere {todo} i lista {calendar}", + "{actor} reopened todo {todo} in list {calendar}" : "{actor} igjen-opna å gjere {todo} i lista {calendar}", + "You reopened todo {todo} in list {calendar}" : "Du igjen-opna å gjere {todo} i lista {calendar}" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/dav/l10n/nn_NO.json b/apps/dav/l10n/nn_NO.json new file mode 100644 index 0000000000000..3323f9f708852 --- /dev/null +++ b/apps/dav/l10n/nn_NO.json @@ -0,0 +1,41 @@ +{ "translations": { + "Calendar" : "Kalendar", + "Todos" : "Å gjere", + "Personal" : "Personleg", + "{actor} created calendar {calendar}" : "{actor} lagde kalendaren {calendar}", + "You created calendar {calendar}" : "Du lagde kalendaren {calendar}", + "{actor} deleted calendar {calendar}" : "{actor} sletta kalendaren {calendar}", + "You deleted calendar {calendar}" : "Du sletta kalendaren {calendar}", + "{actor} updated calendar {calendar}" : "{actor} oppdaterte kalendaren {calendar}", + "You updated calendar {calendar}" : "Du oppdaterte kalendaren {calendar}", + "You shared calendar {calendar} as public link" : "Du delte kalendaren {calendar} som en offentleg lenke", + "You removed public link for calendar {calendar}" : "Du fjerna den offentlege lenka for kalendaren {calendar}", + "{actor} shared calendar {calendar} with you" : "{actor} delte kalendaren {calendar} med deg", + "You shared calendar {calendar} with {user}" : "Du delte kalendaren {calendar} med {user}", + "{actor} shared calendar {calendar} with {user}" : "{actor} delte kalendaren {calendar} med {user}", + "{actor} unshared calendar {calendar} from you" : "{actor} stoppa å dele kalendaren {calendar} med deg", + "You unshared calendar {calendar} from {user}" : "Du stoppa å dele kalendaren {calendar} med {user}", + "{actor} unshared calendar {calendar} from {user}" : "{actor} stoppa å dele kalendaren {calendar} med {user}", + "{actor} unshared calendar {calendar} from themselves" : "{actor} stoppa å dele kalendaren {calendar} med segsjølv", + "You shared calendar {calendar} with group {group}" : "Du delte kalendaren {calendar} med gruppa {group}", + "{actor} shared calendar {calendar} with group {group}" : "{actor} delte kalendaren {calendar} med gruppa {group}", + "You unshared calendar {calendar} from group {group}" : "Du stoppa å dele {calendar} med gruppa {group}", + "{actor} unshared calendar {calendar} from group {group}" : "{actor} stoppa å dele kalendaren {calendar} med gruppa {group}", + "{actor} created event {event} in calendar {calendar}" : "{actor} oppretta ein hending {event} i kalendaren {calendar}", + "You created event {event} in calendar {calendar}" : "Du oppretta ei hending {event} i kalendaren {calendar}", + "{actor} deleted event {event} from calendar {calendar}" : "{actor} seltta ei hending {event} frå kalendaren {calendar}", + "You deleted event {event} from calendar {calendar}" : "Du sletta ei hending {event} frå kalendaren {calendar}", + "{actor} updated event {event} in calendar {calendar}" : "{actor} oppdaterte hendinga {event} i kalendaren {calendar}", + "You updated event {event} in calendar {calendar}" : "Du oppdaterte hendinga {event} i kalendaren {calendar}", + "{actor} created todo {todo} in list {calendar}" : "{actor} oppretta å gjere {todo} i lista {calendar}", + "You created todo {todo} in list {calendar}" : "Du oppretta å gjere {todo} i lista {calendar}", + "{actor} deleted todo {todo} from list {calendar}" : "{actor} sletta å gjere {todo} frå lista {calendar}", + "You deleted todo {todo} from list {calendar}" : "Du sletta å gjere {todo} frå lista {calendar}", + "{actor} updated todo {todo} in list {calendar}" : "{actor} oppdaterte å gjere {todo} i lista {calendar}", + "You updated todo {todo} in list {calendar}" : "Du oppdaterte å gjere {todo} i lista {calendar}", + "{actor} solved todo {todo} in list {calendar}" : "{actor} løyste å gjere {todo} i lista {calendar}", + "You solved todo {todo} in list {calendar}" : "Du løyste å gjere {todo} i lista {calendar}", + "{actor} reopened todo {todo} in list {calendar}" : "{actor} igjen-opna å gjere {todo} i lista {calendar}", + "You reopened todo {todo} in list {calendar}" : "Du igjen-opna å gjere {todo} i lista {calendar}" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/dav/l10n/zh_TW.js b/apps/dav/l10n/zh_TW.js index 30e5137e6abfb..0ebd869fa8dde 100644 --- a/apps/dav/l10n/zh_TW.js +++ b/apps/dav/l10n/zh_TW.js @@ -1,11 +1,46 @@ OC.L10N.register( "dav", { - "Contact birthdays" : "聯絡人生日", + "Calendar" : "日曆", + "Todos" : "待辦事項", "Personal" : "個人", + "{actor} created calendar {calendar}" : "{actor} 建立了日曆 {calendar}", + "You created calendar {calendar}" : "您建立了日曆 {calendar}", + "{actor} deleted calendar {calendar}" : "{actor} 刪除了日曆 {calendar}", + "You deleted calendar {calendar}" : "您刪除了日曆 {calendar}", + "{actor} updated calendar {calendar}" : "{actor} 更新了日曆 {calendar}", + "You updated calendar {calendar}" : "你更新了日曆 {calendar}", + "{actor} shared calendar {calendar} with you" : "{actor} 與你分享了{calendar} ", + "You shared calendar {calendar} with {user}" : "你與 {user} 分享了 {calendar} ", + "{actor} shared calendar {calendar} with {user}" : "{actor} 與 {user} 分享了日曆 {calendar} ", + "{actor} unshared calendar {calendar} from you" : "{actor} 停止與您分享日曆 {calendar}", + "You unshared calendar {calendar} from {user}" : "您停止與 {user} 分享日曆 {calendar}", + "{actor} unshared calendar {calendar} from {user}" : "{actor} 停止與 {user} 分享日曆 {calendar}", + "{actor} unshared calendar {calendar} from themselves" : "{actor} 停止與他們自己分享日曆 {calendar}", + "You shared calendar {calendar} with group {group}" : "您與群組 {group} 分享了日曆 {calendar}", + "{actor} shared calendar {calendar} with group {group}" : "{actor} 與群組 {group} 分享了日曆 {calendar}", + "You unshared calendar {calendar} from group {group}" : "您已停止與群組 {group} 分享日曆 {calendar}", + "You updated event {event} in calendar {calendar}" : "您更新了日曆 {calendar}中的事件{event}", + "A calendar was modified" : "一個日曆被更動", + "A calendar event was modified" : "一個日曆活動被更動", + "A calendar todo was modified" : "一個日曆代辦事項被更動", + "Contact birthdays" : "聯絡人生日", + "%s via %s" : "%s 透過 %s", + "Invitation canceled" : "邀請被取消了", + "Hello %s," : "%s您好,", + "The meeting »%s« with %s was canceled." : "會議 %s 與 %s 被取消了", + "Invitation updated" : "邀請更新", + "The meeting »%s« with %s was updated." : "會議 %s 與 %s 有所更動", + "%s invited you to »%s«" : "%s邀請了您到%s", + "When:" : "時間", + "Where:" : "地點", + "Description:" : "描述", + "Link:" : "連結", "Contacts" : "聯絡人", "Technical details" : "技術細節", "Remote Address: %s" : "遠端位置:%s", - "Request ID: %s" : "請求編號:%s" + "Request ID: %s" : "請求編號:%s", + "CalDAV server" : "網路行事曆伺服器", + "Send invitations to attendees" : "發送邀請函給參加者" }, "nplurals=1; plural=0;"); diff --git a/apps/dav/l10n/zh_TW.json b/apps/dav/l10n/zh_TW.json index a388341d78c11..d41e70036bbbf 100644 --- a/apps/dav/l10n/zh_TW.json +++ b/apps/dav/l10n/zh_TW.json @@ -1,9 +1,44 @@ { "translations": { - "Contact birthdays" : "聯絡人生日", + "Calendar" : "日曆", + "Todos" : "待辦事項", "Personal" : "個人", + "{actor} created calendar {calendar}" : "{actor} 建立了日曆 {calendar}", + "You created calendar {calendar}" : "您建立了日曆 {calendar}", + "{actor} deleted calendar {calendar}" : "{actor} 刪除了日曆 {calendar}", + "You deleted calendar {calendar}" : "您刪除了日曆 {calendar}", + "{actor} updated calendar {calendar}" : "{actor} 更新了日曆 {calendar}", + "You updated calendar {calendar}" : "你更新了日曆 {calendar}", + "{actor} shared calendar {calendar} with you" : "{actor} 與你分享了{calendar} ", + "You shared calendar {calendar} with {user}" : "你與 {user} 分享了 {calendar} ", + "{actor} shared calendar {calendar} with {user}" : "{actor} 與 {user} 分享了日曆 {calendar} ", + "{actor} unshared calendar {calendar} from you" : "{actor} 停止與您分享日曆 {calendar}", + "You unshared calendar {calendar} from {user}" : "您停止與 {user} 分享日曆 {calendar}", + "{actor} unshared calendar {calendar} from {user}" : "{actor} 停止與 {user} 分享日曆 {calendar}", + "{actor} unshared calendar {calendar} from themselves" : "{actor} 停止與他們自己分享日曆 {calendar}", + "You shared calendar {calendar} with group {group}" : "您與群組 {group} 分享了日曆 {calendar}", + "{actor} shared calendar {calendar} with group {group}" : "{actor} 與群組 {group} 分享了日曆 {calendar}", + "You unshared calendar {calendar} from group {group}" : "您已停止與群組 {group} 分享日曆 {calendar}", + "You updated event {event} in calendar {calendar}" : "您更新了日曆 {calendar}中的事件{event}", + "A calendar was modified" : "一個日曆被更動", + "A calendar event was modified" : "一個日曆活動被更動", + "A calendar todo was modified" : "一個日曆代辦事項被更動", + "Contact birthdays" : "聯絡人生日", + "%s via %s" : "%s 透過 %s", + "Invitation canceled" : "邀請被取消了", + "Hello %s," : "%s您好,", + "The meeting »%s« with %s was canceled." : "會議 %s 與 %s 被取消了", + "Invitation updated" : "邀請更新", + "The meeting »%s« with %s was updated." : "會議 %s 與 %s 有所更動", + "%s invited you to »%s«" : "%s邀請了您到%s", + "When:" : "時間", + "Where:" : "地點", + "Description:" : "描述", + "Link:" : "連結", "Contacts" : "聯絡人", "Technical details" : "技術細節", "Remote Address: %s" : "遠端位置:%s", - "Request ID: %s" : "請求編號:%s" + "Request ID: %s" : "請求編號:%s", + "CalDAV server" : "網路行事曆伺服器", + "Send invitations to attendees" : "發送邀請函給參加者" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/encryption/l10n/az.js b/apps/encryption/l10n/az.js index 0b429f903faf3..5e3bb0198af11 100644 --- a/apps/encryption/l10n/az.js +++ b/apps/encryption/l10n/az.js @@ -17,8 +17,6 @@ OC.L10N.register( "The old password was not correct, please try again." : "Köhnə şifrə düzgün deyildi, xahiş olunur yenidən cəhd edəsiniz.", "The current log-in password was not correct, please try again." : "Hal-hazırki istifadəçi şifrəsi düzgün deyildi, xahiş olunur yenidən cəhd edəsiniz.", "Private key password successfully updated." : "Gizli aşar şifrəsi uğurla yeniləndi.", - "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Şifrələnmə proqramı üçün yalnış şəxsi açar. Xahiş olunur öz şəxsi quraşdırmalarınızda şəxsi açarınızı yeniləyəsiniz ki, şifrələnmiş fayllara yetki ala biləsiniz. ", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Proqram şifrələnməsi işə salınıb ancaq, sizin açarlar inisializasiya edilməyib. Xahiş edilir çıxıb yenidən daxil olasınız", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Bu faylı deşifrə etmək olmur və ola bilər ki, bu paylaşımda olan fayldır. Xahiş olunur faylın sahibinə həmin faylı sizinlə yenidən paylaşım etməsini bildirəsiniz. ", "Cheers!" : "Şərəfə!", "Recovery key password" : "Açar şifrənin bərpa edilməsi", diff --git a/apps/encryption/l10n/az.json b/apps/encryption/l10n/az.json index fc5ab73b8b428..9aa33d8b69619 100644 --- a/apps/encryption/l10n/az.json +++ b/apps/encryption/l10n/az.json @@ -15,8 +15,6 @@ "The old password was not correct, please try again." : "Köhnə şifrə düzgün deyildi, xahiş olunur yenidən cəhd edəsiniz.", "The current log-in password was not correct, please try again." : "Hal-hazırki istifadəçi şifrəsi düzgün deyildi, xahiş olunur yenidən cəhd edəsiniz.", "Private key password successfully updated." : "Gizli aşar şifrəsi uğurla yeniləndi.", - "Invalid private key for Encryption App. Please update your private key password in your personal settings to recover access to your encrypted files." : "Şifrələnmə proqramı üçün yalnış şəxsi açar. Xahiş olunur öz şəxsi quraşdırmalarınızda şəxsi açarınızı yeniləyəsiniz ki, şifrələnmiş fayllara yetki ala biləsiniz. ", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Proqram şifrələnməsi işə salınıb ancaq, sizin açarlar inisializasiya edilməyib. Xahiş edilir çıxıb yenidən daxil olasınız", "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Bu faylı deşifrə etmək olmur və ola bilər ki, bu paylaşımda olan fayldır. Xahiş olunur faylın sahibinə həmin faylı sizinlə yenidən paylaşım etməsini bildirəsiniz. ", "Cheers!" : "Şərəfə!", "Recovery key password" : "Açar şifrənin bərpa edilməsi", diff --git a/apps/encryption/l10n/bg.js b/apps/encryption/l10n/bg.js new file mode 100644 index 0000000000000..e9ebe5388a15c --- /dev/null +++ b/apps/encryption/l10n/bg.js @@ -0,0 +1,40 @@ +OC.L10N.register( + "encryption", + { + "Missing recovery key password" : "Липсва парола за възстановяване", + "Please repeat the recovery key password" : "Повтори новата парола за възстановяване", + "Repeated recovery key password does not match the provided recovery key password" : "Повторената парола за възстановяване не съвпада със зададената парола за възстановяване", + "Recovery key successfully enabled" : "Успешно включване на опцията ключ за възстановяване.", + "Could not enable recovery key. Please check your recovery key password!" : "Неуспешно включване на опцията ключ за възстановяване. Моля, провери паролата за ключа за възстановяване.", + "Recovery key successfully disabled" : "Успешно изключване на ключа за възстановяване.", + "Could not disable recovery key. Please check your recovery key password!" : "Неуспешно изключване на ключа за възстановяване. Моля, провери паролата за ключа за възстановяване!", + "Missing parameters" : "Липсващи параметри", + "Please provide the old recovery password" : "Моля, въведи старата парола за възстановяване", + "Please provide a new recovery password" : "Моля, задай нова парола за възстановяване", + "Please repeat the new recovery password" : "Моля, въведи повторна новата парола за възстановяване", + "Password successfully changed." : "Паролата е успешно променена.", + "Could not change the password. Maybe the old password was not correct." : "Грешка при промяна на паролата. Може би старата ти парола е сгрешена.", + "Could not update the private key password." : "Неуспешна промяна на паролата на личния ключ", + "The old password was not correct, please try again." : "Старата парола е грешна, опитай отново.", + "The current log-in password was not correct, please try again." : "Грешна парола за вписване, опитай отново.", + "Private key password successfully updated." : "Успешно променена тайната парола за ключа.", + "Missing Signature" : "Липсва подпис", + "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Файлът не може да бъде разшифроване, вероятно е споделен файл. Моля, помолете собственика на файла да го сподели повторно.", + "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Файлът не може да бъде прочетен, вероятно е споделен файл. Моля, помолете собственика на файла да го сподели повторно.", + "The share will expire on %s." : "Споделянето ще изтече на %s.", + "Cheers!" : "Поздрави!", + "Recovery key password" : "Парола за възстановяане на ключа", + "Change recovery key password:" : "Промени паролата за въстановяване на ключа:", + "Change Password" : "Промени Паролата", + "Your private key password no longer matches your log-in password." : "Личният ви ключ не съвпада с паролата за вписване.", + "Set your old private key password to your current log-in password:" : "Промени паролата за тайния ти включ на паролата за вписване:", + " If you don't remember your old password you can ask your administrator to recover your files." : "Ако не помниш старата парола помоли администратора да възстанови файловете ти.", + "Old log-in password" : "Стара парола за вписване", + "Current log-in password" : "Текуща парола за вписване", + "Update Private Key Password" : "Промени Тайната Парола за Ключа", + "Enable password recovery:" : "Включи опцията възстановяване на паролата:", + "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Избирането на тази опция ще ти позволи да възстановиш достъпа си до файловете в случай на изгубена парола.", + "Enabled" : "Включено", + "Disabled" : "Изключено" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/encryption/l10n/bg.json b/apps/encryption/l10n/bg.json new file mode 100644 index 0000000000000..20f8203d5830b --- /dev/null +++ b/apps/encryption/l10n/bg.json @@ -0,0 +1,38 @@ +{ "translations": { + "Missing recovery key password" : "Липсва парола за възстановяване", + "Please repeat the recovery key password" : "Повтори новата парола за възстановяване", + "Repeated recovery key password does not match the provided recovery key password" : "Повторената парола за възстановяване не съвпада със зададената парола за възстановяване", + "Recovery key successfully enabled" : "Успешно включване на опцията ключ за възстановяване.", + "Could not enable recovery key. Please check your recovery key password!" : "Неуспешно включване на опцията ключ за възстановяване. Моля, провери паролата за ключа за възстановяване.", + "Recovery key successfully disabled" : "Успешно изключване на ключа за възстановяване.", + "Could not disable recovery key. Please check your recovery key password!" : "Неуспешно изключване на ключа за възстановяване. Моля, провери паролата за ключа за възстановяване!", + "Missing parameters" : "Липсващи параметри", + "Please provide the old recovery password" : "Моля, въведи старата парола за възстановяване", + "Please provide a new recovery password" : "Моля, задай нова парола за възстановяване", + "Please repeat the new recovery password" : "Моля, въведи повторна новата парола за възстановяване", + "Password successfully changed." : "Паролата е успешно променена.", + "Could not change the password. Maybe the old password was not correct." : "Грешка при промяна на паролата. Може би старата ти парола е сгрешена.", + "Could not update the private key password." : "Неуспешна промяна на паролата на личния ключ", + "The old password was not correct, please try again." : "Старата парола е грешна, опитай отново.", + "The current log-in password was not correct, please try again." : "Грешна парола за вписване, опитай отново.", + "Private key password successfully updated." : "Успешно променена тайната парола за ключа.", + "Missing Signature" : "Липсва подпис", + "Can not decrypt this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Файлът не може да бъде разшифроване, вероятно е споделен файл. Моля, помолете собственика на файла да го сподели повторно.", + "Can not read this file, probably this is a shared file. Please ask the file owner to reshare the file with you." : "Файлът не може да бъде прочетен, вероятно е споделен файл. Моля, помолете собственика на файла да го сподели повторно.", + "The share will expire on %s." : "Споделянето ще изтече на %s.", + "Cheers!" : "Поздрави!", + "Recovery key password" : "Парола за възстановяане на ключа", + "Change recovery key password:" : "Промени паролата за въстановяване на ключа:", + "Change Password" : "Промени Паролата", + "Your private key password no longer matches your log-in password." : "Личният ви ключ не съвпада с паролата за вписване.", + "Set your old private key password to your current log-in password:" : "Промени паролата за тайния ти включ на паролата за вписване:", + " If you don't remember your old password you can ask your administrator to recover your files." : "Ако не помниш старата парола помоли администратора да възстанови файловете ти.", + "Old log-in password" : "Стара парола за вписване", + "Current log-in password" : "Текуща парола за вписване", + "Update Private Key Password" : "Промени Тайната Парола за Ключа", + "Enable password recovery:" : "Включи опцията възстановяване на паролата:", + "Enabling this option will allow you to reobtain access to your encrypted files in case of password loss" : "Избирането на тази опция ще ти позволи да възстановиш достъпа си до файловете в случай на изгубена парола.", + "Enabled" : "Включено", + "Disabled" : "Изключено" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/encryption/l10n/et_EE.js b/apps/encryption/l10n/et_EE.js index f06eb5bf29cdd..9352a4baa6e2d 100644 --- a/apps/encryption/l10n/et_EE.js +++ b/apps/encryption/l10n/et_EE.js @@ -34,7 +34,6 @@ OC.L10N.register( "New recovery key password" : "Uus taastevõtme parool", "Repeat new recovery key password" : "Korda uut taastevõtme parooli", "Change Password" : "Muuda parooli", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krüpteerimisrakend on lubatud, kuid võtmeid pole lähtestatud. Palun logi välja ning uuesti sisse.", "Your private key password no longer matches your log-in password." : "Sinu provaatvõtme parool ei kattu enam sinu sisselogimise parooliga.", "Set your old private key password to your current log-in password:" : "Pane oma vana privaatvõtme parooliks oma praegune sisselogimise parool.", " If you don't remember your old password you can ask your administrator to recover your files." : "Kui sa ei mäleta oma vana parooli, siis palu oma süsteemihalduril taastada ligipääs failidele.", diff --git a/apps/encryption/l10n/et_EE.json b/apps/encryption/l10n/et_EE.json index 6e642b8d35958..3083de351f6d4 100644 --- a/apps/encryption/l10n/et_EE.json +++ b/apps/encryption/l10n/et_EE.json @@ -32,7 +32,6 @@ "New recovery key password" : "Uus taastevõtme parool", "Repeat new recovery key password" : "Korda uut taastevõtme parooli", "Change Password" : "Muuda parooli", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Krüpteerimisrakend on lubatud, kuid võtmeid pole lähtestatud. Palun logi välja ning uuesti sisse.", "Your private key password no longer matches your log-in password." : "Sinu provaatvõtme parool ei kattu enam sinu sisselogimise parooliga.", "Set your old private key password to your current log-in password:" : "Pane oma vana privaatvõtme parooliks oma praegune sisselogimise parool.", " If you don't remember your old password you can ask your administrator to recover your files." : "Kui sa ei mäleta oma vana parooli, siis palu oma süsteemihalduril taastada ligipääs failidele.", diff --git a/apps/encryption/l10n/fa.js b/apps/encryption/l10n/fa.js index 85277db61d9d3..c4759a799e800 100644 --- a/apps/encryption/l10n/fa.js +++ b/apps/encryption/l10n/fa.js @@ -19,7 +19,6 @@ OC.L10N.register( "Could not update the private key password." : "امکان بروزرسانی رمزعبور کلید خصوصی وجود ندارد.", "The old password was not correct, please try again." : "رمزعبور قدیمی اشتباه است، لطفا مجددا تلاش کنید.", "Private key password successfully updated." : "رمزعبور کلید خصوصی با موفقیت به روز شد.", - "Encryption App is enabled and ready" : "برنامه رمزگذاری فعال و آماده است", "The share will expire on %s." : "اشتراک‌گذاری در %s منقضی خواهد شد.", "Cheers!" : "سلامتی!", "Enable recovery key" : "فعال‌سازی کلید بازیابی", @@ -31,7 +30,6 @@ OC.L10N.register( "New recovery key password" : "رمزعبور جدید کلید بازیابی", "Repeat new recovery key password" : "تکرار رمزعبور جدید کلید بازیابی", "Change Password" : "تغییر رمزعبور", - "basic encryption module" : "ماژول پایه رمزگذاری", " If you don't remember your old password you can ask your administrator to recover your files." : "اگر رمزعبور قدیمی را فراموش کرده اید میتوانید از مدیر خود برای بازیابی فایل هایتان درخواست نمایید.", "Old log-in password" : "رمزعبور قدیمی", "Current log-in password" : "رمزعبور فعلی", diff --git a/apps/encryption/l10n/fa.json b/apps/encryption/l10n/fa.json index 1749d0b065a64..a9adbebb31b87 100644 --- a/apps/encryption/l10n/fa.json +++ b/apps/encryption/l10n/fa.json @@ -17,7 +17,6 @@ "Could not update the private key password." : "امکان بروزرسانی رمزعبور کلید خصوصی وجود ندارد.", "The old password was not correct, please try again." : "رمزعبور قدیمی اشتباه است، لطفا مجددا تلاش کنید.", "Private key password successfully updated." : "رمزعبور کلید خصوصی با موفقیت به روز شد.", - "Encryption App is enabled and ready" : "برنامه رمزگذاری فعال و آماده است", "The share will expire on %s." : "اشتراک‌گذاری در %s منقضی خواهد شد.", "Cheers!" : "سلامتی!", "Enable recovery key" : "فعال‌سازی کلید بازیابی", @@ -29,7 +28,6 @@ "New recovery key password" : "رمزعبور جدید کلید بازیابی", "Repeat new recovery key password" : "تکرار رمزعبور جدید کلید بازیابی", "Change Password" : "تغییر رمزعبور", - "basic encryption module" : "ماژول پایه رمزگذاری", " If you don't remember your old password you can ask your administrator to recover your files." : "اگر رمزعبور قدیمی را فراموش کرده اید میتوانید از مدیر خود برای بازیابی فایل هایتان درخواست نمایید.", "Old log-in password" : "رمزعبور قدیمی", "Current log-in password" : "رمزعبور فعلی", diff --git a/apps/encryption/l10n/ro.js b/apps/encryption/l10n/ro.js index 061fc0b604498..416907450d4ff 100644 --- a/apps/encryption/l10n/ro.js +++ b/apps/encryption/l10n/ro.js @@ -35,7 +35,6 @@ OC.L10N.register( "New recovery key password" : "Parola nouă a cheii de recuperare", "Repeat new recovery key password" : "Repetă parola nouă a cheii de recuperare", "Change Password" : "Schimbă parola", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplicația de criptare este activată dar cheile nu sunt inițializate, te rugăm reautentifică-te", "Your private key password no longer matches your log-in password." : "Parola cheii tale private nu se mai potrivește cu parola pentru autentificare.", "Old log-in password" : "Parola veche pentru autentificare", "Current log-in password" : "Parola curentă pentru autentificare", diff --git a/apps/encryption/l10n/ro.json b/apps/encryption/l10n/ro.json index 5c548ea34db3a..9b7bfaa24028b 100644 --- a/apps/encryption/l10n/ro.json +++ b/apps/encryption/l10n/ro.json @@ -33,7 +33,6 @@ "New recovery key password" : "Parola nouă a cheii de recuperare", "Repeat new recovery key password" : "Repetă parola nouă a cheii de recuperare", "Change Password" : "Schimbă parola", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Aplicația de criptare este activată dar cheile nu sunt inițializate, te rugăm reautentifică-te", "Your private key password no longer matches your log-in password." : "Parola cheii tale private nu se mai potrivește cu parola pentru autentificare.", "Old log-in password" : "Parola veche pentru autentificare", "Current log-in password" : "Parola curentă pentru autentificare", diff --git a/apps/encryption/l10n/uk.js b/apps/encryption/l10n/uk.js index b6023715cec68..3c256d336dc0d 100644 --- a/apps/encryption/l10n/uk.js +++ b/apps/encryption/l10n/uk.js @@ -34,7 +34,6 @@ OC.L10N.register( "New recovery key password" : "Новий пароль ключа відновлення", "Repeat new recovery key password" : "Повторіть новий пароль ключа відновлення", "Change Password" : "Змінити Пароль", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Доданок шифрування ввімкнено, але ваші ключі не ініціалізовано, вийдіть та зайдіть знову", "Your private key password no longer matches your log-in password." : "Пароль вашого закритого ключа більше не відповідає паролю від вашого облікового запису.", "Set your old private key password to your current log-in password:" : "Замініть старий пароль від закритого ключа на новий пароль входу:", " If you don't remember your old password you can ask your administrator to recover your files." : "Якщо ви не пам'ятаєте ваш старий пароль, ви можете звернутися до адміністратора щоб його відновити.", diff --git a/apps/encryption/l10n/uk.json b/apps/encryption/l10n/uk.json index c19c3591a5628..05b5108588e1a 100644 --- a/apps/encryption/l10n/uk.json +++ b/apps/encryption/l10n/uk.json @@ -32,7 +32,6 @@ "New recovery key password" : "Новий пароль ключа відновлення", "Repeat new recovery key password" : "Повторіть новий пароль ключа відновлення", "Change Password" : "Змінити Пароль", - "Encryption App is enabled but your keys are not initialized, please log-out and log-in again" : "Доданок шифрування ввімкнено, але ваші ключі не ініціалізовано, вийдіть та зайдіть знову", "Your private key password no longer matches your log-in password." : "Пароль вашого закритого ключа більше не відповідає паролю від вашого облікового запису.", "Set your old private key password to your current log-in password:" : "Замініть старий пароль від закритого ключа на новий пароль входу:", " If you don't remember your old password you can ask your administrator to recover your files." : "Якщо ви не пам'ятаєте ваш старий пароль, ви можете звернутися до адміністратора щоб його відновити.", diff --git a/apps/federatedfilesharing/l10n/ast.js b/apps/federatedfilesharing/l10n/ast.js index 3b5affabbb9bf..b05941955e351 100644 --- a/apps/federatedfilesharing/l10n/ast.js +++ b/apps/federatedfilesharing/l10n/ast.js @@ -1,9 +1,35 @@ OC.L10N.register( "federatedfilesharing", { - "Invalid Federated Cloud ID" : "Inválidu ID de Ñube Federada", - "Sharing %s failed, because this item is already shared with %s" : "Compartir %s falló, porque esti elementu yá ta compartiéndose con %s", + "Federated sharing" : "Compartición federada", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Quies amestar la compartición remota {name} de {owner}@{remote}?", + "Remote share" : "Compartición remota", + "Remote share password" : "Contraseña de compartición remota", + "Cancel" : "Encaboxar", + "Add remote share" : "Amestar compartición remota", + "Copy" : "Copiar", + "Copied!" : "¡Copióse!", + "Not supported!" : "¡Nun se sofita!", + "Press ⌘-C to copy." : "Primi ⌘-C pa copiar .", + "Press Ctrl-C to copy." : "Primi Ctrl-C pa copiar.", + "Invalid Federated Cloud ID" : "ID non válida de ñube federada", + "Server to server sharing is not enabled on this server" : "Nun s'habilitó la compartición sirvidor a sirvidor nesti sirvidor", + "Couldn't establish a federated share." : "Nun pud afitase una compartición federada.", + "Couldn't establish a federated share, maybe the password was wrong." : "Nun pudo afitase una compartición federada, quiciabes la contraseña tubiere mal.", + "The mountpoint name contains invalid characters." : "El nome del puntu de montaxe contién caráuteres non válidos.", + "Not allowed to create a federated share with the owner." : "Nun se permite'l crear una compartición federada col dueñu.", + "Storage not valid" : "Almacenamientu non válidu", + "Couldn't add remote share" : "Nun pudo amestase la compartición remota", + "Sharing %s failed, because this item is already shared with %s" : "Falló la compartición de %s porque esti elementu yá ta compartíu con %s", "Not allowed to create a federated share with the same user" : "Nun s'almite crear un recursu compartíu federáu col mesmu usuariu", - "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Compartir %s falló, nun pudo atopase %s, pue qu'el servidor nun seya anguaño algamable." + "File is already shared with %s" : "El ficheru yá ta compartíu con %s", + "Could not find share" : "Nun pudo alcontrase la compartición", + "Accept" : "Aceutar", + "Decline" : "Refugar", + "Federated Cloud Sharing" : "Compartición de ñube federada", + "Open documentation" : "Abrir documentación", + "Federated Cloud" : "Ñube federada", + "Your Federated Cloud ID:" : "La to ID de ñube federada:", + "HTML Code:" : "Códigu HTML:" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/ast.json b/apps/federatedfilesharing/l10n/ast.json index e5eb10cf14ee1..182203c76d89a 100644 --- a/apps/federatedfilesharing/l10n/ast.json +++ b/apps/federatedfilesharing/l10n/ast.json @@ -1,7 +1,33 @@ { "translations": { - "Invalid Federated Cloud ID" : "Inválidu ID de Ñube Federada", - "Sharing %s failed, because this item is already shared with %s" : "Compartir %s falló, porque esti elementu yá ta compartiéndose con %s", + "Federated sharing" : "Compartición federada", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Quies amestar la compartición remota {name} de {owner}@{remote}?", + "Remote share" : "Compartición remota", + "Remote share password" : "Contraseña de compartición remota", + "Cancel" : "Encaboxar", + "Add remote share" : "Amestar compartición remota", + "Copy" : "Copiar", + "Copied!" : "¡Copióse!", + "Not supported!" : "¡Nun se sofita!", + "Press ⌘-C to copy." : "Primi ⌘-C pa copiar .", + "Press Ctrl-C to copy." : "Primi Ctrl-C pa copiar.", + "Invalid Federated Cloud ID" : "ID non válida de ñube federada", + "Server to server sharing is not enabled on this server" : "Nun s'habilitó la compartición sirvidor a sirvidor nesti sirvidor", + "Couldn't establish a federated share." : "Nun pud afitase una compartición federada.", + "Couldn't establish a federated share, maybe the password was wrong." : "Nun pudo afitase una compartición federada, quiciabes la contraseña tubiere mal.", + "The mountpoint name contains invalid characters." : "El nome del puntu de montaxe contién caráuteres non válidos.", + "Not allowed to create a federated share with the owner." : "Nun se permite'l crear una compartición federada col dueñu.", + "Storage not valid" : "Almacenamientu non válidu", + "Couldn't add remote share" : "Nun pudo amestase la compartición remota", + "Sharing %s failed, because this item is already shared with %s" : "Falló la compartición de %s porque esti elementu yá ta compartíu con %s", "Not allowed to create a federated share with the same user" : "Nun s'almite crear un recursu compartíu federáu col mesmu usuariu", - "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "Compartir %s falló, nun pudo atopase %s, pue qu'el servidor nun seya anguaño algamable." + "File is already shared with %s" : "El ficheru yá ta compartíu con %s", + "Could not find share" : "Nun pudo alcontrase la compartición", + "Accept" : "Aceutar", + "Decline" : "Refugar", + "Federated Cloud Sharing" : "Compartición de ñube federada", + "Open documentation" : "Abrir documentación", + "Federated Cloud" : "Ñube federada", + "Your Federated Cloud ID:" : "La to ID de ñube federada:", + "HTML Code:" : "Códigu HTML:" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/bg.js b/apps/federatedfilesharing/l10n/bg.js new file mode 100644 index 0000000000000..06e95966f292d --- /dev/null +++ b/apps/federatedfilesharing/l10n/bg.js @@ -0,0 +1,34 @@ +OC.L10N.register( + "federatedfilesharing", + { + "Federated sharing" : "Федерално споделяне", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Искате ли да добавите отдалечено споделяне {name} от {owner}@{remote}?", + "Remote share" : "Отдалечено споделяне", + "Remote share password" : "Парола за отдалечено споделяне", + "Cancel" : "Отказ", + "Add remote share" : "Добави отдалечено споделяне", + "Copy" : "Копиране", + "Copied!" : "Копирано!", + "Not supported!" : "Не се поддържа!", + "Press ⌘-C to copy." : "За копиране натиснете ⌘-C", + "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C", + "Invalid Federated Cloud ID" : "Невалидно Федерално Cloud ID", + "Server to server sharing is not enabled on this server" : "Споделяне между сървъри не е разрешено на този сървър.", + "Couldn't establish a federated share." : "Неуспешно осъществяване на федерално споделяне", + "Couldn't establish a federated share, maybe the password was wrong." : "Неуспешно осъществяване на федерално споделяне, можеби паролата е грепна.", + "The mountpoint name contains invalid characters." : "Името на mountpoint-a съдържа невалидни символи.", + "Not allowed to create a federated share with the owner." : "Не е позволено създаване на федерално споделяне със собственика.", + "Invalid or untrusted SSL certificate" : "Невалиден или ненадежден SSL сертификат", + "Could not authenticate to remote share, password might be wrong" : "Неуспешно удостоверяване на отдалеченото споделяне, възможно е паролата да е грешна", + "Storage not valid" : "Невалидно хранилище", + "Couldn't add remote share" : "Неуспешно добавяне на отдалечена споделена директория.", + "Sharing %s failed, because this item is already shared with %s" : "Неуспешно споделяне на %s, защото съдържанието е вече споделено с %s.", + "Not allowed to create a federated share with the same user" : "Не е позволено създаване на федерално споделяне със същият потребител", + "File is already shared with %s" : "Файлът е вече споделен с %s", + "Accept" : "Приемам", + "Open documentation" : "Отвори документацията", + "Allow users on this server to send shares to other servers" : "Позволи на потребители от този сървър да споделят папки с други сървъри", + "Allow users on this server to receive shares from other servers" : "Позволи на потребители на този сървър да получават споделени папки от други сървъри", + "HTML Code:" : "HTML код:" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/bg.json b/apps/federatedfilesharing/l10n/bg.json new file mode 100644 index 0000000000000..bb677b682668a --- /dev/null +++ b/apps/federatedfilesharing/l10n/bg.json @@ -0,0 +1,32 @@ +{ "translations": { + "Federated sharing" : "Федерално споделяне", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Искате ли да добавите отдалечено споделяне {name} от {owner}@{remote}?", + "Remote share" : "Отдалечено споделяне", + "Remote share password" : "Парола за отдалечено споделяне", + "Cancel" : "Отказ", + "Add remote share" : "Добави отдалечено споделяне", + "Copy" : "Копиране", + "Copied!" : "Копирано!", + "Not supported!" : "Не се поддържа!", + "Press ⌘-C to copy." : "За копиране натиснете ⌘-C", + "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C", + "Invalid Federated Cloud ID" : "Невалидно Федерално Cloud ID", + "Server to server sharing is not enabled on this server" : "Споделяне между сървъри не е разрешено на този сървър.", + "Couldn't establish a federated share." : "Неуспешно осъществяване на федерално споделяне", + "Couldn't establish a federated share, maybe the password was wrong." : "Неуспешно осъществяване на федерално споделяне, можеби паролата е грепна.", + "The mountpoint name contains invalid characters." : "Името на mountpoint-a съдържа невалидни символи.", + "Not allowed to create a federated share with the owner." : "Не е позволено създаване на федерално споделяне със собственика.", + "Invalid or untrusted SSL certificate" : "Невалиден или ненадежден SSL сертификат", + "Could not authenticate to remote share, password might be wrong" : "Неуспешно удостоверяване на отдалеченото споделяне, възможно е паролата да е грешна", + "Storage not valid" : "Невалидно хранилище", + "Couldn't add remote share" : "Неуспешно добавяне на отдалечена споделена директория.", + "Sharing %s failed, because this item is already shared with %s" : "Неуспешно споделяне на %s, защото съдържанието е вече споделено с %s.", + "Not allowed to create a federated share with the same user" : "Не е позволено създаване на федерално споделяне със същият потребител", + "File is already shared with %s" : "Файлът е вече споделен с %s", + "Accept" : "Приемам", + "Open documentation" : "Отвори документацията", + "Allow users on this server to send shares to other servers" : "Позволи на потребители от този сървър да споделят папки с други сървъри", + "Allow users on this server to receive shares from other servers" : "Позволи на потребители на този сървър да получават споделени папки от други сървъри", + "HTML Code:" : "HTML код:" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/is.js b/apps/federatedfilesharing/l10n/is.js index aca30dc85514f..87f9e7611e611 100644 --- a/apps/federatedfilesharing/l10n/is.js +++ b/apps/federatedfilesharing/l10n/is.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID, sjá %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID", "Sharing" : "Deiling", + "Federated file sharing" : "Deiling skráa milli þjóna (skýjasambandssameign)", "Federated Cloud Sharing" : "Deiling með skýjasambandi", "Open documentation" : "Opna hjálparskjöl", "Adjust how people can share between servers." : "Stilltu hvernig fólk getur deilt á milli þjóna.", diff --git a/apps/federatedfilesharing/l10n/is.json b/apps/federatedfilesharing/l10n/is.json index 6bba79023c1e4..b341d81c80f9f 100644 --- a/apps/federatedfilesharing/l10n/is.json +++ b/apps/federatedfilesharing/l10n/is.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID, sjá %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID", "Sharing" : "Deiling", + "Federated file sharing" : "Deiling skráa milli þjóna (skýjasambandssameign)", "Federated Cloud Sharing" : "Deiling með skýjasambandi", "Open documentation" : "Opna hjálparskjöl", "Adjust how people can share between servers." : "Stilltu hvernig fólk getur deilt á milli þjóna.", diff --git a/apps/federatedfilesharing/l10n/lv.js b/apps/federatedfilesharing/l10n/lv.js index aa26ac01d650a..b432c74285f63 100644 --- a/apps/federatedfilesharing/l10n/lv.js +++ b/apps/federatedfilesharing/l10n/lv.js @@ -1,9 +1,35 @@ OC.L10N.register( "federatedfilesharing", { + "Federated sharing" : "Federatīva koplietošana", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vai vēlaties pievienot attālo koplietošanu {name} no {owner}@{remote}?", + "Remote share" : "Attālinātā koplietotne", + "Remote share password" : "Attālinātās koplietotnes parole", + "Cancel" : "Atcelt", + "Add remote share" : "Pievienot attālināto koplietotni", + "Copy" : "Kopēt", + "Copied!" : "Nokopēts!", + "Not supported!" : "Nav atbalstīts!", + "Press ⌘-C to copy." : "Spied ⌘-C lai kopētu.", + "Press Ctrl-C to copy." : "Spied Ctrl-C lai kopētu.", + "Invalid Federated Cloud ID" : "Nederīgs Federated Cloud ID", + "Server to server sharing is not enabled on this server" : "Koplietošana no servera uz serveri, šajā serverī nav iespējota", + "The mountpoint name contains invalid characters." : "Montēšanas punkta nosaukums satur nederīgus simbolus.", + "Not allowed to create a federated share with the owner." : "Nav atļauts izveidot ārēju koplietošanu ar īpašnieku.", + "Invalid or untrusted SSL certificate" : "Nederīgs vai neuzticams SSL sertifikāts", + "Storage not valid" : "Nederīga krātuve", + "Couldn't add remote share" : "Nevarēja pievienot attālināto koplietotni", + "File is already shared with %s" : "Fails ir jau koplietots ar %s", + "Could not find share" : "Nevarēja atrast koplietojumu", + "Accept" : "Akceptēt", + "Decline" : "Noraidīt", "Federated Cloud Sharing" : "Federatīva mākoņkoplietošana", "Open documentation" : "Atvērt dokumentāciju", "Allow users on this server to send shares to other servers" : "Atļaut šī servera lietotājiem sūtīt koplietotnes uz citiem serveriem", - "Allow users on this server to receive shares from other servers" : "Atļaut šī servera lietotājiem saņem koplietotnes no citiem serveriem" + "Allow users on this server to receive shares from other servers" : "Atļaut šī servera lietotājiem saņem koplietotnes no citiem serveriem", + "Federated Cloud" : "Federated Cloud", + "Your Federated Cloud ID:" : "Tavs Federated Cloud ID:", + "Add to your website" : "Pievienojiet savai vietnei", + "HTML Code:" : "HTML kods:" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/apps/federatedfilesharing/l10n/lv.json b/apps/federatedfilesharing/l10n/lv.json index 986c430151b1e..d036b87957304 100644 --- a/apps/federatedfilesharing/l10n/lv.json +++ b/apps/federatedfilesharing/l10n/lv.json @@ -1,7 +1,33 @@ { "translations": { + "Federated sharing" : "Federatīva koplietošana", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vai vēlaties pievienot attālo koplietošanu {name} no {owner}@{remote}?", + "Remote share" : "Attālinātā koplietotne", + "Remote share password" : "Attālinātās koplietotnes parole", + "Cancel" : "Atcelt", + "Add remote share" : "Pievienot attālināto koplietotni", + "Copy" : "Kopēt", + "Copied!" : "Nokopēts!", + "Not supported!" : "Nav atbalstīts!", + "Press ⌘-C to copy." : "Spied ⌘-C lai kopētu.", + "Press Ctrl-C to copy." : "Spied Ctrl-C lai kopētu.", + "Invalid Federated Cloud ID" : "Nederīgs Federated Cloud ID", + "Server to server sharing is not enabled on this server" : "Koplietošana no servera uz serveri, šajā serverī nav iespējota", + "The mountpoint name contains invalid characters." : "Montēšanas punkta nosaukums satur nederīgus simbolus.", + "Not allowed to create a federated share with the owner." : "Nav atļauts izveidot ārēju koplietošanu ar īpašnieku.", + "Invalid or untrusted SSL certificate" : "Nederīgs vai neuzticams SSL sertifikāts", + "Storage not valid" : "Nederīga krātuve", + "Couldn't add remote share" : "Nevarēja pievienot attālināto koplietotni", + "File is already shared with %s" : "Fails ir jau koplietots ar %s", + "Could not find share" : "Nevarēja atrast koplietojumu", + "Accept" : "Akceptēt", + "Decline" : "Noraidīt", "Federated Cloud Sharing" : "Federatīva mākoņkoplietošana", "Open documentation" : "Atvērt dokumentāciju", "Allow users on this server to send shares to other servers" : "Atļaut šī servera lietotājiem sūtīt koplietotnes uz citiem serveriem", - "Allow users on this server to receive shares from other servers" : "Atļaut šī servera lietotājiem saņem koplietotnes no citiem serveriem" + "Allow users on this server to receive shares from other servers" : "Atļaut šī servera lietotājiem saņem koplietotnes no citiem serveriem", + "Federated Cloud" : "Federated Cloud", + "Your Federated Cloud ID:" : "Tavs Federated Cloud ID:", + "Add to your website" : "Pievienojiet savai vietnei", + "HTML Code:" : "HTML kods:" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/apps/federation/l10n/fa.js b/apps/federation/l10n/fa.js new file mode 100644 index 0000000000000..62279af2361eb --- /dev/null +++ b/apps/federation/l10n/fa.js @@ -0,0 +1,11 @@ +OC.L10N.register( + "federation", + { + "Added to the list of trusted servers" : "اضافه شده به لیست سرورهای مورد اعتماد", + "Server is already in the list of trusted servers." : "سرور در حال حاضر در لیست سرورهای مورد اعتماد است.", + "Could not add server" : "سرور اضافه نشد", + "Trusted servers" : "سرورهای قابل اعتماد", + "Trusted server" : "سرور قابل اعتماد", + "Add" : "افزودن" +}, +"nplurals=1; plural=0;"); diff --git a/apps/federation/l10n/fa.json b/apps/federation/l10n/fa.json new file mode 100644 index 0000000000000..0d79140137e2b --- /dev/null +++ b/apps/federation/l10n/fa.json @@ -0,0 +1,9 @@ +{ "translations": { + "Added to the list of trusted servers" : "اضافه شده به لیست سرورهای مورد اعتماد", + "Server is already in the list of trusted servers." : "سرور در حال حاضر در لیست سرورهای مورد اعتماد است.", + "Could not add server" : "سرور اضافه نشد", + "Trusted servers" : "سرورهای قابل اعتماد", + "Trusted server" : "سرور قابل اعتماد", + "Add" : "افزودن" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/apps/federation/l10n/is.js b/apps/federation/l10n/is.js index de932fe845e35..220e0dae51728 100644 --- a/apps/federation/l10n/is.js +++ b/apps/federation/l10n/is.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Þjónninn er nú þegar á listanum yfir treysta þjóna.", "No server to federate with found" : "Enginn þjónn sem hæfur er til skýjasambands fannst", "Could not add server" : "Gat ekki bætt við þjóni", + "Federation" : "Deilt milli þjóna", "Trusted servers" : "Treystir þjónar", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Þjónasamband (federation) gerir þér kleift að tengjast öðrum treystum skýjum til að skiptast á notendaskrám. Þetta er til dæmis notað til að sjálfklára nöfn ytri notenda við deilingu sambandssameigna.", "Add server automatically once a federated share was created successfully" : "Bæta þjóni við sjálfkrafa, hafi tekist að búa til sambandssameign", diff --git a/apps/federation/l10n/is.json b/apps/federation/l10n/is.json index c5d5e33c39963..28ef6f1aadeae 100644 --- a/apps/federation/l10n/is.json +++ b/apps/federation/l10n/is.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Þjónninn er nú þegar á listanum yfir treysta þjóna.", "No server to federate with found" : "Enginn þjónn sem hæfur er til skýjasambands fannst", "Could not add server" : "Gat ekki bætt við þjóni", + "Federation" : "Deilt milli þjóna", "Trusted servers" : "Treystir þjónar", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Þjónasamband (federation) gerir þér kleift að tengjast öðrum treystum skýjum til að skiptast á notendaskrám. Þetta er til dæmis notað til að sjálfklára nöfn ytri notenda við deilingu sambandssameigna.", "Add server automatically once a federated share was created successfully" : "Bæta þjóni við sjálfkrafa, hafi tekist að búa til sambandssameign", diff --git a/apps/files/l10n/ar.js b/apps/files/l10n/ar.js index 14500db3a1664..26dd7d8174833 100644 --- a/apps/files/l10n/ar.js +++ b/apps/files/l10n/ar.js @@ -1,9 +1,9 @@ OC.L10N.register( "files", { - "Storage invalid" : "وحدة تخزين غير صالحه", + "Storage is temporarily not available" : "وحدة التخزين غير متوفرة", + "Storage invalid" : "وحدة تخزين غير صالحة", "Unknown error" : "خطأ غير معروف", - "Files" : "الملفات", "All files" : "كل الملفات", "Recent" : "الأخيرة", "File could not be found" : "الملف غير موجود", @@ -14,24 +14,23 @@ OC.L10N.register( "Upload cancelled." : "تم إلغاء عملية رفع الملفات.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "تعذر رفع الملف {filename} إما لأنه مجلد أو لان حجم الملف 0 بايت", "Not enough free space, you are uploading {size1} but only {size2} is left" : "لا يوجد مساحة تخزين كافية، انت تقوم برفع {size1} ولكن المساحه المتوفره هي {size2}.", - "Uploading..." : "جاري الرفع...", - "..." : "...", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "{hours}:{minutes}:{seconds} ساعة متبقية", - "{hours}:{minutes}h" : "{hours}:{minutes}س", - "{minutes}:{seconds} minute{plural_s} left" : "{minutes}:{seconds} دقيقة متبقية", - "{minutes}:{seconds}m" : "{minutes}:{seconds}د", - "{seconds} second{plural_s} left" : "{seconds} ثواني متبقية", - "{seconds}s" : "{seconds}ث", - "Any moment now..." : "في أي لحظة الان...", - "Soon..." : "قريبا...", + "Target folder \"{dir}\" does not exist any more" : "المجلد المطلوب \"{dir}\" غير موجود بعد الان", + "Not enough free space" : "لا يوجد مساحة تخزينية كافية", + "Uploading …" : "جاري الرفع...", + "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} من {totalSize} ({bitrate})", - "File upload is in progress. Leaving the page now will cancel the upload." : "عملية رفع الملفات قيد التنفيذ. اغلاق الصفحة سوف يلغي عملية رفع الملفات.", + "Target folder does not exist any more" : "المجلد المراد غير موجود بعد الان", + "Error when assembling chunks, status code {status}" : "خطأ عند تجميع القطع، حالة الخطأ {status}", "Actions" : "* تطبيقات.\n* أنشطة.", "Download" : "تنزيل", "Rename" : "إعادة التسمية", + "Move or copy" : "إنقل أو انسخ", + "Target folder" : "المجلد الهدف", "Delete" : "حذف ", "Disconnect storage" : "قطع اتصال التخزين", "Unshare" : "إلغاء المشاركة", + "Could not load info for file \"{file}\"" : "لم يستطع تحميل معلومات الملف \"{file}\"", + "Files" : "الملفات", "Details" : "تفاصيل", "Select" : "اختار", "Pending" : "قيد الانتظار", @@ -40,6 +39,10 @@ OC.L10N.register( "This directory is unavailable, please check the logs or contact the administrator" : "هذا المجلد غير متوفر, الرجاء مراجعة سجل الأخطاء أو الاتصال بمدير النظام", "Could not move \"{file}\", target exists" : "لا يمكن نقل \"{file}\", الملف موجود بالفعل هناك", "Could not move \"{file}\"" : "لا يمكن نقل \"{file}\"", + "Could not copy \"{file}\", target exists" : "لم يستطع نسخ \"{file}\"، المستهدف موجود", + "Could not copy \"{file}\"" : "لم يستطع نسخ \"{file}\"", + "Copied {origin} inside {destination}" : "منسوخ {origin} داخل {destination}", + "Copied {origin} and {nbfiles} other files inside {destination}" : "منسوخ {origin} و {nbfiles} ملفات اخرى داخل {destination}", "{newName} already exists" : "{newname} موجود مسبقاً", "Could not rename \"{fileName}\", it does not exist any more" : "لا يمكن اعادة تسمية \"{fileName}\", لانه لم يعد موجود", "The name \"{targetName}\" is already used in the folder \"{dir}\". Please choose a different name." : "الاسم \"{targetName}\" مستخدم من قبل في المجلد \"{dir}\". الرجاء اختيار اسم اخر.", @@ -48,6 +51,7 @@ OC.L10N.register( "Could not create file \"{file}\" because it already exists" : "لا يمكن إنشاء الملف \"{file}\" فهو موجود بالفعل", "Could not create folder \"{dir}\" because it already exists" : "لا يمكن إنشاء المجلد \"{dir}\" فهو موجود بالفعل", "Error deleting file \"{fileName}\"." : "خطأ أثناء حذف الملف \"{fileName}\".", + "No search results in other folders for {tag}{filter}{endtag}" : "لا نتائج بحث في مجلدات اخرى ل {tag}{filter}{endtag}", "Name" : "اسم", "Size" : "حجم", "Modified" : "معدل", @@ -58,74 +62,43 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "لا تملك الصلاحية لرفع او انشاء ملف هنا ", "_Uploading %n file_::_Uploading %n files_" : ["لا يوجد ملفات %n لتحميلها","تحميل 1 ملف %n","تحميل 2 ملف %n","يتم تحميل عدد قليل من ملفات %n","يتم تحميل عدد كبير من ملفات %n","يتم تحميل ملفات %n"], "New" : "جديد", + "{used} of {quota} used" : "{used} من {quota} مستخدم", + "{used} used" : "{used} مستخدم", "\"{name}\" is an invalid file name." : "\"{name}\" اسم ملف غير صالح للاستخدام .", "File name cannot be empty." : "اسم الملف لا يجوز أن يكون فارغا", + "\"/\" is not allowed inside a file name." : "\"/\" غير مسموح في تسمية الملف", + "\"{name}\" is not an allowed filetype" : "\"{name}\" أنه نوع ملف غير مسموح", "Storage of {owner} is full, files can not be updated or synced anymore!" : "مساحة تخزين {owner} ممتلئة، لا يمكن تحديث الملفات او مزامنتها بعد الان !", "Your storage is full, files can not be updated or synced anymore!" : "مساحتك التخزينية ممتلئة, لا يمكن تحديث ملفاتك أو مزامنتها بعد الآن !", "Storage of {owner} is almost full ({usedSpacePercent}%)" : "المساحة التخزينية لـ {owner} ممتلئة تقريبا ({usedSpacePercent}%)", "Your storage is almost full ({usedSpacePercent}%)" : "مساحتك التخزينية امتلأت تقريبا ", + "View in folder" : "اعرض في المجلد", + "Copied!" : "نسخت!", + "Copy direct link (only works for users who have access to this file/folder)" : "نسخ الرابط المباشر (يعمل فقط لـ المستخدمين الذين يمكنهم الولوج الى هذا الملف/الفايل)", "Path" : "المسار", + "_%n byte_::_%n bytes_" : ["بايت","بايت","بايت","بايت","بايت","%nبايت"], "Favorited" : "المفضلة", "Favorite" : "المفضلة", - "Folder" : "مجلد", "New folder" : "مجلد جديد", - "Upload" : "رفع", "An error occurred while trying to update the tags" : "حدث خطأ اثناء محاولة تحديث tags", "A new file or folder has been created" : "تم إنشاء ملف جديد أو مجلد ", - "A file or folder has been deleted" : "تم حذف ملف أو مجلد", - "A file or folder has been restored" : "تم استعادة ملف أو مجلد", - "You created %1$s" : "لقد أنشأت %1$s", - "%2$s created %1$s" : "%2$s أنشأ %1$s", - "%1$s was created in a public folder" : "تم إنشاء %1$s في مجلد عام", - "You changed %1$s" : "لقد غيرت %1$s", - "%2$s changed %1$s" : "%2$s غير %1$s", - "You deleted %1$s" : "حذفت %1$s", - "%2$s deleted %1$s" : "%2$s حذف %1$s", - "You restored %1$s" : "لقد قمت باستعادة %1$s", - "%2$s restored %1$s" : "%2$s مستعاد %1$s", "Upload (max. %s)" : "الرفع ( حد اقصى. %s ) ", "File handling" : "التعامل مع الملف", "Maximum upload size" : "الحد الأقصى لحجم الملفات التي يمكن رفعها", "max. possible: " : "الحد الأقصى المسموح به", "Save" : "حفظ", "With PHP-FPM it might take 5 minutes for changes to be applied." : "باستخدام PHP-FPM قد يستغرق 5 دقائق لتطبيق التغيرات.", - "Settings" : "إعدادات", + "Settings" : "الإعدادات", "Show hidden files" : "عرض الملفات المخفية", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "استخدم هذا الرابط للوصول الى ملفاتك عبر WebDAV", "No files in here" : "لا يوجد ملفات هنا ", "Upload some content or sync with your devices!" : "ارفع بعض المحتوي او زامن مع اجهزتك !", "No entries found in this folder" : "لا يوجد مدخلات في هذا المجلد ", "Select all" : "تحديد الكل ", "Upload too large" : "حجم الترفيع أعلى من المسموح", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم.", - "No favorites" : "لا يوجد مفضلات ", "Files and folders you mark as favorite will show up here" : "الملفات والمجلدات التي حددتها كامفضلة سوف تظهر هنا ", "Text file" : "ملف نصي", - "New text file.txt" : "ملف نصي جديد fille.txt", - "Storage not available" : "وحدة التخزين غير متوفرة", - "Unable to set upload directory." : "غير قادر على تحميل المجلد", - "Invalid Token" : "علامة غير صالحة", - "No file was uploaded. Unknown error" : "لم يتم رفع أي ملف, خطأ غير معروف", - "There is no error, the file uploaded with success" : "تم رفع الملفات بنجاح", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "حجم الملف المرفوع تجاوز قيمة upload_max_filesize الموجودة في ملف php.ini ", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "حجم الملف الذي تريد ترفيعه أعلى مما MAX_FILE_SIZE يسمح به في واجهة ال HTML.", - "The uploaded file was only partially uploaded" : "تم رفع جزء من الملف فقط", - "No file was uploaded" : "لم يتم رفع الملف", - "Missing a temporary folder" : "المجلد المؤقت غير موجود", - "Failed to write to disk" : "خطأ في الكتابة على القرص الصلب", - "Not enough storage available" : "لا يوجد مساحة تخزينية كافية", - "The target folder has been moved or deleted." : "المجلد المطلوب قد تم نقله او حذفه ", - "Upload failed. Could not find uploaded file" : "*فشلت علمية الرفع. تعذر إيجاد الملف الذي تم رفعه.\n*فشلت علمية التحميل. تعذر إيجاد الملف الذي تم تحميله.", - "Upload failed. Could not get file info." : "فشلت عملية الرفع. تعذر الحصول على معلومات الملف.", - "Invalid directory." : "مسار غير صحيح.", - "Total file size {size1} exceeds upload limit {size2}" : "حجم الملف الكلي {size1} تجاوز الحد المسموح للرفع {size2}", - "Error uploading file \"{fileName}\": {message}" : "خطأ أثناء رفع الملف \"{fileName}\": {message}", - "Could not get result from server." : "تعذر الحصول على نتيجة من الخادم", - "No entries in this folder match '{filter}'" : "لا يوجد مدخلات في هذا المجلد تتوافق مع '{filter}'", - "{newname} already exists" : "{newname} موجود مسبقاً", - "A file or folder has been changed" : "تم تغيير ملف أو مجلد", - "Use this address to access your Files via WebDAV" : "استخدم هذا الرابط للوصول الى ملفاتك عبر WebDAV", - "Cancel upload" : "إلغاء الرفع" + "New text file.txt" : "ملف نصي جديد fille.txt" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/files/l10n/ar.json b/apps/files/l10n/ar.json index 4b9624432e878..99066052587b9 100644 --- a/apps/files/l10n/ar.json +++ b/apps/files/l10n/ar.json @@ -1,7 +1,7 @@ { "translations": { - "Storage invalid" : "وحدة تخزين غير صالحه", + "Storage is temporarily not available" : "وحدة التخزين غير متوفرة", + "Storage invalid" : "وحدة تخزين غير صالحة", "Unknown error" : "خطأ غير معروف", - "Files" : "الملفات", "All files" : "كل الملفات", "Recent" : "الأخيرة", "File could not be found" : "الملف غير موجود", @@ -12,24 +12,23 @@ "Upload cancelled." : "تم إلغاء عملية رفع الملفات.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "تعذر رفع الملف {filename} إما لأنه مجلد أو لان حجم الملف 0 بايت", "Not enough free space, you are uploading {size1} but only {size2} is left" : "لا يوجد مساحة تخزين كافية، انت تقوم برفع {size1} ولكن المساحه المتوفره هي {size2}.", - "Uploading..." : "جاري الرفع...", - "..." : "...", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "{hours}:{minutes}:{seconds} ساعة متبقية", - "{hours}:{minutes}h" : "{hours}:{minutes}س", - "{minutes}:{seconds} minute{plural_s} left" : "{minutes}:{seconds} دقيقة متبقية", - "{minutes}:{seconds}m" : "{minutes}:{seconds}د", - "{seconds} second{plural_s} left" : "{seconds} ثواني متبقية", - "{seconds}s" : "{seconds}ث", - "Any moment now..." : "في أي لحظة الان...", - "Soon..." : "قريبا...", + "Target folder \"{dir}\" does not exist any more" : "المجلد المطلوب \"{dir}\" غير موجود بعد الان", + "Not enough free space" : "لا يوجد مساحة تخزينية كافية", + "Uploading …" : "جاري الرفع...", + "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} من {totalSize} ({bitrate})", - "File upload is in progress. Leaving the page now will cancel the upload." : "عملية رفع الملفات قيد التنفيذ. اغلاق الصفحة سوف يلغي عملية رفع الملفات.", + "Target folder does not exist any more" : "المجلد المراد غير موجود بعد الان", + "Error when assembling chunks, status code {status}" : "خطأ عند تجميع القطع، حالة الخطأ {status}", "Actions" : "* تطبيقات.\n* أنشطة.", "Download" : "تنزيل", "Rename" : "إعادة التسمية", + "Move or copy" : "إنقل أو انسخ", + "Target folder" : "المجلد الهدف", "Delete" : "حذف ", "Disconnect storage" : "قطع اتصال التخزين", "Unshare" : "إلغاء المشاركة", + "Could not load info for file \"{file}\"" : "لم يستطع تحميل معلومات الملف \"{file}\"", + "Files" : "الملفات", "Details" : "تفاصيل", "Select" : "اختار", "Pending" : "قيد الانتظار", @@ -38,6 +37,10 @@ "This directory is unavailable, please check the logs or contact the administrator" : "هذا المجلد غير متوفر, الرجاء مراجعة سجل الأخطاء أو الاتصال بمدير النظام", "Could not move \"{file}\", target exists" : "لا يمكن نقل \"{file}\", الملف موجود بالفعل هناك", "Could not move \"{file}\"" : "لا يمكن نقل \"{file}\"", + "Could not copy \"{file}\", target exists" : "لم يستطع نسخ \"{file}\"، المستهدف موجود", + "Could not copy \"{file}\"" : "لم يستطع نسخ \"{file}\"", + "Copied {origin} inside {destination}" : "منسوخ {origin} داخل {destination}", + "Copied {origin} and {nbfiles} other files inside {destination}" : "منسوخ {origin} و {nbfiles} ملفات اخرى داخل {destination}", "{newName} already exists" : "{newname} موجود مسبقاً", "Could not rename \"{fileName}\", it does not exist any more" : "لا يمكن اعادة تسمية \"{fileName}\", لانه لم يعد موجود", "The name \"{targetName}\" is already used in the folder \"{dir}\". Please choose a different name." : "الاسم \"{targetName}\" مستخدم من قبل في المجلد \"{dir}\". الرجاء اختيار اسم اخر.", @@ -46,6 +49,7 @@ "Could not create file \"{file}\" because it already exists" : "لا يمكن إنشاء الملف \"{file}\" فهو موجود بالفعل", "Could not create folder \"{dir}\" because it already exists" : "لا يمكن إنشاء المجلد \"{dir}\" فهو موجود بالفعل", "Error deleting file \"{fileName}\"." : "خطأ أثناء حذف الملف \"{fileName}\".", + "No search results in other folders for {tag}{filter}{endtag}" : "لا نتائج بحث في مجلدات اخرى ل {tag}{filter}{endtag}", "Name" : "اسم", "Size" : "حجم", "Modified" : "معدل", @@ -56,74 +60,43 @@ "You don’t have permission to upload or create files here" : "لا تملك الصلاحية لرفع او انشاء ملف هنا ", "_Uploading %n file_::_Uploading %n files_" : ["لا يوجد ملفات %n لتحميلها","تحميل 1 ملف %n","تحميل 2 ملف %n","يتم تحميل عدد قليل من ملفات %n","يتم تحميل عدد كبير من ملفات %n","يتم تحميل ملفات %n"], "New" : "جديد", + "{used} of {quota} used" : "{used} من {quota} مستخدم", + "{used} used" : "{used} مستخدم", "\"{name}\" is an invalid file name." : "\"{name}\" اسم ملف غير صالح للاستخدام .", "File name cannot be empty." : "اسم الملف لا يجوز أن يكون فارغا", + "\"/\" is not allowed inside a file name." : "\"/\" غير مسموح في تسمية الملف", + "\"{name}\" is not an allowed filetype" : "\"{name}\" أنه نوع ملف غير مسموح", "Storage of {owner} is full, files can not be updated or synced anymore!" : "مساحة تخزين {owner} ممتلئة، لا يمكن تحديث الملفات او مزامنتها بعد الان !", "Your storage is full, files can not be updated or synced anymore!" : "مساحتك التخزينية ممتلئة, لا يمكن تحديث ملفاتك أو مزامنتها بعد الآن !", "Storage of {owner} is almost full ({usedSpacePercent}%)" : "المساحة التخزينية لـ {owner} ممتلئة تقريبا ({usedSpacePercent}%)", "Your storage is almost full ({usedSpacePercent}%)" : "مساحتك التخزينية امتلأت تقريبا ", + "View in folder" : "اعرض في المجلد", + "Copied!" : "نسخت!", + "Copy direct link (only works for users who have access to this file/folder)" : "نسخ الرابط المباشر (يعمل فقط لـ المستخدمين الذين يمكنهم الولوج الى هذا الملف/الفايل)", "Path" : "المسار", + "_%n byte_::_%n bytes_" : ["بايت","بايت","بايت","بايت","بايت","%nبايت"], "Favorited" : "المفضلة", "Favorite" : "المفضلة", - "Folder" : "مجلد", "New folder" : "مجلد جديد", - "Upload" : "رفع", "An error occurred while trying to update the tags" : "حدث خطأ اثناء محاولة تحديث tags", "A new file or folder has been created" : "تم إنشاء ملف جديد أو مجلد ", - "A file or folder has been deleted" : "تم حذف ملف أو مجلد", - "A file or folder has been restored" : "تم استعادة ملف أو مجلد", - "You created %1$s" : "لقد أنشأت %1$s", - "%2$s created %1$s" : "%2$s أنشأ %1$s", - "%1$s was created in a public folder" : "تم إنشاء %1$s في مجلد عام", - "You changed %1$s" : "لقد غيرت %1$s", - "%2$s changed %1$s" : "%2$s غير %1$s", - "You deleted %1$s" : "حذفت %1$s", - "%2$s deleted %1$s" : "%2$s حذف %1$s", - "You restored %1$s" : "لقد قمت باستعادة %1$s", - "%2$s restored %1$s" : "%2$s مستعاد %1$s", "Upload (max. %s)" : "الرفع ( حد اقصى. %s ) ", "File handling" : "التعامل مع الملف", "Maximum upload size" : "الحد الأقصى لحجم الملفات التي يمكن رفعها", "max. possible: " : "الحد الأقصى المسموح به", "Save" : "حفظ", "With PHP-FPM it might take 5 minutes for changes to be applied." : "باستخدام PHP-FPM قد يستغرق 5 دقائق لتطبيق التغيرات.", - "Settings" : "إعدادات", + "Settings" : "الإعدادات", "Show hidden files" : "عرض الملفات المخفية", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "استخدم هذا الرابط للوصول الى ملفاتك عبر WebDAV", "No files in here" : "لا يوجد ملفات هنا ", "Upload some content or sync with your devices!" : "ارفع بعض المحتوي او زامن مع اجهزتك !", "No entries found in this folder" : "لا يوجد مدخلات في هذا المجلد ", "Select all" : "تحديد الكل ", "Upload too large" : "حجم الترفيع أعلى من المسموح", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "حجم الملفات التي تريد ترفيعها أعلى من المسموح على الخادم.", - "No favorites" : "لا يوجد مفضلات ", "Files and folders you mark as favorite will show up here" : "الملفات والمجلدات التي حددتها كامفضلة سوف تظهر هنا ", "Text file" : "ملف نصي", - "New text file.txt" : "ملف نصي جديد fille.txt", - "Storage not available" : "وحدة التخزين غير متوفرة", - "Unable to set upload directory." : "غير قادر على تحميل المجلد", - "Invalid Token" : "علامة غير صالحة", - "No file was uploaded. Unknown error" : "لم يتم رفع أي ملف, خطأ غير معروف", - "There is no error, the file uploaded with success" : "تم رفع الملفات بنجاح", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "حجم الملف المرفوع تجاوز قيمة upload_max_filesize الموجودة في ملف php.ini ", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "حجم الملف الذي تريد ترفيعه أعلى مما MAX_FILE_SIZE يسمح به في واجهة ال HTML.", - "The uploaded file was only partially uploaded" : "تم رفع جزء من الملف فقط", - "No file was uploaded" : "لم يتم رفع الملف", - "Missing a temporary folder" : "المجلد المؤقت غير موجود", - "Failed to write to disk" : "خطأ في الكتابة على القرص الصلب", - "Not enough storage available" : "لا يوجد مساحة تخزينية كافية", - "The target folder has been moved or deleted." : "المجلد المطلوب قد تم نقله او حذفه ", - "Upload failed. Could not find uploaded file" : "*فشلت علمية الرفع. تعذر إيجاد الملف الذي تم رفعه.\n*فشلت علمية التحميل. تعذر إيجاد الملف الذي تم تحميله.", - "Upload failed. Could not get file info." : "فشلت عملية الرفع. تعذر الحصول على معلومات الملف.", - "Invalid directory." : "مسار غير صحيح.", - "Total file size {size1} exceeds upload limit {size2}" : "حجم الملف الكلي {size1} تجاوز الحد المسموح للرفع {size2}", - "Error uploading file \"{fileName}\": {message}" : "خطأ أثناء رفع الملف \"{fileName}\": {message}", - "Could not get result from server." : "تعذر الحصول على نتيجة من الخادم", - "No entries in this folder match '{filter}'" : "لا يوجد مدخلات في هذا المجلد تتوافق مع '{filter}'", - "{newname} already exists" : "{newname} موجود مسبقاً", - "A file or folder has been changed" : "تم تغيير ملف أو مجلد", - "Use this address to access your Files via WebDAV" : "استخدم هذا الرابط للوصول الى ملفاتك عبر WebDAV", - "Cancel upload" : "إلغاء الرفع" + "New text file.txt" : "ملف نصي جديد fille.txt" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" } \ No newline at end of file diff --git a/apps/files/l10n/ast.js b/apps/files/l10n/ast.js index 5b0652d839dcb..90c8c52002c2a 100644 --- a/apps/files/l10n/ast.js +++ b/apps/files/l10n/ast.js @@ -15,13 +15,11 @@ OC.L10N.register( "Unable to upload {filename} as it is a directory or has 0 bytes" : "Nun pudo xubise {filename}, paez que ye un directoriu o tien 0 bytes", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Nun hai abondu espaciu llibre, tas xubiendo {size1} pero namái falta {size2}", "Not enough free space" : "Nun hai espaciu llibre abondo", - "Uploading …" : "Xubiendo...", "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} de {totalSize} ({bitrate})", "Actions" : "Aiciones", "Download" : "Descargar", "Rename" : "Renomar", - "Move" : "Mover", "Target folder" : "Carpeta oxetivu", "Delete" : "Desaniciar", "Disconnect storage" : "Desconeutar almacenamientu", @@ -92,7 +90,6 @@ OC.L10N.register( "Settings" : "Axustes", "Show hidden files" : "Amosar ficheros ocultos", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "Usa esta direición p'acceder a los dos Ficheros via WebDAV", "No files in here" : "Nun hai nengún ficheru equí", "Upload some content or sync with your devices!" : "¡Xuba algún conteníu o sincroniza colos sos preseos!", "No entries found in this folder" : "Nenguna entrada en esta carpeta", @@ -104,18 +101,6 @@ OC.L10N.register( "Tags" : "Etiquetes", "Deleted files" : "Ficheros desaniciaos", "Text file" : "Ficheru de testu", - "New text file.txt" : "Nuevu testu ficheru.txt", - "Uploading..." : "Xubiendo...", - "..." : "...", - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momentu...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La xuba del ficheru ta en progresu. Si dexes agora la páxina, va encaboxase la xuba.", - "Copy local link" : "Copiar enllaz llocal", - "Folder" : "Carpeta", - "Upload" : "Xubir", - "No favorites" : "Nengún favoritu" + "New text file.txt" : "Nuevu testu ficheru.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ast.json b/apps/files/l10n/ast.json index e53a1bdc0e32c..19b318518597f 100644 --- a/apps/files/l10n/ast.json +++ b/apps/files/l10n/ast.json @@ -13,13 +13,11 @@ "Unable to upload {filename} as it is a directory or has 0 bytes" : "Nun pudo xubise {filename}, paez que ye un directoriu o tien 0 bytes", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Nun hai abondu espaciu llibre, tas xubiendo {size1} pero namái falta {size2}", "Not enough free space" : "Nun hai espaciu llibre abondo", - "Uploading …" : "Xubiendo...", "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} de {totalSize} ({bitrate})", "Actions" : "Aiciones", "Download" : "Descargar", "Rename" : "Renomar", - "Move" : "Mover", "Target folder" : "Carpeta oxetivu", "Delete" : "Desaniciar", "Disconnect storage" : "Desconeutar almacenamientu", @@ -90,7 +88,6 @@ "Settings" : "Axustes", "Show hidden files" : "Amosar ficheros ocultos", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "Usa esta direición p'acceder a los dos Ficheros via WebDAV", "No files in here" : "Nun hai nengún ficheru equí", "Upload some content or sync with your devices!" : "¡Xuba algún conteníu o sincroniza colos sos preseos!", "No entries found in this folder" : "Nenguna entrada en esta carpeta", @@ -102,18 +99,6 @@ "Tags" : "Etiquetes", "Deleted files" : "Ficheros desaniciaos", "Text file" : "Ficheru de testu", - "New text file.txt" : "Nuevu testu ficheru.txt", - "Uploading..." : "Xubiendo...", - "..." : "...", - "{hours}:{minutes}h" : "{hours}:{minutes}h", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds}s" : "{seconds}s", - "Any moment now..." : "En cualquier momentu...", - "Soon..." : "Pronto...", - "File upload is in progress. Leaving the page now will cancel the upload." : "La xuba del ficheru ta en progresu. Si dexes agora la páxina, va encaboxase la xuba.", - "Copy local link" : "Copiar enllaz llocal", - "Folder" : "Carpeta", - "Upload" : "Xubir", - "No favorites" : "Nengún favoritu" + "New text file.txt" : "Nuevu testu ficheru.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/eo.js b/apps/files/l10n/eo.js index cb558e40604a7..06308ca251427 100644 --- a/apps/files/l10n/eo.js +++ b/apps/files/l10n/eo.js @@ -1,26 +1,30 @@ OC.L10N.register( "files", { + "Storage is temporarily not available" : "Memoro nedaŭra ne disponeblas", "Storage invalid" : "Memoro ne validas", "Unknown error" : "Nekonata eraro", - "Files" : "Dosieroj", "All files" : "Ĉiuj dosieroj", + "Recent" : "Lastatempe", + "File could not be found" : "Ne troveblas dosiero", "Home" : "Hejmo", "Close" : "Fermi", "Favorites" : "Favoratoj", "Could not create folder \"{dir}\"" : "Ne eblas krei dosierujon “{dir}”", "Upload cancelled." : "La alŝuto nuliĝis.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "Ne povis alŝutiĝi {filename} ĉar ĝi estas dosierujo aŭ ĝi havas 0 duumokojn", - "Total file size {size1} exceeds upload limit {size2}" : "Tuta dosiergrando {size1} transpasas alŝutolimon {size2}", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Ne sufiĉas libera spaco: vi alŝutas {size1} sed nur {size2} restas", - "Uploading..." : "Alŝutante...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dosieralŝuto plenumiĝas. Lasi la paĝon nun nuligus la alŝuton.", + "Not enough free space" : "Ne sufiĉas libera spaco", + "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} el {totalSize} ({bitrate})", "Actions" : "Agoj", "Download" : "Elŝuti", "Rename" : "Alinomigi", + "Target folder" : "Cela dosiero", "Delete" : "Forigi", "Disconnect storage" : "Malkonekti memoron", "Unshare" : "Malkunhavigi", + "Could not load info for file \"{file}\"" : "Ne ŝarĝiblas informo por dosiero \"{file}\"", + "Files" : "Dosieroj", "Details" : "Detaloj", "Select" : "Elekti", "Pending" : "Traktotaj", @@ -43,6 +47,7 @@ OC.L10N.register( "_%n folder_::_%n folders_" : ["%n dosierujo","%n dosierujoj"], "_%n file_::_%n files_" : ["%n dosiero","%n dosieroj"], "{dirs} and {files}" : "{dirs} kaj {files}", + "_including %n hidden_::_including %n hidden_" : ["inkluzive %n kaŝita","inkluzive %n kaŝita(j)"], "You don’t have permission to upload or create files here" : "Vi ne permesatas alŝuti aŭ krei dosierojn ĉi tie", "_Uploading %n file_::_Uploading %n files_" : ["Alŝutatas %n dosiero","Alŝutatas %n dosieroj"], "New" : "Nova", @@ -53,29 +58,16 @@ OC.L10N.register( "Storage of {owner} is almost full ({usedSpacePercent}%)" : "Memoro de {owner} preskaŭ plenas ({usedSpacePercent}%)", "Your storage is almost full ({usedSpacePercent}%)" : "Via memoro preskaŭ plenas ({usedSpacePercent}%)", "_matches '{filter}'_::_match '{filter}'_" : ["kongruas kun “{filter}”","kongruas kun “{filter}”"], + "View in folder" : "Vidi en dosierujo", "Path" : "Vojo", "_%n byte_::_%n bytes_" : ["%n duumoko","%n duumokoj"], "Favorited" : "Pliŝatataj", "Favorite" : "Favorato", - "Folder" : "Dosierujo", "New folder" : "Nova dosierujo", - "Upload" : "Alŝuti", "An error occurred while trying to update the tags" : "Eraris provo ĝisdatigi la etikedojn", + "Created by {user}" : "Kreita de {user}", + "Changed by {user}" : "Ŝanĝita de {user}", "A new file or folder has been created" : "Nova dosiero aŭ dosierujo kreiĝis", - "A file or folder has been deleted" : "Dosiero aŭ dosierujo foriĝis", - "A file or folder has been restored" : "Dosiero aŭ dosierujo restaŭriĝis", - "You created %1$s" : "Vi kreis %1$s", - "%2$s created %1$s" : "%2$s kreis %1$s", - "%1$s was created in a public folder" : "%1$s kreiĝis en publika dosierujo", - "You changed %1$s" : "Vi ŝanĝis %1$s", - "%2$s changed %1$s" : "%2$s ŝanĝis %1$s", - "You deleted %1$s" : "Vi forigis %1$s", - "%2$s deleted %1$s" : "%2$s forigis %1$s", - "You restored %1$s" : "Vi restaŭris %1$s", - "%2$s restored %1$s" : "%2$s restaŭris %1$s", - "Changed by %2$s" : "Ŝanĝita de %2$s", - "Deleted by %2$s" : "Forigita de %2$s", - "Restored by %2$s" : "Restaŭrita de %2$s", "Upload (max. %s)" : "Alŝuti (maks. %s)", "File handling" : "Dosieradministro", "Maximum upload size" : "Maksimuma alŝutogrando", @@ -91,27 +83,8 @@ OC.L10N.register( "Select all" : "Elekti ĉion", "Upload too large" : "Alŝuto tro larĝa", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo.", - "No favorites" : "Neniu pliŝato", "Files and folders you mark as favorite will show up here" : "Dosieroj kaj dosierujoj, kiujn vi markas, kiel pliŝatoj, aperos ĉi tie", "Text file" : "Tekstodosiero", - "New text file.txt" : "Nova tekstodosiero.txt", - "Storage not available" : "Memoro ne disponeblas", - "Unable to set upload directory." : "Ne povis agordiĝi la alŝuta dosierujo.", - "No file was uploaded. Unknown error" : "Neniu dosiero alŝutiĝis. Nekonata eraro.", - "There is no error, the file uploaded with success" : "Ne estas eraro, la dosiero alŝutiĝis sukcese.", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "La dosiero alŝutita superas la regulon upload_max_filesize el php.ini: ", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "La dosiero alŝutita superas la regulon MAX_FILE_SIZE, kiu estas difinita en la HTML-formularo", - "The uploaded file was only partially uploaded" : "la alŝutita dosiero nur parte alŝutiĝis", - "No file was uploaded" : "Neniu dosiero alŝutiĝis.", - "Missing a temporary folder" : "Mankas provizora dosierujo.", - "Failed to write to disk" : "Malsukcesis skribo al disko", - "Not enough storage available" : "Ne haveblas sufiĉa memoro", - "The target folder has been moved or deleted." : "La cela dosierujo moviĝis aŭ foriĝis.", - "Upload failed. Could not find uploaded file" : "La alŝuto malsukcesis. Ne troviĝis alŝutota dosiero.", - "Upload failed. Could not get file info." : "La alŝuto malsukcesis. Ne povis ekhaviĝi informo pri dosiero.", - "Invalid directory." : "Nevalida dosierujo.", - "Could not get result from server." : "Ne povis ekhaviĝi rezulto el la servilo.", - "{newname} already exists" : "{newname} jam ekzistas", - "A file or folder has been changed" : "Dosiero aŭ dosierujo ŝanĝiĝis" + "New text file.txt" : "Nova tekstodosiero.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/eo.json b/apps/files/l10n/eo.json index 6e9f47dade1c9..89284a34b87fd 100644 --- a/apps/files/l10n/eo.json +++ b/apps/files/l10n/eo.json @@ -1,24 +1,28 @@ { "translations": { + "Storage is temporarily not available" : "Memoro nedaŭra ne disponeblas", "Storage invalid" : "Memoro ne validas", "Unknown error" : "Nekonata eraro", - "Files" : "Dosieroj", "All files" : "Ĉiuj dosieroj", + "Recent" : "Lastatempe", + "File could not be found" : "Ne troveblas dosiero", "Home" : "Hejmo", "Close" : "Fermi", "Favorites" : "Favoratoj", "Could not create folder \"{dir}\"" : "Ne eblas krei dosierujon “{dir}”", "Upload cancelled." : "La alŝuto nuliĝis.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "Ne povis alŝutiĝi {filename} ĉar ĝi estas dosierujo aŭ ĝi havas 0 duumokojn", - "Total file size {size1} exceeds upload limit {size2}" : "Tuta dosiergrando {size1} transpasas alŝutolimon {size2}", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Ne sufiĉas libera spaco: vi alŝutas {size1} sed nur {size2} restas", - "Uploading..." : "Alŝutante...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Dosieralŝuto plenumiĝas. Lasi la paĝon nun nuligus la alŝuton.", + "Not enough free space" : "Ne sufiĉas libera spaco", + "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} el {totalSize} ({bitrate})", "Actions" : "Agoj", "Download" : "Elŝuti", "Rename" : "Alinomigi", + "Target folder" : "Cela dosiero", "Delete" : "Forigi", "Disconnect storage" : "Malkonekti memoron", "Unshare" : "Malkunhavigi", + "Could not load info for file \"{file}\"" : "Ne ŝarĝiblas informo por dosiero \"{file}\"", + "Files" : "Dosieroj", "Details" : "Detaloj", "Select" : "Elekti", "Pending" : "Traktotaj", @@ -41,6 +45,7 @@ "_%n folder_::_%n folders_" : ["%n dosierujo","%n dosierujoj"], "_%n file_::_%n files_" : ["%n dosiero","%n dosieroj"], "{dirs} and {files}" : "{dirs} kaj {files}", + "_including %n hidden_::_including %n hidden_" : ["inkluzive %n kaŝita","inkluzive %n kaŝita(j)"], "You don’t have permission to upload or create files here" : "Vi ne permesatas alŝuti aŭ krei dosierojn ĉi tie", "_Uploading %n file_::_Uploading %n files_" : ["Alŝutatas %n dosiero","Alŝutatas %n dosieroj"], "New" : "Nova", @@ -51,29 +56,16 @@ "Storage of {owner} is almost full ({usedSpacePercent}%)" : "Memoro de {owner} preskaŭ plenas ({usedSpacePercent}%)", "Your storage is almost full ({usedSpacePercent}%)" : "Via memoro preskaŭ plenas ({usedSpacePercent}%)", "_matches '{filter}'_::_match '{filter}'_" : ["kongruas kun “{filter}”","kongruas kun “{filter}”"], + "View in folder" : "Vidi en dosierujo", "Path" : "Vojo", "_%n byte_::_%n bytes_" : ["%n duumoko","%n duumokoj"], "Favorited" : "Pliŝatataj", "Favorite" : "Favorato", - "Folder" : "Dosierujo", "New folder" : "Nova dosierujo", - "Upload" : "Alŝuti", "An error occurred while trying to update the tags" : "Eraris provo ĝisdatigi la etikedojn", + "Created by {user}" : "Kreita de {user}", + "Changed by {user}" : "Ŝanĝita de {user}", "A new file or folder has been created" : "Nova dosiero aŭ dosierujo kreiĝis", - "A file or folder has been deleted" : "Dosiero aŭ dosierujo foriĝis", - "A file or folder has been restored" : "Dosiero aŭ dosierujo restaŭriĝis", - "You created %1$s" : "Vi kreis %1$s", - "%2$s created %1$s" : "%2$s kreis %1$s", - "%1$s was created in a public folder" : "%1$s kreiĝis en publika dosierujo", - "You changed %1$s" : "Vi ŝanĝis %1$s", - "%2$s changed %1$s" : "%2$s ŝanĝis %1$s", - "You deleted %1$s" : "Vi forigis %1$s", - "%2$s deleted %1$s" : "%2$s forigis %1$s", - "You restored %1$s" : "Vi restaŭris %1$s", - "%2$s restored %1$s" : "%2$s restaŭris %1$s", - "Changed by %2$s" : "Ŝanĝita de %2$s", - "Deleted by %2$s" : "Forigita de %2$s", - "Restored by %2$s" : "Restaŭrita de %2$s", "Upload (max. %s)" : "Alŝuti (maks. %s)", "File handling" : "Dosieradministro", "Maximum upload size" : "Maksimuma alŝutogrando", @@ -89,27 +81,8 @@ "Select all" : "Elekti ĉion", "Upload too large" : "Alŝuto tro larĝa", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "La dosieroj, kiujn vi provas alŝuti, transpasas la maksimuman grandon por dosieralŝutoj en ĉi tiu servilo.", - "No favorites" : "Neniu pliŝato", "Files and folders you mark as favorite will show up here" : "Dosieroj kaj dosierujoj, kiujn vi markas, kiel pliŝatoj, aperos ĉi tie", "Text file" : "Tekstodosiero", - "New text file.txt" : "Nova tekstodosiero.txt", - "Storage not available" : "Memoro ne disponeblas", - "Unable to set upload directory." : "Ne povis agordiĝi la alŝuta dosierujo.", - "No file was uploaded. Unknown error" : "Neniu dosiero alŝutiĝis. Nekonata eraro.", - "There is no error, the file uploaded with success" : "Ne estas eraro, la dosiero alŝutiĝis sukcese.", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "La dosiero alŝutita superas la regulon upload_max_filesize el php.ini: ", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "La dosiero alŝutita superas la regulon MAX_FILE_SIZE, kiu estas difinita en la HTML-formularo", - "The uploaded file was only partially uploaded" : "la alŝutita dosiero nur parte alŝutiĝis", - "No file was uploaded" : "Neniu dosiero alŝutiĝis.", - "Missing a temporary folder" : "Mankas provizora dosierujo.", - "Failed to write to disk" : "Malsukcesis skribo al disko", - "Not enough storage available" : "Ne haveblas sufiĉa memoro", - "The target folder has been moved or deleted." : "La cela dosierujo moviĝis aŭ foriĝis.", - "Upload failed. Could not find uploaded file" : "La alŝuto malsukcesis. Ne troviĝis alŝutota dosiero.", - "Upload failed. Could not get file info." : "La alŝuto malsukcesis. Ne povis ekhaviĝi informo pri dosiero.", - "Invalid directory." : "Nevalida dosierujo.", - "Could not get result from server." : "Ne povis ekhaviĝi rezulto el la servilo.", - "{newname} already exists" : "{newname} jam ekzistas", - "A file or folder has been changed" : "Dosiero aŭ dosierujo ŝanĝiĝis" + "New text file.txt" : "Nova tekstodosiero.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/he.js b/apps/files/l10n/he.js index 49b05d5d91e61..ed178b446a507 100644 --- a/apps/files/l10n/he.js +++ b/apps/files/l10n/he.js @@ -12,8 +12,6 @@ OC.L10N.register( "Upload cancelled." : "ההעלאה בוטלה.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "לא ניתן להעלות {filename} כיוון שמדובר בתיקייה או שגודלו 0 בייט", "Not enough free space, you are uploading {size1} but only {size2} is left" : "לא קיים מספיק מקום פנוי, הקובץ המיועד להעלאה {size1} אבל נשאר {size2} בלבד", - "Uploading..." : "העלאה...", - "..." : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} מתוך {totalSize} ({bitrate})", "Actions" : "פעולות", "Download" : "הורדה", @@ -59,9 +57,7 @@ OC.L10N.register( "_%n byte_::_%n bytes_" : ["%n בייט","%n בייטים"], "Favorited" : "מועדף", "Favorite" : "מועדף", - "Folder" : "תיקייה", "New folder" : "תיקייה חדשה", - "Upload" : "העלאה", "An error occurred while trying to update the tags" : "שגיאה אירעה בזמן עדכון התגיות", "A new file or folder has been created" : "קובץ או תיקייה חדשים נוצרו", "Limit notifications about creation and changes to your favorite files (Stream only)" : "הגבלת הודעות על יצירת או שינוי הקבצים המועדפים שלך (Stream only)", @@ -75,64 +71,16 @@ OC.L10N.register( "Settings" : "הגדרות", "Show hidden files" : "הצגת קבצים נסתרים", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "ניתן להשתמש בכתובת זו כדי להכנס לקבצים שלך באמצעות WebDAV", "No files in here" : "אין כאן קבצים", "Upload some content or sync with your devices!" : "יש להעלות קצת תוכן או לסנכרן עם ההתקנים שלך!", "No entries found in this folder" : "לא נמצאו כניסות לתיקייה זו", "Select all" : "לבחור הכול", "Upload too large" : "העלאה גדולה מידי", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה.", - "No favorites" : "אין מועדפים", "Files and folders you mark as favorite will show up here" : "קבצים ותיקיות שסומנו על ידך כמועדפים יוצגו כאן", "Tags" : "תגיות", "Deleted files" : "קבצים שנמחקו", "Text file" : "קובץ טקסט", - "New text file.txt" : "קובץ טקסט חדש.txt", - "Storage not available" : "אחסון לא זמין", - "Unable to set upload directory." : "לא היה ניתן לקבוע תיקיית העלאות.", - "Invalid Token" : "קוד לא חוקי", - "No file was uploaded. Unknown error" : "לא הועלה קובץ. טעות בלתי מזוהה.", - "There is no error, the file uploaded with success" : "לא התרחשה שגיאה, הקובץ הועלה בהצלחה", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "הקבצים שנשלחו חורגים מהגודל שצוין בהגדרה upload_max_filesize שבקובץ php.ini:", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "הקובץ שהועלה גדוך מהערך MAX_FILE_SIZE שהוגדר בתופס HTML", - "The uploaded file was only partially uploaded" : "הקובץ הועלה באופן חלקי בלבד", - "No file was uploaded" : "שום קובץ לא הועלה", - "Missing a temporary folder" : "תקיה זמנית חסרה", - "Failed to write to disk" : "הכתיבה לכונן נכשלה", - "Not enough storage available" : "אין די שטח פנוי באחסון", - "The target folder has been moved or deleted." : "תיקיית המטרה הועברה או נמחקה.", - "Upload failed. Could not find uploaded file" : "העלאה נכשלה. לא נמצא הקובץ להעלאה", - "Upload failed. Could not get file info." : "העלאה נכשלה. לא ניתן להשיג את פרטי הקובץ.", - "Invalid directory." : "תיקייה שגויה.", - "Total file size {size1} exceeds upload limit {size2}" : "גודל הקובת {size1} עובר את מגבלת הגודל להעלאה {size2}", - "Error uploading file \"{fileName}\": {message}" : "שגיאה בזמן העלאת קובץ \"{fileName}\": {message}", - "Could not get result from server." : "לא ניתן לגשת לתוצאות מהשרת.", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "{hours}:{minutes}:{seconds} hour{plural_s} left", - "{hours}:{minutes}h" : "{hours}:{minutes}שעות", - "{minutes}:{seconds} minute{plural_s} left" : "{minutes}:{seconds} דקות{plural_s} נשארו", - "{minutes}:{seconds}m" : "{minutes}:{seconds}דקות", - "{seconds} second{plural_s} left" : "{seconds} שניות{plural_s} נשארו", - "{seconds}s" : "{seconds}שניות", - "Any moment now..." : "עכשיו בכל רגע...", - "Soon..." : "בקרוב...", - "File upload is in progress. Leaving the page now will cancel the upload." : "מתבצעת כעת העלאת קבצים. עזיבה של העמוד תבטל את ההעלאה.", - "No entries in this folder match '{filter}'" : "לא נמצאו התאמות בתיקייה זו ל- '{filter}'", - "Local link" : "קישור מקומי", - "{newname} already exists" : "{newname} כבר קיים", - "A file or folder has been changed" : "קובץ או תיקייה שונו", - "A file or folder has been deleted" : "קובץ או תיקייה נמחקו", - "A file or folder has been restored" : "קובץ או תיקייה שוחזר", - "You created %1$s" : "יצרת %1$s", - "%2$s created %1$s" : "%2$s נוצרו %1$s", - "%1$s was created in a public folder" : "%1$s נוצר בתיקייה ציבורית", - "You changed %1$s" : "שינית %1$s", - "%2$s changed %1$s" : "%2$s שונו %1$s", - "You deleted %1$s" : "מחקת %1$s", - "%2$s deleted %1$s" : "%2$s נמחקו %1$s", - "You restored %1$s" : "שחזרת %1$s", - "%2$s restored %1$s" : "%2$s שוחזרו %1$s", - "Changed by %2$s" : "שונו על ידי %2$s", - "Deleted by %2$s" : "נמחקו על ידי %2$s", - "Restored by %2$s" : "שוחזרו על ידי %2$s" + "New text file.txt" : "קובץ טקסט חדש.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/he.json b/apps/files/l10n/he.json index 51a16344f8ef9..4cce04d522c14 100644 --- a/apps/files/l10n/he.json +++ b/apps/files/l10n/he.json @@ -10,8 +10,6 @@ "Upload cancelled." : "ההעלאה בוטלה.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "לא ניתן להעלות {filename} כיוון שמדובר בתיקייה או שגודלו 0 בייט", "Not enough free space, you are uploading {size1} but only {size2} is left" : "לא קיים מספיק מקום פנוי, הקובץ המיועד להעלאה {size1} אבל נשאר {size2} בלבד", - "Uploading..." : "העלאה...", - "..." : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} מתוך {totalSize} ({bitrate})", "Actions" : "פעולות", "Download" : "הורדה", @@ -57,9 +55,7 @@ "_%n byte_::_%n bytes_" : ["%n בייט","%n בייטים"], "Favorited" : "מועדף", "Favorite" : "מועדף", - "Folder" : "תיקייה", "New folder" : "תיקייה חדשה", - "Upload" : "העלאה", "An error occurred while trying to update the tags" : "שגיאה אירעה בזמן עדכון התגיות", "A new file or folder has been created" : "קובץ או תיקייה חדשים נוצרו", "Limit notifications about creation and changes to your favorite files (Stream only)" : "הגבלת הודעות על יצירת או שינוי הקבצים המועדפים שלך (Stream only)", @@ -73,64 +69,16 @@ "Settings" : "הגדרות", "Show hidden files" : "הצגת קבצים נסתרים", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "ניתן להשתמש בכתובת זו כדי להכנס לקבצים שלך באמצעות WebDAV", "No files in here" : "אין כאן קבצים", "Upload some content or sync with your devices!" : "יש להעלות קצת תוכן או לסנכרן עם ההתקנים שלך!", "No entries found in this folder" : "לא נמצאו כניסות לתיקייה זו", "Select all" : "לבחור הכול", "Upload too large" : "העלאה גדולה מידי", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "הקבצים שניסית להעלות חרגו מהגודל המקסימלי להעלאת קבצים על שרת זה.", - "No favorites" : "אין מועדפים", "Files and folders you mark as favorite will show up here" : "קבצים ותיקיות שסומנו על ידך כמועדפים יוצגו כאן", "Tags" : "תגיות", "Deleted files" : "קבצים שנמחקו", "Text file" : "קובץ טקסט", - "New text file.txt" : "קובץ טקסט חדש.txt", - "Storage not available" : "אחסון לא זמין", - "Unable to set upload directory." : "לא היה ניתן לקבוע תיקיית העלאות.", - "Invalid Token" : "קוד לא חוקי", - "No file was uploaded. Unknown error" : "לא הועלה קובץ. טעות בלתי מזוהה.", - "There is no error, the file uploaded with success" : "לא התרחשה שגיאה, הקובץ הועלה בהצלחה", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "הקבצים שנשלחו חורגים מהגודל שצוין בהגדרה upload_max_filesize שבקובץ php.ini:", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "הקובץ שהועלה גדוך מהערך MAX_FILE_SIZE שהוגדר בתופס HTML", - "The uploaded file was only partially uploaded" : "הקובץ הועלה באופן חלקי בלבד", - "No file was uploaded" : "שום קובץ לא הועלה", - "Missing a temporary folder" : "תקיה זמנית חסרה", - "Failed to write to disk" : "הכתיבה לכונן נכשלה", - "Not enough storage available" : "אין די שטח פנוי באחסון", - "The target folder has been moved or deleted." : "תיקיית המטרה הועברה או נמחקה.", - "Upload failed. Could not find uploaded file" : "העלאה נכשלה. לא נמצא הקובץ להעלאה", - "Upload failed. Could not get file info." : "העלאה נכשלה. לא ניתן להשיג את פרטי הקובץ.", - "Invalid directory." : "תיקייה שגויה.", - "Total file size {size1} exceeds upload limit {size2}" : "גודל הקובת {size1} עובר את מגבלת הגודל להעלאה {size2}", - "Error uploading file \"{fileName}\": {message}" : "שגיאה בזמן העלאת קובץ \"{fileName}\": {message}", - "Could not get result from server." : "לא ניתן לגשת לתוצאות מהשרת.", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "{hours}:{minutes}:{seconds} hour{plural_s} left", - "{hours}:{minutes}h" : "{hours}:{minutes}שעות", - "{minutes}:{seconds} minute{plural_s} left" : "{minutes}:{seconds} דקות{plural_s} נשארו", - "{minutes}:{seconds}m" : "{minutes}:{seconds}דקות", - "{seconds} second{plural_s} left" : "{seconds} שניות{plural_s} נשארו", - "{seconds}s" : "{seconds}שניות", - "Any moment now..." : "עכשיו בכל רגע...", - "Soon..." : "בקרוב...", - "File upload is in progress. Leaving the page now will cancel the upload." : "מתבצעת כעת העלאת קבצים. עזיבה של העמוד תבטל את ההעלאה.", - "No entries in this folder match '{filter}'" : "לא נמצאו התאמות בתיקייה זו ל- '{filter}'", - "Local link" : "קישור מקומי", - "{newname} already exists" : "{newname} כבר קיים", - "A file or folder has been changed" : "קובץ או תיקייה שונו", - "A file or folder has been deleted" : "קובץ או תיקייה נמחקו", - "A file or folder has been restored" : "קובץ או תיקייה שוחזר", - "You created %1$s" : "יצרת %1$s", - "%2$s created %1$s" : "%2$s נוצרו %1$s", - "%1$s was created in a public folder" : "%1$s נוצר בתיקייה ציבורית", - "You changed %1$s" : "שינית %1$s", - "%2$s changed %1$s" : "%2$s שונו %1$s", - "You deleted %1$s" : "מחקת %1$s", - "%2$s deleted %1$s" : "%2$s נמחקו %1$s", - "You restored %1$s" : "שחזרת %1$s", - "%2$s restored %1$s" : "%2$s שוחזרו %1$s", - "Changed by %2$s" : "שונו על ידי %2$s", - "Deleted by %2$s" : "נמחקו על ידי %2$s", - "Restored by %2$s" : "שוחזרו על ידי %2$s" + "New text file.txt" : "קובץ טקסט חדש.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/id.js b/apps/files/l10n/id.js index 14022655d623b..84c3fd8eff465 100644 --- a/apps/files/l10n/id.js +++ b/apps/files/l10n/id.js @@ -13,8 +13,6 @@ OC.L10N.register( "Upload cancelled." : "Pengunggahan dibatalkan.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "Tidak dapat mengunggah {filename} karena ini sebuah direktori atau memiliki ukuran 0 byte", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Ruang bebas tidak mencukupi, Anda mengunggah {size1} tetapi hanya {size2} yang tersisa", - "Uploading..." : "Mengunggah...", - "..." : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} dari {totalSize} ({bitrate})", "Actions" : "Tindakan", "Download" : "Unduh", @@ -60,9 +58,7 @@ OC.L10N.register( "_%n byte_::_%n bytes_" : ["%n byte"], "Favorited" : "Difavoritkan", "Favorite" : "Favorit", - "Folder" : "Folder", "New folder" : "Map baru", - "Upload" : "Unggah", "An error occurred while trying to update the tags" : "Terjadi kesalahan saat mencoba untuk memperbarui label", "A new file or folder has been created" : "Sebuah berkas atau folder baru telah dibuat", "Limit notifications about creation and changes to your favorite files (Stream only)" : "Batas notifikasi tentang pembuatan dan perubahan berkas favorit Anda (Hanya stream)", @@ -76,62 +72,14 @@ OC.L10N.register( "Settings" : "Pengaturan", "Show hidden files" : "Lihat berkas tersembunyi", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "Gunakan alamat ini untuk mengakses berkas Anda melalui WebDAV", "No files in here" : "Tidak ada berkas disini", "Upload some content or sync with your devices!" : "Unggah beberapa konten dan sinkronisasikan dengan perangkat Anda!", "No entries found in this folder" : "Tidak ada entri yang ditemukan dalam folder ini", "Select all" : "Pilih Semua", "Upload too large" : "Yang diunggah terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Berkas yang dicoba untuk diunggah melebihi ukuran maksimum pengunggahan berkas di server ini.", - "No favorites" : "Tidak ada favorit", "Files and folders you mark as favorite will show up here" : "Berkas dan folder yang Anda tandai sebagai favorit akan ditampilkan disini.", "Text file" : "Berkas teks", - "New text file.txt" : "Teks baru file.txt", - "Storage not available" : "Penyimpanan tidak tersedia", - "Unable to set upload directory." : "Tidak dapat mengatur folder unggah", - "Invalid Token" : "Token tidak sah", - "No file was uploaded. Unknown error" : "Tidak ada berkas yang diunggah. Kesalahan tidak dikenal.", - "There is no error, the file uploaded with success" : "Tidak ada kesalahan, berkas sukses diunggah", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "Berkas yang diunggah melampaui direktif upload_max_filesize pada php.ini", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "Berkas yang diunggah melampaui direktif MAX_FILE_SIZE yang ditentukan dalam formulir HTML.", - "The uploaded file was only partially uploaded" : "Berkas hanya diunggah sebagian", - "No file was uploaded" : "Tidak ada berkas yang diunggah", - "Missing a temporary folder" : "Folder sementara tidak ada", - "Failed to write to disk" : "Gagal menulis ke disk", - "Not enough storage available" : "Ruang penyimpanan tidak mencukupi", - "The target folder has been moved or deleted." : "Folder tujuan telah dipindahkan atau dihapus.", - "Upload failed. Could not find uploaded file" : "Unggah gagal. Tidak menemukan berkas yang akan diunggah", - "Upload failed. Could not get file info." : "Unggah gagal. Tidak mendapatkan informasi berkas.", - "Invalid directory." : "Direktori tidak valid.", - "Total file size {size1} exceeds upload limit {size2}" : "Jumlah ukuran berkas {size1} melampaui batas unggah {size2}", - "Error uploading file \"{fileName}\": {message}" : "Kesalahan saat mengunggah \"{filename}\": {message}", - "Could not get result from server." : "Tidak mendapatkan hasil dari server.", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "Masih {hours}:{minutes}:{seconds} lagi", - "{hours}:{minutes}h" : "{hours}:{minutes}j", - "{minutes}:{seconds} minute{plural_s} left" : "Masih {minutes}:{seconds} lagi", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds} second{plural_s} left" : "Masih {seconds} detik lagi", - "{seconds}s" : "{seconds}d", - "Any moment now..." : "Sedikit lagi...", - "Soon..." : "Segera...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Berkas sedang diunggah. Meninggalkan halaman ini akan membatalkan proses.", - "No entries in this folder match '{filter}'" : "Tidak ada entri di folder ini yang cocok dengan '{filter}'", - "Local link" : "Pranala lokal", - "{newname} already exists" : "{newname} sudah ada", - "A file or folder has been changed" : "Sebuah berkas atau folder telah diubah", - "A file or folder has been deleted" : "Sebuah berkas atau folder telah dihapus", - "A file or folder has been restored" : "Sebuah berkas atau folder telah dipulihkan", - "You created %1$s" : "Anda membuat %1$s", - "%2$s created %1$s" : "%2$s membuat %1$s", - "%1$s was created in a public folder" : "%1$s telah dibuat di folder publik", - "You changed %1$s" : "Anda mengubah %1$s", - "%2$s changed %1$s" : "%2$s mengubah %1$s", - "You deleted %1$s" : "Anda menghapus %1$s", - "%2$s deleted %1$s" : "%2$s menghapus %1$s", - "You restored %1$s" : "Anda memulihkan %1$s", - "%2$s restored %1$s" : "%2$s memulihkan %1$s", - "Changed by %2$s" : "Diubah oleh %2$s", - "Deleted by %2$s" : "Dihapus oleh %2$s", - "Restored by %2$s" : "Dipulihkan oleh %2$s" + "New text file.txt" : "Teks baru file.txt" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/id.json b/apps/files/l10n/id.json index e245cc7847c08..9a70bca07418b 100644 --- a/apps/files/l10n/id.json +++ b/apps/files/l10n/id.json @@ -11,8 +11,6 @@ "Upload cancelled." : "Pengunggahan dibatalkan.", "Unable to upload {filename} as it is a directory or has 0 bytes" : "Tidak dapat mengunggah {filename} karena ini sebuah direktori atau memiliki ukuran 0 byte", "Not enough free space, you are uploading {size1} but only {size2} is left" : "Ruang bebas tidak mencukupi, Anda mengunggah {size1} tetapi hanya {size2} yang tersisa", - "Uploading..." : "Mengunggah...", - "..." : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} dari {totalSize} ({bitrate})", "Actions" : "Tindakan", "Download" : "Unduh", @@ -58,9 +56,7 @@ "_%n byte_::_%n bytes_" : ["%n byte"], "Favorited" : "Difavoritkan", "Favorite" : "Favorit", - "Folder" : "Folder", "New folder" : "Map baru", - "Upload" : "Unggah", "An error occurred while trying to update the tags" : "Terjadi kesalahan saat mencoba untuk memperbarui label", "A new file or folder has been created" : "Sebuah berkas atau folder baru telah dibuat", "Limit notifications about creation and changes to your favorite files (Stream only)" : "Batas notifikasi tentang pembuatan dan perubahan berkas favorit Anda (Hanya stream)", @@ -74,62 +70,14 @@ "Settings" : "Pengaturan", "Show hidden files" : "Lihat berkas tersembunyi", "WebDAV" : "WebDAV", - "Use this address to access your Files via WebDAV" : "Gunakan alamat ini untuk mengakses berkas Anda melalui WebDAV", "No files in here" : "Tidak ada berkas disini", "Upload some content or sync with your devices!" : "Unggah beberapa konten dan sinkronisasikan dengan perangkat Anda!", "No entries found in this folder" : "Tidak ada entri yang ditemukan dalam folder ini", "Select all" : "Pilih Semua", "Upload too large" : "Yang diunggah terlalu besar", "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Berkas yang dicoba untuk diunggah melebihi ukuran maksimum pengunggahan berkas di server ini.", - "No favorites" : "Tidak ada favorit", "Files and folders you mark as favorite will show up here" : "Berkas dan folder yang Anda tandai sebagai favorit akan ditampilkan disini.", "Text file" : "Berkas teks", - "New text file.txt" : "Teks baru file.txt", - "Storage not available" : "Penyimpanan tidak tersedia", - "Unable to set upload directory." : "Tidak dapat mengatur folder unggah", - "Invalid Token" : "Token tidak sah", - "No file was uploaded. Unknown error" : "Tidak ada berkas yang diunggah. Kesalahan tidak dikenal.", - "There is no error, the file uploaded with success" : "Tidak ada kesalahan, berkas sukses diunggah", - "The uploaded file exceeds the upload_max_filesize directive in php.ini: " : "Berkas yang diunggah melampaui direktif upload_max_filesize pada php.ini", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "Berkas yang diunggah melampaui direktif MAX_FILE_SIZE yang ditentukan dalam formulir HTML.", - "The uploaded file was only partially uploaded" : "Berkas hanya diunggah sebagian", - "No file was uploaded" : "Tidak ada berkas yang diunggah", - "Missing a temporary folder" : "Folder sementara tidak ada", - "Failed to write to disk" : "Gagal menulis ke disk", - "Not enough storage available" : "Ruang penyimpanan tidak mencukupi", - "The target folder has been moved or deleted." : "Folder tujuan telah dipindahkan atau dihapus.", - "Upload failed. Could not find uploaded file" : "Unggah gagal. Tidak menemukan berkas yang akan diunggah", - "Upload failed. Could not get file info." : "Unggah gagal. Tidak mendapatkan informasi berkas.", - "Invalid directory." : "Direktori tidak valid.", - "Total file size {size1} exceeds upload limit {size2}" : "Jumlah ukuran berkas {size1} melampaui batas unggah {size2}", - "Error uploading file \"{fileName}\": {message}" : "Kesalahan saat mengunggah \"{filename}\": {message}", - "Could not get result from server." : "Tidak mendapatkan hasil dari server.", - "{hours}:{minutes}:{seconds} hour{plural_s} left" : "Masih {hours}:{minutes}:{seconds} lagi", - "{hours}:{minutes}h" : "{hours}:{minutes}j", - "{minutes}:{seconds} minute{plural_s} left" : "Masih {minutes}:{seconds} lagi", - "{minutes}:{seconds}m" : "{minutes}:{seconds}m", - "{seconds} second{plural_s} left" : "Masih {seconds} detik lagi", - "{seconds}s" : "{seconds}d", - "Any moment now..." : "Sedikit lagi...", - "Soon..." : "Segera...", - "File upload is in progress. Leaving the page now will cancel the upload." : "Berkas sedang diunggah. Meninggalkan halaman ini akan membatalkan proses.", - "No entries in this folder match '{filter}'" : "Tidak ada entri di folder ini yang cocok dengan '{filter}'", - "Local link" : "Pranala lokal", - "{newname} already exists" : "{newname} sudah ada", - "A file or folder has been changed" : "Sebuah berkas atau folder telah diubah", - "A file or folder has been deleted" : "Sebuah berkas atau folder telah dihapus", - "A file or folder has been restored" : "Sebuah berkas atau folder telah dipulihkan", - "You created %1$s" : "Anda membuat %1$s", - "%2$s created %1$s" : "%2$s membuat %1$s", - "%1$s was created in a public folder" : "%1$s telah dibuat di folder publik", - "You changed %1$s" : "Anda mengubah %1$s", - "%2$s changed %1$s" : "%2$s mengubah %1$s", - "You deleted %1$s" : "Anda menghapus %1$s", - "%2$s deleted %1$s" : "%2$s menghapus %1$s", - "You restored %1$s" : "Anda memulihkan %1$s", - "%2$s restored %1$s" : "%2$s memulihkan %1$s", - "Changed by %2$s" : "Diubah oleh %2$s", - "Deleted by %2$s" : "Dihapus oleh %2$s", - "Restored by %2$s" : "Dipulihkan oleh %2$s" + "New text file.txt" : "Teks baru file.txt" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files/l10n/is.js b/apps/files/l10n/is.js index 04009665b1f91..b82dc90c844fa 100644 --- a/apps/files/l10n/is.js +++ b/apps/files/l10n/is.js @@ -62,8 +62,11 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "Þú hefur ekki heimild til að hlaða inn eða búa til skjöl hér", "_Uploading %n file_::_Uploading %n files_" : ["Sendi inn %n skrá","Sendi inn %n skrár"], "New" : "Nýtt", + "{used} of {quota} used" : "{used} af {quota} notað", + "{used} used" : "{used} notað", "\"{name}\" is an invalid file name." : "\"{name}\" er ógilt skráarheiti.", "File name cannot be empty." : "Heiti skráar má ekki vera tómt", + "\"/\" is not allowed inside a file name." : "\"/\" er er ekki leyfilegt innan í skráarheiti.", "\"{name}\" is not an allowed filetype" : "\"{name}\" er ógild skráartegund", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Geymslupláss {owner} er fullt, ekki er lengur hægt að uppfæra eða samstilla skrár!", "Your storage is full, files can not be updated or synced anymore!" : "Geymsluplássið þitt er fullt, ekki er lengur hægt að uppfæra eða samstilla skrár!", @@ -143,6 +146,10 @@ OC.L10N.register( "Tags" : "Merki", "Deleted files" : "Eyddar skrár", "Text file" : "Textaskrá", - "New text file.txt" : "Ný textaskrá.txt" + "New text file.txt" : "Ný textaskrá.txt", + "Move" : "Færa", + "A new file or folder has been deleted" : "Nýrri skrá eða möppu hefur verið eytt", + "A new file or folder has been restored" : "Ný skrá eða mappa hefur verið endurheimt", + "Use this address to access your Files via WebDAV" : "Notaðu þetta vistfang til að nálgast skrárnar þínar með WebDAV" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files/l10n/is.json b/apps/files/l10n/is.json index 5bca88d8ecd56..8df6596600a6b 100644 --- a/apps/files/l10n/is.json +++ b/apps/files/l10n/is.json @@ -60,8 +60,11 @@ "You don’t have permission to upload or create files here" : "Þú hefur ekki heimild til að hlaða inn eða búa til skjöl hér", "_Uploading %n file_::_Uploading %n files_" : ["Sendi inn %n skrá","Sendi inn %n skrár"], "New" : "Nýtt", + "{used} of {quota} used" : "{used} af {quota} notað", + "{used} used" : "{used} notað", "\"{name}\" is an invalid file name." : "\"{name}\" er ógilt skráarheiti.", "File name cannot be empty." : "Heiti skráar má ekki vera tómt", + "\"/\" is not allowed inside a file name." : "\"/\" er er ekki leyfilegt innan í skráarheiti.", "\"{name}\" is not an allowed filetype" : "\"{name}\" er ógild skráartegund", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Geymslupláss {owner} er fullt, ekki er lengur hægt að uppfæra eða samstilla skrár!", "Your storage is full, files can not be updated or synced anymore!" : "Geymsluplássið þitt er fullt, ekki er lengur hægt að uppfæra eða samstilla skrár!", @@ -141,6 +144,10 @@ "Tags" : "Merki", "Deleted files" : "Eyddar skrár", "Text file" : "Textaskrá", - "New text file.txt" : "Ný textaskrá.txt" + "New text file.txt" : "Ný textaskrá.txt", + "Move" : "Færa", + "A new file or folder has been deleted" : "Nýrri skrá eða möppu hefur verið eytt", + "A new file or folder has been restored" : "Ný skrá eða mappa hefur verið endurheimt", + "Use this address to access your Files via WebDAV" : "Notaðu þetta vistfang til að nálgast skrárnar þínar með WebDAV" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/files/l10n/mn.js b/apps/files/l10n/mn.js index 994f002b48c71..058706de67761 100644 --- a/apps/files/l10n/mn.js +++ b/apps/files/l10n/mn.js @@ -1,22 +1,93 @@ OC.L10N.register( "files", { + "Storage is temporarily not available" : "Хадгалах төхөөрөмж нь түр хугацаанд ашиглах боломжгүй байна", + "Storage invalid" : "Хадгалах төхөөрөмж буруу байна", + "Unknown error" : "Үл мэдэгдэх алдаа", + "All files" : "Бүх файлууд", + "Recent" : "Сүүлийн үеийн", + "File could not be found" : "Файл олдсонгүй", + "Home" : "Нүүр хуудас", + "Close" : "Хаах", + "Favorites" : "Дуртай", + "Could not create folder \"{dir}\"" : "\"{dir}\" ийм хавтас үүсгэж болохгүй байна", + "Upload cancelled." : "Байршуулалт цуцлагдсан. ", + "Not enough free space, you are uploading {size1} but only {size2} is left" : "хангалттай зай үлдээгүй байна, та {size1} хэмжээтэй файл оруулж байна гэхдээ зөвхөн {size2} ийн хэмжээний сул зай үлдсэн байна", + "Not enough free space" : "Сул зай хүрэлцэхгүй байна", + "Actions" : "Үйл ажиллагаа", + "Download" : "Татаж авах ", + "Rename" : "Нэр өөрчлөх", + "Target folder" : "Заагч хавтас", + "Delete" : "Устгах", + "Disconnect storage" : "Хадгалах төхөөрөмж салгах", + "Unshare" : "Түгээлтийг зогсоох", "Files" : "Файлууд", - "Upload" : "Байршуулах", - "A new file or folder has been created" : "Файл эсвэл хавтас амжилттай үүсгэгдлээ", - "A file or folder has been changed" : "Файл эсвэл хавтас амжилттай солигдлоо", - "A file or folder has been deleted" : "Файл эсвэл хавтас амжилттай устгагдлаа", - "A file or folder has been restored" : "Файл эсвэл хавтас амжилттай сэргээгдлээ", - "You created %1$s" : "Та %1$s үүсгэлээ", - "%2$s created %1$s" : "%2$s %1$s-ийг үүсгэлээ", - "%1$s was created in a public folder" : "%1$s-ийг нийтийн хавтсанд үүсгэсэн байна", - "You changed %1$s" : "Та %1$s-ийг өөрчиллөө", - "%2$s changed %1$s" : "%2$s %1$s-ийг өөрчиллөө", - "You deleted %1$s" : "Та %1$s-ийг устгалаа", - "%2$s deleted %1$s" : "%2$s %1$s-ийг устгалаа", - "You restored %1$s" : "Та %1$s-ийг сэргээлээ", - "%2$s restored %1$s" : "%2$s %1$s-ийг сэргээлээ", - "Save" : "Хадгалах", - "Settings" : "Тохиргоо" + "Details" : "Дэлгэрэнгүй", + "Select" : "Сонгох", + "Pending" : "Хүлээгдэж байгаа", + "Unable to determine date" : "Огноог тодорхойлох боломжгүй", + "This operation is forbidden" : "Энэ үйлдэл хориотой", + "Could not move \"{file}\", target exists" : "\"{file}\" -г зөөж чадсангүй, алдаа: target exists ", + "Could not move \"{file}\"" : "Файлыг зөөж чадсангүй: \"{file}\"", + "{newName} already exists" : "{newName} нэр давцаж байна", + "Could not rename \"{fileName}\", it does not exist any more" : "\"{fileName}\" файлын нэрийг солих боломжгүй, энэ файл устгагдсан байна", + "Could not rename \"{fileName}\"" : "Файлын нэрийг сольж чадсангүй: \"{fileName}\"", + "Could not create file \"{file}\"" : "\"{file}\" файлыг үүсгэж чадсангүй", + "Could not create file \"{file}\" because it already exists" : "Ийм нэртэй файл байгаа учир \"{file}\"-г үүсгэж чадахгүй", + "Could not create folder \"{dir}\" because it already exists" : " \"{dir}\" хавтасыг үүсгэх боломжгүй, нэр нь давцаж байна", + "Error deleting file \"{fileName}\"." : "\"{fileName}\" файлыг устгахад алдаа гарлаа.", + "Name" : "Нэр", + "Size" : "Хэмжээ", + "Modified" : "Өөрчлөгдсөн", + "New" : "Шинэ", + "File name cannot be empty." : "Файлын нэр хоосон байж болохгүй.", + "View in folder" : "Хавтасыг нээх", + "Copied!" : "Хуулсан!", + "Path" : "Зам", + "Favorite" : "Дуртай", + "New folder" : "Шинэ хавтас", + "Upload file" : "Файл байршуулах", + "An error occurred while trying to update the tags" : "Tag шинэчлэхэд алдаа гарлаа", + "Added to favorites" : "Дуртай файлаар сонгов", + "You added {file} to your favorites" : "{file} дуртай файлаар сонгов", + "You removed {file} from your favorites" : "Та дуртай файлын жагсаалтаас {file}-г хасав", + "File changes" : "Файлын өөрчлөлтүүд", + "Created by {user}" : "{user} үүсгэсэн", + "Changed by {user}" : "{user} өөрчилсөн", + "Deleted by {user}" : "{user} устгасан", + "Restored by {user}" : "{user} сэргээсэн", + "Renamed by {user}" : "{user} нэр солисон", + "Moved by {user}" : "{user} зөөсөн", + "\"remote user\"" : "алсын хэрэглэгч", + "You created {file}" : "{file} файлыг та үүсгэв", + "{user} created {file}" : "{user} {file}-г үүсгэв", + "{file} was created in a public folder" : "{file} нийтийн хавтсанд үүсгэгдсэн", + "You changed {file}" : "Та {file} файлыг өөрчлөв", + "{user} changed {file}" : "{user} хэрэглэгч {file}-г өөрчлөв", + "You deleted {file}" : "Та {file} файлыг устгав", + "{user} deleted {file}" : "{user} хэрэглэгч {file} файлыг устгав", + "You restored {file}" : "Та {file} файлыг сэргээв", + "{user} restored {file}" : "{user} хэрэглэгч {file} файлыг сэргээв", + "You renamed {oldfile} to {newfile}" : "Та {oldfile} файлын нэрйиг {newfile} болгож өөрчлөв", + "{user} renamed {oldfile} to {newfile}" : "{user} хэрэглэгч {oldfile} файлын нэрийг {newfile} болгож өөрчлөв", + "You moved {oldfile} to {newfile}" : "Та {oldfile} файлыг {newfile} болгож зөөв", + "{user} moved {oldfile} to {newfile}" : "{user} хэрэглэгч {oldfile} файлыг {newfile} болгож зөөв", + "File handling" : "файлтай харьцах", + "Maximum upload size" : "хамгийн их байршуулах хэмжээ", + "max. possible: " : "боломжтой хамгийн их хэмжээ", + "Save" : "хадгалах", + "Settings" : "Тохиргоо", + "Show hidden files" : "Нууцлагдсан файлыг харах", + "No files in here" : "энэд файл байхгүй байна", + "No entries found in this folder" : "энэ хавтсан олдсон ч ямарч мэдээлэл олдохгүй байна", + "Select all" : "бүгдийг сонгох", + "Upload too large" : "маш том байршуулалт", + "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Таны байршуулах гэж оролдсон файлууд нь энэ сервер дээр файл байршуулах дээд хэмжээнээс хэтэрч.", + "Shared with others" : "Бусдад түгээсэн", + "Shared by link" : "Холбоосоор түгээсэн", + "Tags" : "Тэгүүд", + "Deleted files" : "Устгасан файлууд", + "Text file" : "текст файл", + "New text file.txt" : "шинэ текст file.txt" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/mn.json b/apps/files/l10n/mn.json index f1b58c7e13f3c..cacb2fef9a2c0 100644 --- a/apps/files/l10n/mn.json +++ b/apps/files/l10n/mn.json @@ -1,20 +1,91 @@ { "translations": { + "Storage is temporarily not available" : "Хадгалах төхөөрөмж нь түр хугацаанд ашиглах боломжгүй байна", + "Storage invalid" : "Хадгалах төхөөрөмж буруу байна", + "Unknown error" : "Үл мэдэгдэх алдаа", + "All files" : "Бүх файлууд", + "Recent" : "Сүүлийн үеийн", + "File could not be found" : "Файл олдсонгүй", + "Home" : "Нүүр хуудас", + "Close" : "Хаах", + "Favorites" : "Дуртай", + "Could not create folder \"{dir}\"" : "\"{dir}\" ийм хавтас үүсгэж болохгүй байна", + "Upload cancelled." : "Байршуулалт цуцлагдсан. ", + "Not enough free space, you are uploading {size1} but only {size2} is left" : "хангалттай зай үлдээгүй байна, та {size1} хэмжээтэй файл оруулж байна гэхдээ зөвхөн {size2} ийн хэмжээний сул зай үлдсэн байна", + "Not enough free space" : "Сул зай хүрэлцэхгүй байна", + "Actions" : "Үйл ажиллагаа", + "Download" : "Татаж авах ", + "Rename" : "Нэр өөрчлөх", + "Target folder" : "Заагч хавтас", + "Delete" : "Устгах", + "Disconnect storage" : "Хадгалах төхөөрөмж салгах", + "Unshare" : "Түгээлтийг зогсоох", "Files" : "Файлууд", - "Upload" : "Байршуулах", - "A new file or folder has been created" : "Файл эсвэл хавтас амжилттай үүсгэгдлээ", - "A file or folder has been changed" : "Файл эсвэл хавтас амжилттай солигдлоо", - "A file or folder has been deleted" : "Файл эсвэл хавтас амжилттай устгагдлаа", - "A file or folder has been restored" : "Файл эсвэл хавтас амжилттай сэргээгдлээ", - "You created %1$s" : "Та %1$s үүсгэлээ", - "%2$s created %1$s" : "%2$s %1$s-ийг үүсгэлээ", - "%1$s was created in a public folder" : "%1$s-ийг нийтийн хавтсанд үүсгэсэн байна", - "You changed %1$s" : "Та %1$s-ийг өөрчиллөө", - "%2$s changed %1$s" : "%2$s %1$s-ийг өөрчиллөө", - "You deleted %1$s" : "Та %1$s-ийг устгалаа", - "%2$s deleted %1$s" : "%2$s %1$s-ийг устгалаа", - "You restored %1$s" : "Та %1$s-ийг сэргээлээ", - "%2$s restored %1$s" : "%2$s %1$s-ийг сэргээлээ", - "Save" : "Хадгалах", - "Settings" : "Тохиргоо" + "Details" : "Дэлгэрэнгүй", + "Select" : "Сонгох", + "Pending" : "Хүлээгдэж байгаа", + "Unable to determine date" : "Огноог тодорхойлох боломжгүй", + "This operation is forbidden" : "Энэ үйлдэл хориотой", + "Could not move \"{file}\", target exists" : "\"{file}\" -г зөөж чадсангүй, алдаа: target exists ", + "Could not move \"{file}\"" : "Файлыг зөөж чадсангүй: \"{file}\"", + "{newName} already exists" : "{newName} нэр давцаж байна", + "Could not rename \"{fileName}\", it does not exist any more" : "\"{fileName}\" файлын нэрийг солих боломжгүй, энэ файл устгагдсан байна", + "Could not rename \"{fileName}\"" : "Файлын нэрийг сольж чадсангүй: \"{fileName}\"", + "Could not create file \"{file}\"" : "\"{file}\" файлыг үүсгэж чадсангүй", + "Could not create file \"{file}\" because it already exists" : "Ийм нэртэй файл байгаа учир \"{file}\"-г үүсгэж чадахгүй", + "Could not create folder \"{dir}\" because it already exists" : " \"{dir}\" хавтасыг үүсгэх боломжгүй, нэр нь давцаж байна", + "Error deleting file \"{fileName}\"." : "\"{fileName}\" файлыг устгахад алдаа гарлаа.", + "Name" : "Нэр", + "Size" : "Хэмжээ", + "Modified" : "Өөрчлөгдсөн", + "New" : "Шинэ", + "File name cannot be empty." : "Файлын нэр хоосон байж болохгүй.", + "View in folder" : "Хавтасыг нээх", + "Copied!" : "Хуулсан!", + "Path" : "Зам", + "Favorite" : "Дуртай", + "New folder" : "Шинэ хавтас", + "Upload file" : "Файл байршуулах", + "An error occurred while trying to update the tags" : "Tag шинэчлэхэд алдаа гарлаа", + "Added to favorites" : "Дуртай файлаар сонгов", + "You added {file} to your favorites" : "{file} дуртай файлаар сонгов", + "You removed {file} from your favorites" : "Та дуртай файлын жагсаалтаас {file}-г хасав", + "File changes" : "Файлын өөрчлөлтүүд", + "Created by {user}" : "{user} үүсгэсэн", + "Changed by {user}" : "{user} өөрчилсөн", + "Deleted by {user}" : "{user} устгасан", + "Restored by {user}" : "{user} сэргээсэн", + "Renamed by {user}" : "{user} нэр солисон", + "Moved by {user}" : "{user} зөөсөн", + "\"remote user\"" : "алсын хэрэглэгч", + "You created {file}" : "{file} файлыг та үүсгэв", + "{user} created {file}" : "{user} {file}-г үүсгэв", + "{file} was created in a public folder" : "{file} нийтийн хавтсанд үүсгэгдсэн", + "You changed {file}" : "Та {file} файлыг өөрчлөв", + "{user} changed {file}" : "{user} хэрэглэгч {file}-г өөрчлөв", + "You deleted {file}" : "Та {file} файлыг устгав", + "{user} deleted {file}" : "{user} хэрэглэгч {file} файлыг устгав", + "You restored {file}" : "Та {file} файлыг сэргээв", + "{user} restored {file}" : "{user} хэрэглэгч {file} файлыг сэргээв", + "You renamed {oldfile} to {newfile}" : "Та {oldfile} файлын нэрйиг {newfile} болгож өөрчлөв", + "{user} renamed {oldfile} to {newfile}" : "{user} хэрэглэгч {oldfile} файлын нэрийг {newfile} болгож өөрчлөв", + "You moved {oldfile} to {newfile}" : "Та {oldfile} файлыг {newfile} болгож зөөв", + "{user} moved {oldfile} to {newfile}" : "{user} хэрэглэгч {oldfile} файлыг {newfile} болгож зөөв", + "File handling" : "файлтай харьцах", + "Maximum upload size" : "хамгийн их байршуулах хэмжээ", + "max. possible: " : "боломжтой хамгийн их хэмжээ", + "Save" : "хадгалах", + "Settings" : "Тохиргоо", + "Show hidden files" : "Нууцлагдсан файлыг харах", + "No files in here" : "энэд файл байхгүй байна", + "No entries found in this folder" : "энэ хавтсан олдсон ч ямарч мэдээлэл олдохгүй байна", + "Select all" : "бүгдийг сонгох", + "Upload too large" : "маш том байршуулалт", + "The files you are trying to upload exceed the maximum size for file uploads on this server." : "Таны байршуулах гэж оролдсон файлууд нь энэ сервер дээр файл байршуулах дээд хэмжээнээс хэтэрч.", + "Shared with others" : "Бусдад түгээсэн", + "Shared by link" : "Холбоосоор түгээсэн", + "Tags" : "Тэгүүд", + "Deleted files" : "Устгасан файлууд", + "Text file" : "текст файл", + "New text file.txt" : "шинэ текст file.txt" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files/l10n/th.js b/apps/files/l10n/th.js new file mode 100644 index 0000000000000..2b914479d0714 --- /dev/null +++ b/apps/files/l10n/th.js @@ -0,0 +1,81 @@ +OC.L10N.register( + "files", + { + "Storage invalid" : "การจัดเก็บข้อมูลไม่ถูกต้อง", + "Unknown error" : "ข้อผิดพลาดที่ไม่ทราบสาเหตุ", + "All files" : "ไฟล์ทั้งหมด", + "Home" : "บ้าน", + "Close" : "ปิด", + "Favorites" : "รายการโปรด", + "Could not create folder \"{dir}\"" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\"", + "Upload cancelled." : "การอัพโหลดถูกยกเลิก", + "Unable to upload {filename} as it is a directory or has 0 bytes" : "ไม่สามารถอัพโหลด {filename} มันเป็นไดเรกทอรีหรือมี 0 ไบต์", + "Not enough free space, you are uploading {size1} but only {size2} is left" : "พื้นที่ว่างไม่เพียงพอคุณจะอัพโหลด {size1} แต่มีพืนที่แค่ {size2}", + "Actions" : "การกระทำ", + "Download" : "ดาวน์โหลด", + "Rename" : "เปลี่ยนชื่อ", + "Delete" : "ลบ", + "Disconnect storage" : "ยกเลิกการเชื่อมต่อการจัดเก็บข้อมูล", + "Unshare" : "ยกเลิกการแชร์", + "Files" : "ไฟล์", + "Details" : "รายละเอียด", + "Select" : "เลือก", + "Pending" : "อยู่ระหว่างดำเนินการ", + "Unable to determine date" : "ไม่สามารถกำหนดวัน", + "This operation is forbidden" : "การดำเนินการนี้ถูกห้าม", + "This directory is unavailable, please check the logs or contact the administrator" : "ไม่สามารถใช้งานไดเรกทอรีนี้โปรดตรวจสอบบันทึกหรือติดต่อผู้ดูแลระบบ", + "Could not move \"{file}\", target exists" : "ไม่สามารถย้ายไฟล์ \"{file}\" ไม่มีไฟล์นั้นอยู่", + "Could not move \"{file}\"" : "ไม่สามารถย้ายไฟล์ \"{file}\"", + "{newName} already exists" : "{newName} มีอยู่แล้ว", + "Could not rename \"{fileName}\", it does not exist any more" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{fileName}\" ไฟล์นั้นไม่มีอยู่", + "The name \"{targetName}\" is already used in the folder \"{dir}\". Please choose a different name." : "ชื่อโฟลเดอร์ \"{targetName}\" มีอยู่แล้วใน \"{dir}\" กรุณาใช้ชื่อที่แตกต่างกัน", + "Could not rename \"{fileName}\"" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{fileName}\"", + "Could not create file \"{file}\"" : "ไม่สามารถสร้างไฟล์ \"{file}\"", + "Could not create file \"{file}\" because it already exists" : "ไม่สามารถสร้างไฟล์ \"{file}\" เพราะมันมีอยู่แล้ว", + "Could not create folder \"{dir}\" because it already exists" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\" เพราะมันมีอยู่แล้ว", + "Error deleting file \"{fileName}\"." : "เกิดข้อผิดพลาดขณะลบไฟล์ \"{fileName}\"", + "Name" : "ชื่อ", + "Size" : "ขนาด", + "Modified" : "แก้ไขเมื่อ", + "_%n folder_::_%n folders_" : ["%n โฟลเดอร์"], + "_%n file_::_%n files_" : ["%n ไฟล์"], + "{dirs} and {files}" : "{dirs} และ {files}", + "You don’t have permission to upload or create files here" : "คุณไม่ได้รับอนุญาตให้อัพโหลดหรือสร้างไฟล์ที่นี่", + "_Uploading %n file_::_Uploading %n files_" : ["อัพโหลด %n ไฟล์"], + "New" : "ใหม่", + "\"{name}\" is an invalid file name." : "\"{name}\" เป็นชื่อไฟล์ที่ไม่ถูกต้อง", + "File name cannot be empty." : "ชื่อไฟล์ไม่สามารถเว้นว่างได้", + "Storage of {owner} is full, files can not be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของ {owner} เต็มแล้ว ไฟล์ไม่สามารถอัพเดทหรือประสานข้อมูลได้อีก!", + "Your storage is full, files can not be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัพเดทหรือประสานข้อมูลได้อีก!", + "Storage of {owner} is almost full ({usedSpacePercent}%)" : "พื้นที่จัดเก็บข้อมูลของ {owner} ใกล้เต็มแล้ว\nใช้พื้นที่ไปแล้ว: ({usedSpacePercent}%)", + "Your storage is almost full ({usedSpacePercent}%)" : "พื้นที่จัดเก็บข้อมูลของคุณใกล้เต็มแล้ว \nใช้พื้นที่ไปแล้ว: ({usedSpacePercent}%)", + "_matches '{filter}'_::_match '{filter}'_" : ["ตรงกับ '{filter}'"], + "Path" : "เส้นทาง", + "_%n byte_::_%n bytes_" : ["%n ไบต์"], + "Favorited" : "รายการโปรด", + "Favorite" : "รายการโปรด", + "New folder" : "โฟลเดอร์ใหม่", + "An error occurred while trying to update the tags" : "เกิดข้อผิดพลาดขณะที่พยายามจะปรับปรุงแท็ก", + "A new file or folder has been created" : "มีไฟล์ใหม่หรือโฟลเดอร์ได้ถูก สร้างขึ้น!", + "Limit notifications about creation and changes to your favorite files (Stream only)" : "จำกัดการแจ้งเตือนเกี่ยวกับการสร้างและการเปลี่ยนแปลงของคุณ ไฟล์ที่ชื่นชอบ (สตรีมเท่านั้น)", + "Upload (max. %s)" : "อัพโหลด (สูงสุด %s)", + "File handling" : "การจัดการไฟล์", + "Maximum upload size" : "ขนาดไฟล์สูงสุดที่สามารถอัพโหลดได้", + "max. possible: " : "จำนวนสูงสุดที่สามารถทำได้: ", + "Save" : "บันทึก", + "With PHP-FPM it might take 5 minutes for changes to be applied." : "หากใช้ร่วมกับ PHP-FPM อาจใช้เวลาเปลี่ยนแปลงประมาณ 5 นาที", + "Missing permissions to edit from here." : "สิทธิ์ในการแก้ไขส่วนนี้หายไป", + "Settings" : "ตั้งค่า", + "Show hidden files" : "แสดงไฟล์ที่ซ่อนอยู่", + "WebDAV" : "WebDAV", + "No files in here" : "ไม่มีไฟล์ที่นี่", + "Upload some content or sync with your devices!" : "อัพโหลดเนื้อหาบางส่วนหรือประสานข้อมูลกับอุปกรณ์ของคุณ! อีกครั้ง", + "No entries found in this folder" : "ไม่พบรายการในโฟลเดอร์นี้", + "Select all" : "เลือกทั้งหมด", + "Upload too large" : "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป", + "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้", + "Files and folders you mark as favorite will show up here" : "ไฟล์และโฟลเดอร์ที่คุณทำเครื่องหมายเป็นรายการโปรดจะปรากฏขึ้นที่นี่", + "Text file" : "ไฟล์ข้อความ", + "New text file.txt" : "ไฟล์ข้อความใหม่ .txt" +}, +"nplurals=1; plural=0;"); diff --git a/apps/files/l10n/th.json b/apps/files/l10n/th.json new file mode 100644 index 0000000000000..593d601749434 --- /dev/null +++ b/apps/files/l10n/th.json @@ -0,0 +1,79 @@ +{ "translations": { + "Storage invalid" : "การจัดเก็บข้อมูลไม่ถูกต้อง", + "Unknown error" : "ข้อผิดพลาดที่ไม่ทราบสาเหตุ", + "All files" : "ไฟล์ทั้งหมด", + "Home" : "บ้าน", + "Close" : "ปิด", + "Favorites" : "รายการโปรด", + "Could not create folder \"{dir}\"" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\"", + "Upload cancelled." : "การอัพโหลดถูกยกเลิก", + "Unable to upload {filename} as it is a directory or has 0 bytes" : "ไม่สามารถอัพโหลด {filename} มันเป็นไดเรกทอรีหรือมี 0 ไบต์", + "Not enough free space, you are uploading {size1} but only {size2} is left" : "พื้นที่ว่างไม่เพียงพอคุณจะอัพโหลด {size1} แต่มีพืนที่แค่ {size2}", + "Actions" : "การกระทำ", + "Download" : "ดาวน์โหลด", + "Rename" : "เปลี่ยนชื่อ", + "Delete" : "ลบ", + "Disconnect storage" : "ยกเลิกการเชื่อมต่อการจัดเก็บข้อมูล", + "Unshare" : "ยกเลิกการแชร์", + "Files" : "ไฟล์", + "Details" : "รายละเอียด", + "Select" : "เลือก", + "Pending" : "อยู่ระหว่างดำเนินการ", + "Unable to determine date" : "ไม่สามารถกำหนดวัน", + "This operation is forbidden" : "การดำเนินการนี้ถูกห้าม", + "This directory is unavailable, please check the logs or contact the administrator" : "ไม่สามารถใช้งานไดเรกทอรีนี้โปรดตรวจสอบบันทึกหรือติดต่อผู้ดูแลระบบ", + "Could not move \"{file}\", target exists" : "ไม่สามารถย้ายไฟล์ \"{file}\" ไม่มีไฟล์นั้นอยู่", + "Could not move \"{file}\"" : "ไม่สามารถย้ายไฟล์ \"{file}\"", + "{newName} already exists" : "{newName} มีอยู่แล้ว", + "Could not rename \"{fileName}\", it does not exist any more" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{fileName}\" ไฟล์นั้นไม่มีอยู่", + "The name \"{targetName}\" is already used in the folder \"{dir}\". Please choose a different name." : "ชื่อโฟลเดอร์ \"{targetName}\" มีอยู่แล้วใน \"{dir}\" กรุณาใช้ชื่อที่แตกต่างกัน", + "Could not rename \"{fileName}\"" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{fileName}\"", + "Could not create file \"{file}\"" : "ไม่สามารถสร้างไฟล์ \"{file}\"", + "Could not create file \"{file}\" because it already exists" : "ไม่สามารถสร้างไฟล์ \"{file}\" เพราะมันมีอยู่แล้ว", + "Could not create folder \"{dir}\" because it already exists" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\" เพราะมันมีอยู่แล้ว", + "Error deleting file \"{fileName}\"." : "เกิดข้อผิดพลาดขณะลบไฟล์ \"{fileName}\"", + "Name" : "ชื่อ", + "Size" : "ขนาด", + "Modified" : "แก้ไขเมื่อ", + "_%n folder_::_%n folders_" : ["%n โฟลเดอร์"], + "_%n file_::_%n files_" : ["%n ไฟล์"], + "{dirs} and {files}" : "{dirs} และ {files}", + "You don’t have permission to upload or create files here" : "คุณไม่ได้รับอนุญาตให้อัพโหลดหรือสร้างไฟล์ที่นี่", + "_Uploading %n file_::_Uploading %n files_" : ["อัพโหลด %n ไฟล์"], + "New" : "ใหม่", + "\"{name}\" is an invalid file name." : "\"{name}\" เป็นชื่อไฟล์ที่ไม่ถูกต้อง", + "File name cannot be empty." : "ชื่อไฟล์ไม่สามารถเว้นว่างได้", + "Storage of {owner} is full, files can not be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของ {owner} เต็มแล้ว ไฟล์ไม่สามารถอัพเดทหรือประสานข้อมูลได้อีก!", + "Your storage is full, files can not be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัพเดทหรือประสานข้อมูลได้อีก!", + "Storage of {owner} is almost full ({usedSpacePercent}%)" : "พื้นที่จัดเก็บข้อมูลของ {owner} ใกล้เต็มแล้ว\nใช้พื้นที่ไปแล้ว: ({usedSpacePercent}%)", + "Your storage is almost full ({usedSpacePercent}%)" : "พื้นที่จัดเก็บข้อมูลของคุณใกล้เต็มแล้ว \nใช้พื้นที่ไปแล้ว: ({usedSpacePercent}%)", + "_matches '{filter}'_::_match '{filter}'_" : ["ตรงกับ '{filter}'"], + "Path" : "เส้นทาง", + "_%n byte_::_%n bytes_" : ["%n ไบต์"], + "Favorited" : "รายการโปรด", + "Favorite" : "รายการโปรด", + "New folder" : "โฟลเดอร์ใหม่", + "An error occurred while trying to update the tags" : "เกิดข้อผิดพลาดขณะที่พยายามจะปรับปรุงแท็ก", + "A new file or folder has been created" : "มีไฟล์ใหม่หรือโฟลเดอร์ได้ถูก สร้างขึ้น!", + "Limit notifications about creation and changes to your favorite files (Stream only)" : "จำกัดการแจ้งเตือนเกี่ยวกับการสร้างและการเปลี่ยนแปลงของคุณ ไฟล์ที่ชื่นชอบ (สตรีมเท่านั้น)", + "Upload (max. %s)" : "อัพโหลด (สูงสุด %s)", + "File handling" : "การจัดการไฟล์", + "Maximum upload size" : "ขนาดไฟล์สูงสุดที่สามารถอัพโหลดได้", + "max. possible: " : "จำนวนสูงสุดที่สามารถทำได้: ", + "Save" : "บันทึก", + "With PHP-FPM it might take 5 minutes for changes to be applied." : "หากใช้ร่วมกับ PHP-FPM อาจใช้เวลาเปลี่ยนแปลงประมาณ 5 นาที", + "Missing permissions to edit from here." : "สิทธิ์ในการแก้ไขส่วนนี้หายไป", + "Settings" : "ตั้งค่า", + "Show hidden files" : "แสดงไฟล์ที่ซ่อนอยู่", + "WebDAV" : "WebDAV", + "No files in here" : "ไม่มีไฟล์ที่นี่", + "Upload some content or sync with your devices!" : "อัพโหลดเนื้อหาบางส่วนหรือประสานข้อมูลกับอุปกรณ์ของคุณ! อีกครั้ง", + "No entries found in this folder" : "ไม่พบรายการในโฟลเดอร์นี้", + "Select all" : "เลือกทั้งหมด", + "Upload too large" : "ไฟล์ที่อัพโหลดมีขนาดใหญ่เกินไป", + "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ไฟล์ที่คุณพยายามที่จะอัพโหลดมีขนาดเกินกว่าขนาดสูงสุดที่กำหนดไว้ให้อัพโหลดได้สำหรับเซิร์ฟเวอร์นี้", + "Files and folders you mark as favorite will show up here" : "ไฟล์และโฟลเดอร์ที่คุณทำเครื่องหมายเป็นรายการโปรดจะปรากฏขึ้นที่นี่", + "Text file" : "ไฟล์ข้อความ", + "New text file.txt" : "ไฟล์ข้อความใหม่ .txt" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/apps/files_external/l10n/ast.js b/apps/files_external/l10n/ast.js index 0fab7b15e81f2..294c3f38b5395 100644 --- a/apps/files_external/l10n/ast.js +++ b/apps/files_external/l10n/ast.js @@ -1,24 +1,40 @@ OC.L10N.register( "files_external", { - "Step 1 failed. Exception: %s" : "Pasu 1 fallíu. Esceición: %s", - "Step 2 failed. Exception: %s" : "Pasu 2 fallíu. Esceición: %s", - "External storage" : "Almacenamientu esternu", + "External storages" : "Almacenamientos internos", "Personal" : "Personal", "System" : "Sistema", "Grant access" : "Conceder accesu", + "Error configuring OAuth1" : "Fallu configurando Oauth1", + "Error configuring OAuth2" : "Fallu configurando OAuth2", + "Generate keys" : "Xenerar claves", + "Error generating key pair" : "Fallu xenerando'l par de claves", "All users. Type to select user or group." : "Tolos usuarios. Escribe pa seleccionar usuariu o grupu.", "(group)" : "(grupu)", "Saved" : "Guardáu", + "Saving..." : "Guardando...", + "Save" : "Guardar", + "Empty response from the server" : "Rempuesta balera del sirvidor", + "Couldn't access. Please log out and in again to activate this mount point" : "Nun pudo accedese. Volvi aniciar sesión p'activar esti puntu de montaxe, por favor", + "Couldn't get the list of external mount points: {type}" : "Nun pudo consiguise'l llistáu de puntos esternos de montaxe: {type}", + "There was an error with message: " : "Hebo un fallu col mensaxe:", + "External mount error" : "Fallu de montaxe esternu", "Username" : "Nome d'usuariu", "Password" : "Contraseña", - "Save" : "Guardar", + "Invalid mount point" : "Puntu de montaxe non válidu", + "%s" : "%s", + "Secret key" : "Clave secreta", "None" : "Dengún", - "App key" : "App principal", - "App secret" : "App secreta", + "OAuth1" : "OAuth1", + "App key" : "Clave d'aplicación", + "OAuth2" : "OAuth2", "Client ID" : "ID de veceru", "Client secret" : "Veceru secretu", + "OpenStack" : "OpenStack", "API key" : "clave API", + "Global credentials" : "Credenciales global", + "Username and password" : "Nome d'usuariu y contraseña", + "RSA public key" : "Clave RSA pública", "Public key" : "Clave pública", "Amazon S3" : "Amazon S3", "Bucket" : "Depósitu", @@ -30,30 +46,33 @@ OC.L10N.register( "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Subcarpeta remota", - "Secure https://" : "Secure https://", - "Dropbox" : "Dropbox", "Host" : "Sirvidor", - "Secure ftps://" : "Secure ftps://", "Local" : "Llocal", "Location" : "Llocalización", - "ownCloud" : "ownCloud", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", "Root" : "Raíz", + "SMB / CIFS" : "SMB / CIFS", "Share" : "Compartir", + "Domain" : "Dominiu", "SMB / CIFS using OC login" : "SMB / CIFS usando accesu OC", "Username as share" : "Nome d'usuariu como Compartición", "OpenStack Object Storage" : "OpenStack Object Storage", - "Note: " : "Nota: ", - "Note: The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El soporte de cURL en PHP nun ta activáu o instaláu. Nun pue montase %s. Pídi-y al alministrador de sistema que lu instale.", - "Note: The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El soporte de FTP en PHP nun ta activáu o instaláu. Nun pue montase %s. Pídi-y al alministrador de sistema que lu instale.", - "Note: \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: \"%s\" nun ta instaláu. Nun pue montase %s. Pídi-y al alministrador de sistema que lu instale.", + "Service name" : "Nome del serviciu", + "No external storage configured" : "Nun se configuraron almacenamientos esternos", + "You can add external storages in the personal settings" : "Pues amestar almacenamientos enternos nos axustes personales", "Name" : "Nome", "Storage type" : "Triba d'almacenamientu", "Scope" : "Ámbitu", - "External Storage" : "Almacenamientu esternu", + "Enable encryption" : "Habilitar cifráu", + "Never" : "Enxamás", "Folder name" : "Nome de la carpeta", + "External storage" : "Almacenamientu esternu", + "Authentication" : "Autenticación", "Configuration" : "Configuración", "Available for" : "Disponible pa", "Add storage" : "Amestar almacenamientu", + "Advanced settings" : "Axustes avanzaos", "Delete" : "Desaniciar", "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamientu esternu" }, diff --git a/apps/files_external/l10n/ast.json b/apps/files_external/l10n/ast.json index 56bfc2757ea4e..1f30910b7450b 100644 --- a/apps/files_external/l10n/ast.json +++ b/apps/files_external/l10n/ast.json @@ -1,22 +1,38 @@ { "translations": { - "Step 1 failed. Exception: %s" : "Pasu 1 fallíu. Esceición: %s", - "Step 2 failed. Exception: %s" : "Pasu 2 fallíu. Esceición: %s", - "External storage" : "Almacenamientu esternu", + "External storages" : "Almacenamientos internos", "Personal" : "Personal", "System" : "Sistema", "Grant access" : "Conceder accesu", + "Error configuring OAuth1" : "Fallu configurando Oauth1", + "Error configuring OAuth2" : "Fallu configurando OAuth2", + "Generate keys" : "Xenerar claves", + "Error generating key pair" : "Fallu xenerando'l par de claves", "All users. Type to select user or group." : "Tolos usuarios. Escribe pa seleccionar usuariu o grupu.", "(group)" : "(grupu)", "Saved" : "Guardáu", + "Saving..." : "Guardando...", + "Save" : "Guardar", + "Empty response from the server" : "Rempuesta balera del sirvidor", + "Couldn't access. Please log out and in again to activate this mount point" : "Nun pudo accedese. Volvi aniciar sesión p'activar esti puntu de montaxe, por favor", + "Couldn't get the list of external mount points: {type}" : "Nun pudo consiguise'l llistáu de puntos esternos de montaxe: {type}", + "There was an error with message: " : "Hebo un fallu col mensaxe:", + "External mount error" : "Fallu de montaxe esternu", "Username" : "Nome d'usuariu", "Password" : "Contraseña", - "Save" : "Guardar", + "Invalid mount point" : "Puntu de montaxe non válidu", + "%s" : "%s", + "Secret key" : "Clave secreta", "None" : "Dengún", - "App key" : "App principal", - "App secret" : "App secreta", + "OAuth1" : "OAuth1", + "App key" : "Clave d'aplicación", + "OAuth2" : "OAuth2", "Client ID" : "ID de veceru", "Client secret" : "Veceru secretu", + "OpenStack" : "OpenStack", "API key" : "clave API", + "Global credentials" : "Credenciales global", + "Username and password" : "Nome d'usuariu y contraseña", + "RSA public key" : "Clave RSA pública", "Public key" : "Clave pública", "Amazon S3" : "Amazon S3", "Bucket" : "Depósitu", @@ -28,30 +44,33 @@ "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "Subcarpeta remota", - "Secure https://" : "Secure https://", - "Dropbox" : "Dropbox", "Host" : "Sirvidor", - "Secure ftps://" : "Secure ftps://", "Local" : "Llocal", "Location" : "Llocalización", - "ownCloud" : "ownCloud", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", "Root" : "Raíz", + "SMB / CIFS" : "SMB / CIFS", "Share" : "Compartir", + "Domain" : "Dominiu", "SMB / CIFS using OC login" : "SMB / CIFS usando accesu OC", "Username as share" : "Nome d'usuariu como Compartición", "OpenStack Object Storage" : "OpenStack Object Storage", - "Note: " : "Nota: ", - "Note: The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El soporte de cURL en PHP nun ta activáu o instaláu. Nun pue montase %s. Pídi-y al alministrador de sistema que lu instale.", - "Note: The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El soporte de FTP en PHP nun ta activáu o instaláu. Nun pue montase %s. Pídi-y al alministrador de sistema que lu instale.", - "Note: \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: \"%s\" nun ta instaláu. Nun pue montase %s. Pídi-y al alministrador de sistema que lu instale.", + "Service name" : "Nome del serviciu", + "No external storage configured" : "Nun se configuraron almacenamientos esternos", + "You can add external storages in the personal settings" : "Pues amestar almacenamientos enternos nos axustes personales", "Name" : "Nome", "Storage type" : "Triba d'almacenamientu", "Scope" : "Ámbitu", - "External Storage" : "Almacenamientu esternu", + "Enable encryption" : "Habilitar cifráu", + "Never" : "Enxamás", "Folder name" : "Nome de la carpeta", + "External storage" : "Almacenamientu esternu", + "Authentication" : "Autenticación", "Configuration" : "Configuración", "Available for" : "Disponible pa", "Add storage" : "Amestar almacenamientu", + "Advanced settings" : "Axustes avanzaos", "Delete" : "Desaniciar", "Allow users to mount the following external storage" : "Permitir a los usuarios montar el siguiente almacenamientu esternu" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_external/l10n/bg.js b/apps/files_external/l10n/bg.js new file mode 100644 index 0000000000000..38c23eb8247e7 --- /dev/null +++ b/apps/files_external/l10n/bg.js @@ -0,0 +1,69 @@ +OC.L10N.register( + "files_external", + { + "External storages" : "Външни хранилища", + "Personal" : "Личен", + "System" : "Системен", + "Grant access" : "Разреши достъп", + "Generate keys" : "Генериране на криптографски ключове", + "Error generating key pair" : "Грешка при генериране на криптографски ключове", + "All users. Type to select user or group." : "Всички потребители. Пишете, за да изберете потребител или група.", + "(group)" : "(група)", + "Saved" : "Запазено", + "Saving..." : "Запазване...", + "Save" : "Запис", + "external-storage" : "външно хранилище", + "Username" : "Потребител", + "Password" : "Парола", + "Invalid mount point" : "Невалиден път за мониторане на файлова система", + "%s" : "%s", + "Secret key" : "Секретен ключ", + "None" : "Няма", + "OAuth1" : "OAuth1", + "OAuth2" : "OAuth2", + "Client ID" : "Client ID", + "API key" : "API ключ", + "Public key" : "Публичен ключ", + "Amazon S3" : "Amazon S3", + "Bucket" : "Bucket", + "Hostname" : "Сървър", + "Port" : "Порт", + "Region" : "Регион", + "Enable SSL" : "Включи SSL", + "WebDAV" : "WebDAV", + "URL" : "URL", + "Remote subfolder" : "Външна подпапка", + "Secure https://" : "Подсигурен https://", + "FTP" : "FTP", + "Host" : "Сървър", + "Secure ftps://" : "Сигурен ftps://", + "Local" : "Локално", + "Location" : "Местоположение", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", + "Root" : "Root", + "SMB / CIFS" : "SMB / CIFS", + "Share" : "Споделяне", + "Domain" : "Домейн", + "SMB / CIFS using OC login" : "SMB / CIFS използвайки OC профил", + "Username as share" : "Потребителско име като споделена папка", + "OpenStack Object Storage" : "OpenStack Object Storage", + "Service name" : "Име на услугата", + "No external storage configured" : "Няма настроени външни хранища", + "You can add external storages in the personal settings" : "Външни хранилища се добавят от личните настройки", + "Name" : "Име", + "Storage type" : "Тип хранилище", + "Scope" : "Обхват", + "Check for changes" : "Проверка за промени", + "Never" : "Никога", + "Folder name" : "Име на папката", + "External storage" : "Външно хранилище", + "Configuration" : "Настройки", + "Available for" : "Достъпно за", + "Add storage" : "Добави хранилище", + "Advanced settings" : "Разширени настройки", + "Delete" : "Изтрий", + "Allow users to mount external storage" : "Разреши на потребителите да монтират външни хранилища", + "Allow users to mount the following external storage" : "Разреши на потребителите да монтират следното външно хранилище" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/bg.json b/apps/files_external/l10n/bg.json new file mode 100644 index 0000000000000..afab1d544b07c --- /dev/null +++ b/apps/files_external/l10n/bg.json @@ -0,0 +1,67 @@ +{ "translations": { + "External storages" : "Външни хранилища", + "Personal" : "Личен", + "System" : "Системен", + "Grant access" : "Разреши достъп", + "Generate keys" : "Генериране на криптографски ключове", + "Error generating key pair" : "Грешка при генериране на криптографски ключове", + "All users. Type to select user or group." : "Всички потребители. Пишете, за да изберете потребител или група.", + "(group)" : "(група)", + "Saved" : "Запазено", + "Saving..." : "Запазване...", + "Save" : "Запис", + "external-storage" : "външно хранилище", + "Username" : "Потребител", + "Password" : "Парола", + "Invalid mount point" : "Невалиден път за мониторане на файлова система", + "%s" : "%s", + "Secret key" : "Секретен ключ", + "None" : "Няма", + "OAuth1" : "OAuth1", + "OAuth2" : "OAuth2", + "Client ID" : "Client ID", + "API key" : "API ключ", + "Public key" : "Публичен ключ", + "Amazon S3" : "Amazon S3", + "Bucket" : "Bucket", + "Hostname" : "Сървър", + "Port" : "Порт", + "Region" : "Регион", + "Enable SSL" : "Включи SSL", + "WebDAV" : "WebDAV", + "URL" : "URL", + "Remote subfolder" : "Външна подпапка", + "Secure https://" : "Подсигурен https://", + "FTP" : "FTP", + "Host" : "Сървър", + "Secure ftps://" : "Сигурен ftps://", + "Local" : "Локално", + "Location" : "Местоположение", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", + "Root" : "Root", + "SMB / CIFS" : "SMB / CIFS", + "Share" : "Споделяне", + "Domain" : "Домейн", + "SMB / CIFS using OC login" : "SMB / CIFS използвайки OC профил", + "Username as share" : "Потребителско име като споделена папка", + "OpenStack Object Storage" : "OpenStack Object Storage", + "Service name" : "Име на услугата", + "No external storage configured" : "Няма настроени външни хранища", + "You can add external storages in the personal settings" : "Външни хранилища се добавят от личните настройки", + "Name" : "Име", + "Storage type" : "Тип хранилище", + "Scope" : "Обхват", + "Check for changes" : "Проверка за промени", + "Never" : "Никога", + "Folder name" : "Име на папката", + "External storage" : "Външно хранилище", + "Configuration" : "Настройки", + "Available for" : "Достъпно за", + "Add storage" : "Добави хранилище", + "Advanced settings" : "Разширени настройки", + "Delete" : "Изтрий", + "Allow users to mount external storage" : "Разреши на потребителите да монтират външни хранилища", + "Allow users to mount the following external storage" : "Разреши на потребителите да монтират следното външно хранилище" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/files_external/l10n/ca.js b/apps/files_external/l10n/ca.js index f147a2af8b2a7..63cc5dd13593f 100644 --- a/apps/files_external/l10n/ca.js +++ b/apps/files_external/l10n/ca.js @@ -1,9 +1,7 @@ OC.L10N.register( "files_external", { - "Step 1 failed. Exception: %s" : "El pas 1 ha fallat. Excepció: %s", - "Step 2 failed. Exception: %s" : "El pas 2 ha fallat. Excepció: %s", - "External storage" : "Emmagatzemament extern", + "External storages" : "Emmagatzemament extern", "Personal" : "Personal", "System" : "Sistema", "Grant access" : "Concedeix accés", @@ -11,19 +9,26 @@ OC.L10N.register( "Error generating key pair" : "Error en generar el parell de claus", "All users. Type to select user or group." : "Tots els usuaris. Escriu per seleccionar un usuari o grup.", "(group)" : "(grup)", + "Admin defined" : "Administrador definit", "Saved" : "Desat", + "Saving..." : "Desant...", + "Save" : "Desa", + "external-storage" : "Emmagatzemament extern", "Username" : "Nom d'usuari", "Password" : "Contrasenya", - "Save" : "Desa", - "Storage with id \"%i\" not found" : "No s'ha trobat emmagatzematge amb id \"%i\"", + "Credentials saved" : "Credencials desades", "Invalid mount point" : "Punt de muntatge no vàlid", "Invalid storage backend \"%s\"" : "Motor d'emmagatzematge no vàlid \"%s\"", + "%s" : "%s", + "Access key" : "Clau d'accés", + "Secret key" : "Clau secreta", "None" : "Cap", "App key" : "Clau de l'aplicació", "App secret" : "Secret de l'aplicació", "Client ID" : "Client ID", "Client secret" : "Secret del client", "API key" : "codi API", + "Username and password" : "Nom d'usuari i contrasenya", "Public key" : "Clau pública", "Amazon S3" : "Amazon S3", "Bucket" : "Cub", @@ -36,21 +41,22 @@ OC.L10N.register( "URL" : "URL", "Remote subfolder" : "Subcarpeta remota", "Secure https://" : "Protocol segur https://", + "FTP" : "FTP", "Host" : "Equip remot", "Secure ftps://" : "Protocol segur ftps://", "Local" : "Local", "Location" : "Ubicació", - "ownCloud" : "ownCloud", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", "Root" : "Arrel", "SFTP with secret key login" : "Inici de sessió SFTP amb clau secreta", + "SMB / CIFS" : "SMB / CIFS", "Share" : "Comparteix", + "Domain" : "Domini", "SMB / CIFS using OC login" : "SMB / CIFS usant acreditació OC", "Username as share" : "Nom d'usuari per compartir", "OpenStack Object Storage" : "OpenStack Object Storage", - "Note: " : "Nota: ", - "Note: The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El suport cURL no està activat o instal·lat a PHP. No es pot muntar %s. Demaneu a l'administrador del sistema que l'instal·li.", - "Note: The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El suport FTP per PHP no està activat o no està instal·lat. No es pot muntar %s. Demaneu a l'administrador del sistema que l'instal·li.", - "Note: \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: %s no està instal·lat. No es pot muntar %s. Demaneu a l'administrador del sistema que l'instal·li.", + "Service name" : "Nom del servei", "No external storage configured" : "Sense emmagatzematge extern configurat", "You can add external storages in the personal settings" : "Pot agregar emmagatzematges externs en la configuració personal", "Name" : "Nom", @@ -58,11 +64,13 @@ OC.L10N.register( "Scope" : "Abast", "Enable encryption" : "Habilitar xifrat", "Enable previews" : "Habilitar vistes prèvies", + "Enable sharing" : "Habilita la compartició", "Check for changes" : "Comproveu si hi ha canvis", "Never" : "Mai", "Once every direct access" : "Un cop cada accés directe", - "External Storage" : "Emmagatzemament extern", "Folder name" : "Nom de la carpeta", + "External storage" : "Emmagatzemament extern", + "Authentication" : "Autenticació", "Configuration" : "Configuració", "Available for" : "Disponible per", "Add storage" : "Afegeix emmagatzemament", diff --git a/apps/files_external/l10n/ca.json b/apps/files_external/l10n/ca.json index de96ec6faad5f..1a13b6d77e44c 100644 --- a/apps/files_external/l10n/ca.json +++ b/apps/files_external/l10n/ca.json @@ -1,7 +1,5 @@ { "translations": { - "Step 1 failed. Exception: %s" : "El pas 1 ha fallat. Excepció: %s", - "Step 2 failed. Exception: %s" : "El pas 2 ha fallat. Excepció: %s", - "External storage" : "Emmagatzemament extern", + "External storages" : "Emmagatzemament extern", "Personal" : "Personal", "System" : "Sistema", "Grant access" : "Concedeix accés", @@ -9,19 +7,26 @@ "Error generating key pair" : "Error en generar el parell de claus", "All users. Type to select user or group." : "Tots els usuaris. Escriu per seleccionar un usuari o grup.", "(group)" : "(grup)", + "Admin defined" : "Administrador definit", "Saved" : "Desat", + "Saving..." : "Desant...", + "Save" : "Desa", + "external-storage" : "Emmagatzemament extern", "Username" : "Nom d'usuari", "Password" : "Contrasenya", - "Save" : "Desa", - "Storage with id \"%i\" not found" : "No s'ha trobat emmagatzematge amb id \"%i\"", + "Credentials saved" : "Credencials desades", "Invalid mount point" : "Punt de muntatge no vàlid", "Invalid storage backend \"%s\"" : "Motor d'emmagatzematge no vàlid \"%s\"", + "%s" : "%s", + "Access key" : "Clau d'accés", + "Secret key" : "Clau secreta", "None" : "Cap", "App key" : "Clau de l'aplicació", "App secret" : "Secret de l'aplicació", "Client ID" : "Client ID", "Client secret" : "Secret del client", "API key" : "codi API", + "Username and password" : "Nom d'usuari i contrasenya", "Public key" : "Clau pública", "Amazon S3" : "Amazon S3", "Bucket" : "Cub", @@ -34,21 +39,22 @@ "URL" : "URL", "Remote subfolder" : "Subcarpeta remota", "Secure https://" : "Protocol segur https://", + "FTP" : "FTP", "Host" : "Equip remot", "Secure ftps://" : "Protocol segur ftps://", "Local" : "Local", "Location" : "Ubicació", - "ownCloud" : "ownCloud", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", "Root" : "Arrel", "SFTP with secret key login" : "Inici de sessió SFTP amb clau secreta", + "SMB / CIFS" : "SMB / CIFS", "Share" : "Comparteix", + "Domain" : "Domini", "SMB / CIFS using OC login" : "SMB / CIFS usant acreditació OC", "Username as share" : "Nom d'usuari per compartir", "OpenStack Object Storage" : "OpenStack Object Storage", - "Note: " : "Nota: ", - "Note: The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El suport cURL no està activat o instal·lat a PHP. No es pot muntar %s. Demaneu a l'administrador del sistema que l'instal·li.", - "Note: The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: El suport FTP per PHP no està activat o no està instal·lat. No es pot muntar %s. Demaneu a l'administrador del sistema que l'instal·li.", - "Note: \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Nota: %s no està instal·lat. No es pot muntar %s. Demaneu a l'administrador del sistema que l'instal·li.", + "Service name" : "Nom del servei", "No external storage configured" : "Sense emmagatzematge extern configurat", "You can add external storages in the personal settings" : "Pot agregar emmagatzematges externs en la configuració personal", "Name" : "Nom", @@ -56,11 +62,13 @@ "Scope" : "Abast", "Enable encryption" : "Habilitar xifrat", "Enable previews" : "Habilitar vistes prèvies", + "Enable sharing" : "Habilita la compartició", "Check for changes" : "Comproveu si hi ha canvis", "Never" : "Mai", "Once every direct access" : "Un cop cada accés directe", - "External Storage" : "Emmagatzemament extern", "Folder name" : "Nom de la carpeta", + "External storage" : "Emmagatzemament extern", + "Authentication" : "Autenticació", "Configuration" : "Configuració", "Available for" : "Disponible per", "Add storage" : "Afegeix emmagatzemament", diff --git a/apps/files_external/l10n/et_EE.js b/apps/files_external/l10n/et_EE.js index 56fd4b06177be..bb5bc0bef076a 100644 --- a/apps/files_external/l10n/et_EE.js +++ b/apps/files_external/l10n/et_EE.js @@ -1,9 +1,7 @@ OC.L10N.register( "files_external", { - "Step 1 failed. Exception: %s" : "Samm 1 ebaõnnestus. Erind: %s", - "Step 2 failed. Exception: %s" : "Samm 2 ebaõnnestus. Erind: %s", - "External storage" : "Väline andmehoidla", + "External storages" : "Välised andmehoidlad", "Personal" : "Isiklik", "System" : "Süsteem", "Grant access" : "Anna ligipääs", @@ -24,7 +22,6 @@ OC.L10N.register( "Username" : "Kasutajanimi", "Password" : "Parool", "Credentials required" : "Kasutajatunnused on nõutud", - "Storage with id \"%i\" not found" : "Salvestuskohta ID-ga \"%i\" ei leitud", "Invalid mount point" : "Vigane ühenduspunkt", "Objectstore forbidden" : "Objectstore on keelatud", "Invalid storage backend \"%s\"" : "Vigane salvestuskoha taustsüsteem \"%s\"", @@ -56,14 +53,11 @@ OC.L10N.register( "URL" : "URL", "Remote subfolder" : "Mujahl olev alamkaust", "Secure https://" : "Turvaline https://", - "Dropbox" : "Dropbox", "FTP" : "FTP", "Host" : "Host", "Secure ftps://" : "Turvaline ftps://", - "Google Drive" : "Google Drive", "Local" : "Kohalik", "Location" : "Asukoht", - "ownCloud" : "ownCloud", "SFTP" : "SFTP", "Root" : "Juur", "SFTP with secret key login" : "SFTP koos salajase võtmega logimisega", @@ -74,10 +68,6 @@ OC.L10N.register( "Username as share" : "Kasutajanimi kui jagamine", "OpenStack Object Storage" : "OpenStack Object Storage", "Service name" : "Teenuse nimi", - "Note: " : "Märkus:", - "Note: The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Märkus: cURL tugi puudub PHP paigalduses. FTP %s hoidla ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata cURL tugi.", - "Note: The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Märkus: FTP tugi puudub PHP paigalduses. FTP %s hoidla ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata FTP tugi.", - "Note: \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Märkus: \"%s\" pole paigaldatud. Hoidla %s ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata vajalik tugi.", "No external storage configured" : "Välist salvestuskohta pole seadistatud", "You can add external storages in the personal settings" : "Sa võid lisada välise salvestuskoha isiklikes seadetes", "Name" : "Nimi", @@ -89,8 +79,8 @@ OC.L10N.register( "Check for changes" : "Otsi uuendusi", "Never" : "Mitte kunagi", "Once every direct access" : "Kord iga otsese pöördumise korral", - "External Storage" : "Väline salvestuskoht", "Folder name" : "Kausta nimi", + "External storage" : "Väline andmehoidla", "Authentication" : "Autentimine", "Configuration" : "Seadistamine", "Available for" : "Saadaval", diff --git a/apps/files_external/l10n/et_EE.json b/apps/files_external/l10n/et_EE.json index 4ff193c2d3d06..ded9440de7277 100644 --- a/apps/files_external/l10n/et_EE.json +++ b/apps/files_external/l10n/et_EE.json @@ -1,7 +1,5 @@ { "translations": { - "Step 1 failed. Exception: %s" : "Samm 1 ebaõnnestus. Erind: %s", - "Step 2 failed. Exception: %s" : "Samm 2 ebaõnnestus. Erind: %s", - "External storage" : "Väline andmehoidla", + "External storages" : "Välised andmehoidlad", "Personal" : "Isiklik", "System" : "Süsteem", "Grant access" : "Anna ligipääs", @@ -22,7 +20,6 @@ "Username" : "Kasutajanimi", "Password" : "Parool", "Credentials required" : "Kasutajatunnused on nõutud", - "Storage with id \"%i\" not found" : "Salvestuskohta ID-ga \"%i\" ei leitud", "Invalid mount point" : "Vigane ühenduspunkt", "Objectstore forbidden" : "Objectstore on keelatud", "Invalid storage backend \"%s\"" : "Vigane salvestuskoha taustsüsteem \"%s\"", @@ -54,14 +51,11 @@ "URL" : "URL", "Remote subfolder" : "Mujahl olev alamkaust", "Secure https://" : "Turvaline https://", - "Dropbox" : "Dropbox", "FTP" : "FTP", "Host" : "Host", "Secure ftps://" : "Turvaline ftps://", - "Google Drive" : "Google Drive", "Local" : "Kohalik", "Location" : "Asukoht", - "ownCloud" : "ownCloud", "SFTP" : "SFTP", "Root" : "Juur", "SFTP with secret key login" : "SFTP koos salajase võtmega logimisega", @@ -72,10 +66,6 @@ "Username as share" : "Kasutajanimi kui jagamine", "OpenStack Object Storage" : "OpenStack Object Storage", "Service name" : "Teenuse nimi", - "Note: " : "Märkus:", - "Note: The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Märkus: cURL tugi puudub PHP paigalduses. FTP %s hoidla ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata cURL tugi.", - "Note: The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Märkus: FTP tugi puudub PHP paigalduses. FTP %s hoidla ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata FTP tugi.", - "Note: \"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Märkus: \"%s\" pole paigaldatud. Hoidla %s ühendamine pole võimalik. Palu oma süsteemihalduril paigaldata vajalik tugi.", "No external storage configured" : "Välist salvestuskohta pole seadistatud", "You can add external storages in the personal settings" : "Sa võid lisada välise salvestuskoha isiklikes seadetes", "Name" : "Nimi", @@ -87,8 +77,8 @@ "Check for changes" : "Otsi uuendusi", "Never" : "Mitte kunagi", "Once every direct access" : "Kord iga otsese pöördumise korral", - "External Storage" : "Väline salvestuskoht", "Folder name" : "Kausta nimi", + "External storage" : "Väline andmehoidla", "Authentication" : "Autentimine", "Configuration" : "Seadistamine", "Available for" : "Saadaval", diff --git a/apps/files_external/l10n/ia.js b/apps/files_external/l10n/ia.js index 32640218c78dc..eb9261482b59a 100644 --- a/apps/files_external/l10n/ia.js +++ b/apps/files_external/l10n/ia.js @@ -1,17 +1,80 @@ OC.L10N.register( "files_external", { + "External storages" : "Immagazinages externe", "Personal" : "Personal", + "System" : "Systema", + "Grant access" : "Conceder accesso", + "Error configuring OAuth1" : "Error durante configuration de OAuth1", + "Please provide a valid app key and secret." : "Per favor, provide un clave e un secreto ambe valide.", + "Error configuring OAuth2" : "Error durante configuration de OAuth2", + "Generate keys" : "Generar claves", + "Error generating key pair" : "Error durante creation de par de claves", + "All users. Type to select user or group." : "Tote usatores. Scribe pro selectionar usator o gruppo.", "Saved" : "Salveguardate", + "Saving..." : "Salveguardante...", + "Save" : "Salveguardar", + "External mount error" : "Error del montage externe", + "external-storage" : "immagazinage-externe", "Username" : "Nomine de usator", "Password" : "Contrasigno", - "Save" : "Salveguardar", + "Credentials saved" : "Datos de authentication salveguardate", + "Credentials saving failed" : "Salveguarda de datos de authentication falleva", + "Credentials required" : "Datos de authentication requirite", + "Invalid mount point" : "Puncto de montage non valide", + "Insufficient data: %s" : "Datos insufficiente: %s", + "%s" : "%s", + "Access key" : "Clave de accesso", + "Secret key" : "Clave secrete", + "None" : "Nulle", + "OAuth1" : "OAuth1", + "App key" : "Clave del Application", + "App secret" : "Secreto del Application", + "OAuth2" : "OAuth2", + "OpenStack" : "OpenStack", + "API key" : "Clave API", + "Global credentials" : "Datos de authentication global", + "Username and password" : "Nomine de usator e contrasigno", + "RSA public key" : "Clave public RSA", + "Public key" : "Clave public", + "Amazon S3" : "Amazon S3", + "Hostname" : "Nomine de Hospite", + "Port" : "Porto", "Region" : "Region", + "Enable SSL" : "Activar SSL", + "Enable Path Style" : "Activar Stilo de Sentiero", + "WebDAV" : "WebDAV", "URL" : "URL", + "Remote subfolder" : "Sub-dossier remote", + "Secure https://" : "Secur https://", + "FTP" : "FTP", + "Host" : "Hospite", + "Secure ftps://" : "Secure ftps://", + "Local" : "Local", "Location" : "Loco", - "Share" : "Compartir", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", + "Root" : "Root", + "SMB / CIFS" : "SMB / CIFS", + "Domain" : "Dominio", + "Service name" : "Nomine del servicio", "Name" : "Nomine", + "Storage type" : "Typo de immagazinage", + "Enable encryption" : "Activar cryptographia", + "Enable previews" : "Activar previsualisationes", + "Enable sharing" : "Activar compartimento", + "Check for changes" : "Verificar nove modificationes", + "Never" : "Nunquam", + "Once every direct access" : "A cata accesso directe", "Folder name" : "Nomine de dossier", - "Delete" : "Deler" + "External storage" : "Immagazinage externe", + "Authentication" : "Authentication", + "Configuration" : "Configuration", + "Available for" : "Disponibile a", + "Add storage" : "Adder immagazinage", + "Advanced settings" : "Configurationes avantiate", + "Delete" : "Deler", + "Allow users to mount external storage" : "Permitter usatores montar immagazinage externe", + "Allow users to mount the following external storage" : "Permitter usatores montar le sequente immagazinage externe" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_external/l10n/ia.json b/apps/files_external/l10n/ia.json index 68b23151fc707..873d54146beef 100644 --- a/apps/files_external/l10n/ia.json +++ b/apps/files_external/l10n/ia.json @@ -1,15 +1,78 @@ { "translations": { + "External storages" : "Immagazinages externe", "Personal" : "Personal", + "System" : "Systema", + "Grant access" : "Conceder accesso", + "Error configuring OAuth1" : "Error durante configuration de OAuth1", + "Please provide a valid app key and secret." : "Per favor, provide un clave e un secreto ambe valide.", + "Error configuring OAuth2" : "Error durante configuration de OAuth2", + "Generate keys" : "Generar claves", + "Error generating key pair" : "Error durante creation de par de claves", + "All users. Type to select user or group." : "Tote usatores. Scribe pro selectionar usator o gruppo.", "Saved" : "Salveguardate", + "Saving..." : "Salveguardante...", + "Save" : "Salveguardar", + "External mount error" : "Error del montage externe", + "external-storage" : "immagazinage-externe", "Username" : "Nomine de usator", "Password" : "Contrasigno", - "Save" : "Salveguardar", + "Credentials saved" : "Datos de authentication salveguardate", + "Credentials saving failed" : "Salveguarda de datos de authentication falleva", + "Credentials required" : "Datos de authentication requirite", + "Invalid mount point" : "Puncto de montage non valide", + "Insufficient data: %s" : "Datos insufficiente: %s", + "%s" : "%s", + "Access key" : "Clave de accesso", + "Secret key" : "Clave secrete", + "None" : "Nulle", + "OAuth1" : "OAuth1", + "App key" : "Clave del Application", + "App secret" : "Secreto del Application", + "OAuth2" : "OAuth2", + "OpenStack" : "OpenStack", + "API key" : "Clave API", + "Global credentials" : "Datos de authentication global", + "Username and password" : "Nomine de usator e contrasigno", + "RSA public key" : "Clave public RSA", + "Public key" : "Clave public", + "Amazon S3" : "Amazon S3", + "Hostname" : "Nomine de Hospite", + "Port" : "Porto", "Region" : "Region", + "Enable SSL" : "Activar SSL", + "Enable Path Style" : "Activar Stilo de Sentiero", + "WebDAV" : "WebDAV", "URL" : "URL", + "Remote subfolder" : "Sub-dossier remote", + "Secure https://" : "Secur https://", + "FTP" : "FTP", + "Host" : "Hospite", + "Secure ftps://" : "Secure ftps://", + "Local" : "Local", "Location" : "Loco", - "Share" : "Compartir", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", + "Root" : "Root", + "SMB / CIFS" : "SMB / CIFS", + "Domain" : "Dominio", + "Service name" : "Nomine del servicio", "Name" : "Nomine", + "Storage type" : "Typo de immagazinage", + "Enable encryption" : "Activar cryptographia", + "Enable previews" : "Activar previsualisationes", + "Enable sharing" : "Activar compartimento", + "Check for changes" : "Verificar nove modificationes", + "Never" : "Nunquam", + "Once every direct access" : "A cata accesso directe", "Folder name" : "Nomine de dossier", - "Delete" : "Deler" + "External storage" : "Immagazinage externe", + "Authentication" : "Authentication", + "Configuration" : "Configuration", + "Available for" : "Disponibile a", + "Add storage" : "Adder immagazinage", + "Advanced settings" : "Configurationes avantiate", + "Delete" : "Deler", + "Allow users to mount external storage" : "Permitter usatores montar immagazinage externe", + "Allow users to mount the following external storage" : "Permitter usatores montar le sequente immagazinage externe" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/lv.js b/apps/files_external/l10n/lv.js index 2034054737ed3..8ac434a990534 100644 --- a/apps/files_external/l10n/lv.js +++ b/apps/files_external/l10n/lv.js @@ -1,27 +1,84 @@ OC.L10N.register( "files_external", { - "External storage" : "Ārējā krātuve", + "External storages" : "Ārējās krātuves", "Personal" : "Personīgi", + "System" : "Sistēma", "Grant access" : "Piešķirt pieeju", + "Error configuring OAuth1" : "Konfigurēšanas kļūda OAuth1", + "Please provide a valid app key and secret." : "Lūdzu, norādiet derīgu programmas atslēgu un noslēpumu.", + "Error configuring OAuth2" : "Konfigurēšanas kļūda OAuth2", + "Generate keys" : "Izveidot atslēgas", + "Error generating key pair" : "Kļūda, ģenerējot atslēgu pāri", + "All users. Type to select user or group." : "Visiem lietotājiem. Klikšķini, lai atlasītu lietotāju vai grupu.", + "(group)" : "(grupa)", + "Compatibility with Mac NFD encoding (slow)" : "Saderība ar Mac NFD kodēšanu (lēni)", + "Admin defined" : "Administrators definētās", "Saved" : "Saglabāts", + "Saving..." : "Saglabā...", + "Save" : "Saglabāt", + "Empty response from the server" : "Tukša atbilde no servera", + "Couldn't get the information from the remote server: {code} {type}" : "Nevarējām iegūt informāciju no attālā servera: {code} {type}", + "There was an error with message: " : "Radās kļūda ar ziņu:", + "External mount error" : "Ārējā montēšanas kļūda", + "external-storage" : "ārējā krātuve", "Username" : "Lietotājvārds", "Password" : "Parole", - "Save" : "Saglabāt", + "Invalid mount point" : "Nederīgs montēšanas punkts", + "%s" : "%s", + "Access key" : "Pieejas atslēga", + "Secret key" : "Slepenā atslēga", "None" : "Nav", + "OAuth1" : "OAuth1", + "App key" : "Programmas atslēga", + "OAuth2" : "OAuth2", + "Client ID" : "Klienta ID", + "OpenStack" : "OpenStack", + "API key" : "API atslēga", + "Username and password" : "Lietotājvārds un parole", + "RSA public key" : "RSA publiskā atslēga", + "Public key" : "Publiska atslēga", + "Amazon S3" : "Amazon S3", + "Hostname" : "Resursa nosaukums", "Port" : "Ports", + "Region" : "Reģions", + "Enable SSL" : "Iespējot SSL", "WebDAV" : "WebDAV", "URL" : "URL", + "Remote subfolder" : "Attālinātā apakšmape", + "Secure https://" : "Secure https://", + "FTP" : "FTP", "Host" : "Resursdators", + "Secure ftps://" : "Secure ftps://", + "Local" : "Lokāls", "Location" : "Vieta", - "ownCloud" : "ownCloud", - "Share" : "Dalīties", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", + "Root" : "Root", + "SFTP with secret key login" : "SFTP pieteikšanās ar slepeno atslēgu", + "SMB / CIFS" : "SMB / CIFS", + "Share" : "Koplietot", + "Domain" : "Domain", + "SMB / CIFS using OC login" : "SMB / CIFS lietojot OC lietotāju", + "OpenStack Object Storage" : "OpenStack Object krātuve", + "Service name" : "Servisa nosaukums", + "No external storage configured" : "Nav konfigurēta ārējā krātuve", "Name" : "Nosaukums", + "Storage type" : "Krātuves tips", + "Scope" : "Darbības joma", "Enable encryption" : "Ieslēgt šifrēšanu", - "External Storage" : "Ārējā krātuve", + "Enable previews" : "Iespējot priekšskatījumu", + "Enable sharing" : "Koplietošanas iespējošana", + "Check for changes" : "Pārbaudīt, vai nav izmaiņu", + "Never" : "Nekad", "Folder name" : "Mapes nosaukums", + "External storage" : "Ārējā krātuve", + "Authentication" : "Autentifikācija", "Configuration" : "Konfigurācija", + "Available for" : "Pieejams", "Add storage" : "Pievienot krātuvi", - "Delete" : "Dzēst" + "Advanced settings" : "Paplašināti iestatījumi", + "Delete" : "Dzēst", + "Allow users to mount external storage" : "Atļaut lietotājiem uzstādīt ārējās krātuves" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/apps/files_external/l10n/lv.json b/apps/files_external/l10n/lv.json index 59321f9957af3..b1d632b53d534 100644 --- a/apps/files_external/l10n/lv.json +++ b/apps/files_external/l10n/lv.json @@ -1,25 +1,82 @@ { "translations": { - "External storage" : "Ārējā krātuve", + "External storages" : "Ārējās krātuves", "Personal" : "Personīgi", + "System" : "Sistēma", "Grant access" : "Piešķirt pieeju", + "Error configuring OAuth1" : "Konfigurēšanas kļūda OAuth1", + "Please provide a valid app key and secret." : "Lūdzu, norādiet derīgu programmas atslēgu un noslēpumu.", + "Error configuring OAuth2" : "Konfigurēšanas kļūda OAuth2", + "Generate keys" : "Izveidot atslēgas", + "Error generating key pair" : "Kļūda, ģenerējot atslēgu pāri", + "All users. Type to select user or group." : "Visiem lietotājiem. Klikšķini, lai atlasītu lietotāju vai grupu.", + "(group)" : "(grupa)", + "Compatibility with Mac NFD encoding (slow)" : "Saderība ar Mac NFD kodēšanu (lēni)", + "Admin defined" : "Administrators definētās", "Saved" : "Saglabāts", + "Saving..." : "Saglabā...", + "Save" : "Saglabāt", + "Empty response from the server" : "Tukša atbilde no servera", + "Couldn't get the information from the remote server: {code} {type}" : "Nevarējām iegūt informāciju no attālā servera: {code} {type}", + "There was an error with message: " : "Radās kļūda ar ziņu:", + "External mount error" : "Ārējā montēšanas kļūda", + "external-storage" : "ārējā krātuve", "Username" : "Lietotājvārds", "Password" : "Parole", - "Save" : "Saglabāt", + "Invalid mount point" : "Nederīgs montēšanas punkts", + "%s" : "%s", + "Access key" : "Pieejas atslēga", + "Secret key" : "Slepenā atslēga", "None" : "Nav", + "OAuth1" : "OAuth1", + "App key" : "Programmas atslēga", + "OAuth2" : "OAuth2", + "Client ID" : "Klienta ID", + "OpenStack" : "OpenStack", + "API key" : "API atslēga", + "Username and password" : "Lietotājvārds un parole", + "RSA public key" : "RSA publiskā atslēga", + "Public key" : "Publiska atslēga", + "Amazon S3" : "Amazon S3", + "Hostname" : "Resursa nosaukums", "Port" : "Ports", + "Region" : "Reģions", + "Enable SSL" : "Iespējot SSL", "WebDAV" : "WebDAV", "URL" : "URL", + "Remote subfolder" : "Attālinātā apakšmape", + "Secure https://" : "Secure https://", + "FTP" : "FTP", "Host" : "Resursdators", + "Secure ftps://" : "Secure ftps://", + "Local" : "Lokāls", "Location" : "Vieta", - "ownCloud" : "ownCloud", - "Share" : "Dalīties", + "Nextcloud" : "Nextcloud", + "SFTP" : "SFTP", + "Root" : "Root", + "SFTP with secret key login" : "SFTP pieteikšanās ar slepeno atslēgu", + "SMB / CIFS" : "SMB / CIFS", + "Share" : "Koplietot", + "Domain" : "Domain", + "SMB / CIFS using OC login" : "SMB / CIFS lietojot OC lietotāju", + "OpenStack Object Storage" : "OpenStack Object krātuve", + "Service name" : "Servisa nosaukums", + "No external storage configured" : "Nav konfigurēta ārējā krātuve", "Name" : "Nosaukums", + "Storage type" : "Krātuves tips", + "Scope" : "Darbības joma", "Enable encryption" : "Ieslēgt šifrēšanu", - "External Storage" : "Ārējā krātuve", + "Enable previews" : "Iespējot priekšskatījumu", + "Enable sharing" : "Koplietošanas iespējošana", + "Check for changes" : "Pārbaudīt, vai nav izmaiņu", + "Never" : "Nekad", "Folder name" : "Mapes nosaukums", + "External storage" : "Ārējā krātuve", + "Authentication" : "Autentifikācija", "Configuration" : "Konfigurācija", + "Available for" : "Pieejams", "Add storage" : "Pievienot krātuvi", - "Delete" : "Dzēst" + "Advanced settings" : "Paplašināti iestatījumi", + "Delete" : "Dzēst", + "Allow users to mount external storage" : "Atļaut lietotājiem uzstādīt ārējās krātuves" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_external/l10n/nb.js b/apps/files_external/l10n/nb.js index df9ea8be0facf..48544b96bd7be 100644 --- a/apps/files_external/l10n/nb.js +++ b/apps/files_external/l10n/nb.js @@ -121,6 +121,8 @@ OC.L10N.register( "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", + "Step 1 failed. Exception: %s" : "Steg 1 mislyktes. Unntak: %s", + "Step 2 failed. Exception: %s" : "Steg 2 mislyktes. Unntak: %s", "Dropbox" : "Dropbox", "Google Drive" : "Google Drive" }, diff --git a/apps/files_external/l10n/nb.json b/apps/files_external/l10n/nb.json index c84e24f60bfea..739d124056c35 100644 --- a/apps/files_external/l10n/nb.json +++ b/apps/files_external/l10n/nb.json @@ -119,6 +119,8 @@ "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", + "Step 1 failed. Exception: %s" : "Steg 1 mislyktes. Unntak: %s", + "Step 2 failed. Exception: %s" : "Steg 2 mislyktes. Unntak: %s", "Dropbox" : "Dropbox", "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_external/l10n/ro.js b/apps/files_external/l10n/ro.js index 744ab7cf97d73..97ca3c3cdb55c 100644 --- a/apps/files_external/l10n/ro.js +++ b/apps/files_external/l10n/ro.js @@ -1,9 +1,6 @@ OC.L10N.register( "files_external", { - "Step 1 failed. Exception: %s" : "Pasul 1 a eșuat. Excepție: %s", - "Step 2 failed. Exception: %s" : "Pasul 2 a eșuat. Excepție: %s", - "External storage" : "Stocare externă", "Personal" : "Personal", "System" : "Sistem", "Grant access" : "Permite accesul", @@ -15,6 +12,7 @@ OC.L10N.register( "(group)" : "(grup)", "Admin defined" : "Administrator definit", "Saved" : "Salvat", + "Save" : "Salvează", "Empty response from the server" : "Răspuns nul de la server", "There was an error with message: " : "A apărut o eroare cu mesajul:", "external-storage" : "Stocare externă", @@ -23,7 +21,6 @@ OC.L10N.register( "Credentials saved" : "Detalii de autentificare salvate", "Credentials saving failed" : "Salvarea detaliilor de autentificare a eșuat", "Credentials required" : "Detalii de autentificare necesare", - "Save" : "Salvează", "Insufficient data: %s" : "Date insuficiente: %s", "%s" : "%s", "Access key" : "Cheie de acces", @@ -50,14 +47,11 @@ OC.L10N.register( "WebDAV" : "WebDAV", "URL" : "URL", "Secure https://" : "https:// sigur", - "Dropbox" : "Dropbox", "FTP" : "FTP", "Host" : "Gazdă", "Secure ftps://" : "ftps:// sigur", - "Google Drive" : "Google Drive", "Local" : "Local", "Location" : "Locație", - "ownCloud" : "ownCloud", "SFTP" : "SFTP", "Root" : "Root", "SFTP with secret key login" : "SFTP cu cheie secretă de autentificare", @@ -75,8 +69,8 @@ OC.L10N.register( "Check for changes" : "Verifică dacă au intervenit modificări", "Never" : "Niciodată", "Once every direct access" : "O dată la fiecare acces direct", - "External Storage" : "Stocare externă", "Folder name" : "Denumire director", + "External storage" : "Stocare externă", "Authentication" : "Autentificare", "Configuration" : "Configurație", "Available for" : "Disponibil pentru", diff --git a/apps/files_external/l10n/ro.json b/apps/files_external/l10n/ro.json index 5cd39010eec92..181008d6d4999 100644 --- a/apps/files_external/l10n/ro.json +++ b/apps/files_external/l10n/ro.json @@ -1,7 +1,4 @@ { "translations": { - "Step 1 failed. Exception: %s" : "Pasul 1 a eșuat. Excepție: %s", - "Step 2 failed. Exception: %s" : "Pasul 2 a eșuat. Excepție: %s", - "External storage" : "Stocare externă", "Personal" : "Personal", "System" : "Sistem", "Grant access" : "Permite accesul", @@ -13,6 +10,7 @@ "(group)" : "(grup)", "Admin defined" : "Administrator definit", "Saved" : "Salvat", + "Save" : "Salvează", "Empty response from the server" : "Răspuns nul de la server", "There was an error with message: " : "A apărut o eroare cu mesajul:", "external-storage" : "Stocare externă", @@ -21,7 +19,6 @@ "Credentials saved" : "Detalii de autentificare salvate", "Credentials saving failed" : "Salvarea detaliilor de autentificare a eșuat", "Credentials required" : "Detalii de autentificare necesare", - "Save" : "Salvează", "Insufficient data: %s" : "Date insuficiente: %s", "%s" : "%s", "Access key" : "Cheie de acces", @@ -48,14 +45,11 @@ "WebDAV" : "WebDAV", "URL" : "URL", "Secure https://" : "https:// sigur", - "Dropbox" : "Dropbox", "FTP" : "FTP", "Host" : "Gazdă", "Secure ftps://" : "ftps:// sigur", - "Google Drive" : "Google Drive", "Local" : "Local", "Location" : "Locație", - "ownCloud" : "ownCloud", "SFTP" : "SFTP", "Root" : "Root", "SFTP with secret key login" : "SFTP cu cheie secretă de autentificare", @@ -73,8 +67,8 @@ "Check for changes" : "Verifică dacă au intervenit modificări", "Never" : "Niciodată", "Once every direct access" : "O dată la fiecare acces direct", - "External Storage" : "Stocare externă", "Folder name" : "Denumire director", + "External storage" : "Stocare externă", "Authentication" : "Autentificare", "Configuration" : "Configurație", "Available for" : "Disponibil pentru", diff --git a/apps/files_sharing/l10n/id.js b/apps/files_sharing/l10n/id.js index defd548990d27..2f9259faee755 100644 --- a/apps/files_sharing/l10n/id.js +++ b/apps/files_sharing/l10n/id.js @@ -17,47 +17,11 @@ OC.L10N.register( "No expiration date set" : "Tanggal kedaluwarsa tidak diatur", "Shared by" : "Dibagikan oleh", "Sharing" : "Berbagi", - "A file or folder has been shared" : "Sebuah berkas atau folder telah dibagikan", - "A file or folder was shared from another server" : "Sebuah berkas atau folder telah dibagikan dari server lainnya", - "You received a new remote share %2$s from %1$s" : "Anda menerima berbagi remote baru %2$s dari %1$s", - "You received a new remote share from %s" : "Anda menerima berbagi remote baru dari %s", - "%1$s accepted remote share %2$s" : "%1$s menerima berbagi remote %2$s", - "%1$s declined remote share %2$s" : "%1$s menolak berbagi remote %2$s", - "%1$s unshared %2$s from you" : "%1$s menghapus berbagi %2$s dari Anda", - "Public shared folder %1$s was downloaded" : "Folder berbagi publik %1$s telah diunduh", - "Public shared file %1$s was downloaded" : "Berkas berbagi publik %1$s telah diunduh", - "You shared %1$s with %2$s" : "Anda membagikan %1$s dengan %2$s", - "%2$s shared %1$s with %3$s" : "%2$s berbagi %1$s kepada %3$s", - "You removed the share of %2$s for %1$s" : "Anda menghapus pembagian %2$s untuk %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s menghapus pembagian %3$s untuk %1$s", - "You shared %1$s with group %2$s" : "Anda membagikan %1$s dengan grup %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s berbagi %1$s kepada grup %3$s", - "You removed the share of group %2$s for %1$s" : "Anda menghapus pembagian grup %2$s untuk %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s menghapus pembagian grup %3$s untuk %1$s", - "%2$s shared %1$s via link" : "%2$s berbagi %1$s via tautan", - "You shared %1$s via link" : "Anda membagikan %1$s via tautan", - "You removed the public link for %1$s" : "Anda menghapus tautan publik untuk %1$s", - "%2$s removed the public link for %1$s" : "%2$s menghapus tautan publik untuk %1$s", - "Your public link for %1$s expired" : "tautan publik Anda untuk %1$s kedaluwarsa", - "The public link of %2$s for %1$s expired" : "tautan publik %2$s untuk %1$s kedaluwarsa", - "%2$s shared %1$s with you" : "%2$s membagikan %1$s dengan Anda", - "%2$s removed the share for %1$s" : "%2$s menghapus pembagian untuk %1$s", "Downloaded via public link" : "Diunduh via tautan publik", - "Shared with %2$s" : "Dibagikan kepada %2$s", - "Shared with %3$s by %2$s" : "Dibagikan kepada %3$s oleh %2$s", - "Removed share for %2$s" : "Menghapus pembagian untuk %2$s", - "%2$s removed share for %3$s" : "%2$s menghapus pembagian untuk %3$s", - "Shared with group %2$s" : "Dibagikan kepada grup %2$s", - "Shared with group %3$s by %2$s" : "Dibagikan kepada grup %3$s oleh %2$s", - "Removed share of group %2$s" : "Menghapus pembagian untuk grup %2$s", - "%2$s removed share of group %3$s" : "%2$s menghapus pembagian untuk grup %3$s", - "Shared via link by %2$s" : "Dibagikan via tautan oleh %2$s", - "Shared via public link" : "Dibagikan via tautan publik", "Removed public link" : "tautan publik dihapus", - "%2$s removed public link" : "%2$s menghapus tautan publik", "Public link expired" : "tautan publik kedaluwarsa", - "Public link of %2$s expired" : "tautan publik untuk %2$s kedaluwarsa", - "Shared by %2$s" : "Dibagikan oleh %2$s", + "A file or folder was shared from another server" : "Sebuah berkas atau folder telah dibagikan dari server lainnya", + "A file or folder has been shared" : "Sebuah berkas atau folder telah dibagikan", "Wrong share ID, share doesn't exist" : "ID pembagian salah, tidak ada yang bisa dibagi", "could not delete share" : "tidak dapat menghapus pembagian", "Could not delete share" : "Tidak dapat menghapus pembagian", @@ -80,9 +44,9 @@ OC.L10N.register( "Can't change permissions for public share links" : "Tidak dapat mengubah izin untuk tautan berbagi publik", "Cannot increase permissions" : "Tidak dapat menambah izin", "Share API is disabled" : "API pembagian dinonaktifkan", - "This share is password-protected" : "Berbagi ini dilindungi sandi", - "The password is wrong. Try again." : "Sandi salah. Coba lagi", - "Password" : "Sandi", + "This share is password-protected" : "Berbagi ini dilindungi kata sandi", + "The password is wrong. Try again." : "Kata sandi salah. Coba lagi", + "Password" : "Kata sandi", "No entries found in this folder" : "Tidak ada entri yang ditemukan dalam folder ini", "Name" : "Nama", "Share time" : "Waktu berbagi", @@ -93,45 +57,13 @@ OC.L10N.register( "the link expired" : "tautan telah kedaluwarsa", "sharing is disabled" : "berbagi dinonaktifkan", "For more info, please ask the person who sent this link." : "Untuk info lebih lanjut, silakan tanyakan orang yang mengirim tautan ini.", - "Add to your Nextcloud" : "Tambahkan ke Nextcloud Anda", "Download" : "Unduh", - "Download %s" : "Unduh %s", "Direct link" : "Tautan langsung", + "Add to your Nextcloud" : "Tambahkan ke Nextcloud Anda", + "Download %s" : "Unduh %s", "Upload files to %s" : "Unggah berkas ke %s", "Select or drop files" : "Pilih atau drop berkas", "Uploading files…" : "Mengunggah berkas...", - "Uploaded files:" : "Berkas terunggah:", - "A public shared file or folder was downloaded" : "Sebuah berkas atau folder berbagi publik telah diunduh", - "Shares" : "Dibagikan", - "Server to server sharing is not enabled on this server" : "Berbagi server ke server tidak diaktifkan pada server ini", - "The mountpoint name contains invalid characters." : "Nama mount point berisi karakter yang tidak sah.", - "Not allowed to create a federated share with the same user server" : "Tidak diizinkan membuat pembagian terfederasi dengan server pengguna yang sama", - "Invalid or untrusted SSL certificate" : "Sertifikat SSL tidak sah atau tidak terpercaya", - "Could not authenticate to remote share, password might be wrong" : "Tidak dapat mengautentikasi berbagi remote, kata sandi mungkin salah", - "Storage not valid" : "Penyimpanan tidak sah", - "Couldn't add remote share" : "Tidak dapat menambahkan berbagi remote", - "Federated sharing" : "Pembagian terfederasi", - "Do you want to add the remote share {name} from {owner}@{remote}?" : "Apakah Anda ingin menambahkan berbagi remote {name} dari {owner}@{remote}?", - "Remote share" : "Berbagi remote", - "Remote share password" : "Sandi berbagi remote", - "Cancel" : "Batalkan", - "Add remote share" : "Tambah berbagi remote", - "No ownCloud installation (7 or higher) found at {remote}" : "Tidak ditemukan instalasi ownCloud (7 atau lebih tinggi) pada {remote}", - "Invalid ownCloud url" : "URL ownCloud tidak sah", - "You received \"/%2$s\" as a remote share from %1$s" : "Anda menerima \"/%2$s\" sebagai berbagi remote dari %1$s", - "Accept" : "Terima", - "Decline" : "Tolak", - "Share with me through my #ownCloud Federated Cloud ID, see %s" : "Bagikan pada saya melalui #ownCloud Federated Cloud ID saya, lihat %s", - "Share with me through my #ownCloud Federated Cloud ID" : "Bagikan pada saya melalui #ownCloud Federated Cloud ID saya", - "Federated Cloud Sharing" : "Pembagian Awan Terfederasi", - "Open documentation" : "Buka dokumentasi", - "Allow users on this server to send shares to other servers" : "Izinkan para pengguna di server ini untuk mengirimkan berbagi ke server lainnya.", - "Allow users on this server to receive shares from other servers" : "Izinkan para pengguna di server ini untuk menerima berbagi ke server lainnya.", - "Federated Cloud" : "Awan Terfederasi", - "Your Federated Cloud ID:" : "ID Awan Terfederasi Anda:", - "Share it:" : "Bagikan:", - "Add to your website" : "Tambahkan pada situs web Anda", - "Share with me via Nextcloud" : "Bagikan pada saya via Nextcloud", - "HTML Code:" : "Kode HTML:" + "Uploaded files:" : "Berkas terunggah:" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/id.json b/apps/files_sharing/l10n/id.json index 3afe5892383e4..4eb256e0ec79c 100644 --- a/apps/files_sharing/l10n/id.json +++ b/apps/files_sharing/l10n/id.json @@ -15,47 +15,11 @@ "No expiration date set" : "Tanggal kedaluwarsa tidak diatur", "Shared by" : "Dibagikan oleh", "Sharing" : "Berbagi", - "A file or folder has been shared" : "Sebuah berkas atau folder telah dibagikan", - "A file or folder was shared from another server" : "Sebuah berkas atau folder telah dibagikan dari server lainnya", - "You received a new remote share %2$s from %1$s" : "Anda menerima berbagi remote baru %2$s dari %1$s", - "You received a new remote share from %s" : "Anda menerima berbagi remote baru dari %s", - "%1$s accepted remote share %2$s" : "%1$s menerima berbagi remote %2$s", - "%1$s declined remote share %2$s" : "%1$s menolak berbagi remote %2$s", - "%1$s unshared %2$s from you" : "%1$s menghapus berbagi %2$s dari Anda", - "Public shared folder %1$s was downloaded" : "Folder berbagi publik %1$s telah diunduh", - "Public shared file %1$s was downloaded" : "Berkas berbagi publik %1$s telah diunduh", - "You shared %1$s with %2$s" : "Anda membagikan %1$s dengan %2$s", - "%2$s shared %1$s with %3$s" : "%2$s berbagi %1$s kepada %3$s", - "You removed the share of %2$s for %1$s" : "Anda menghapus pembagian %2$s untuk %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s menghapus pembagian %3$s untuk %1$s", - "You shared %1$s with group %2$s" : "Anda membagikan %1$s dengan grup %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s berbagi %1$s kepada grup %3$s", - "You removed the share of group %2$s for %1$s" : "Anda menghapus pembagian grup %2$s untuk %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s menghapus pembagian grup %3$s untuk %1$s", - "%2$s shared %1$s via link" : "%2$s berbagi %1$s via tautan", - "You shared %1$s via link" : "Anda membagikan %1$s via tautan", - "You removed the public link for %1$s" : "Anda menghapus tautan publik untuk %1$s", - "%2$s removed the public link for %1$s" : "%2$s menghapus tautan publik untuk %1$s", - "Your public link for %1$s expired" : "tautan publik Anda untuk %1$s kedaluwarsa", - "The public link of %2$s for %1$s expired" : "tautan publik %2$s untuk %1$s kedaluwarsa", - "%2$s shared %1$s with you" : "%2$s membagikan %1$s dengan Anda", - "%2$s removed the share for %1$s" : "%2$s menghapus pembagian untuk %1$s", "Downloaded via public link" : "Diunduh via tautan publik", - "Shared with %2$s" : "Dibagikan kepada %2$s", - "Shared with %3$s by %2$s" : "Dibagikan kepada %3$s oleh %2$s", - "Removed share for %2$s" : "Menghapus pembagian untuk %2$s", - "%2$s removed share for %3$s" : "%2$s menghapus pembagian untuk %3$s", - "Shared with group %2$s" : "Dibagikan kepada grup %2$s", - "Shared with group %3$s by %2$s" : "Dibagikan kepada grup %3$s oleh %2$s", - "Removed share of group %2$s" : "Menghapus pembagian untuk grup %2$s", - "%2$s removed share of group %3$s" : "%2$s menghapus pembagian untuk grup %3$s", - "Shared via link by %2$s" : "Dibagikan via tautan oleh %2$s", - "Shared via public link" : "Dibagikan via tautan publik", "Removed public link" : "tautan publik dihapus", - "%2$s removed public link" : "%2$s menghapus tautan publik", "Public link expired" : "tautan publik kedaluwarsa", - "Public link of %2$s expired" : "tautan publik untuk %2$s kedaluwarsa", - "Shared by %2$s" : "Dibagikan oleh %2$s", + "A file or folder was shared from another server" : "Sebuah berkas atau folder telah dibagikan dari server lainnya", + "A file or folder has been shared" : "Sebuah berkas atau folder telah dibagikan", "Wrong share ID, share doesn't exist" : "ID pembagian salah, tidak ada yang bisa dibagi", "could not delete share" : "tidak dapat menghapus pembagian", "Could not delete share" : "Tidak dapat menghapus pembagian", @@ -78,9 +42,9 @@ "Can't change permissions for public share links" : "Tidak dapat mengubah izin untuk tautan berbagi publik", "Cannot increase permissions" : "Tidak dapat menambah izin", "Share API is disabled" : "API pembagian dinonaktifkan", - "This share is password-protected" : "Berbagi ini dilindungi sandi", - "The password is wrong. Try again." : "Sandi salah. Coba lagi", - "Password" : "Sandi", + "This share is password-protected" : "Berbagi ini dilindungi kata sandi", + "The password is wrong. Try again." : "Kata sandi salah. Coba lagi", + "Password" : "Kata sandi", "No entries found in this folder" : "Tidak ada entri yang ditemukan dalam folder ini", "Name" : "Nama", "Share time" : "Waktu berbagi", @@ -91,45 +55,13 @@ "the link expired" : "tautan telah kedaluwarsa", "sharing is disabled" : "berbagi dinonaktifkan", "For more info, please ask the person who sent this link." : "Untuk info lebih lanjut, silakan tanyakan orang yang mengirim tautan ini.", - "Add to your Nextcloud" : "Tambahkan ke Nextcloud Anda", "Download" : "Unduh", - "Download %s" : "Unduh %s", "Direct link" : "Tautan langsung", + "Add to your Nextcloud" : "Tambahkan ke Nextcloud Anda", + "Download %s" : "Unduh %s", "Upload files to %s" : "Unggah berkas ke %s", "Select or drop files" : "Pilih atau drop berkas", "Uploading files…" : "Mengunggah berkas...", - "Uploaded files:" : "Berkas terunggah:", - "A public shared file or folder was downloaded" : "Sebuah berkas atau folder berbagi publik telah diunduh", - "Shares" : "Dibagikan", - "Server to server sharing is not enabled on this server" : "Berbagi server ke server tidak diaktifkan pada server ini", - "The mountpoint name contains invalid characters." : "Nama mount point berisi karakter yang tidak sah.", - "Not allowed to create a federated share with the same user server" : "Tidak diizinkan membuat pembagian terfederasi dengan server pengguna yang sama", - "Invalid or untrusted SSL certificate" : "Sertifikat SSL tidak sah atau tidak terpercaya", - "Could not authenticate to remote share, password might be wrong" : "Tidak dapat mengautentikasi berbagi remote, kata sandi mungkin salah", - "Storage not valid" : "Penyimpanan tidak sah", - "Couldn't add remote share" : "Tidak dapat menambahkan berbagi remote", - "Federated sharing" : "Pembagian terfederasi", - "Do you want to add the remote share {name} from {owner}@{remote}?" : "Apakah Anda ingin menambahkan berbagi remote {name} dari {owner}@{remote}?", - "Remote share" : "Berbagi remote", - "Remote share password" : "Sandi berbagi remote", - "Cancel" : "Batalkan", - "Add remote share" : "Tambah berbagi remote", - "No ownCloud installation (7 or higher) found at {remote}" : "Tidak ditemukan instalasi ownCloud (7 atau lebih tinggi) pada {remote}", - "Invalid ownCloud url" : "URL ownCloud tidak sah", - "You received \"/%2$s\" as a remote share from %1$s" : "Anda menerima \"/%2$s\" sebagai berbagi remote dari %1$s", - "Accept" : "Terima", - "Decline" : "Tolak", - "Share with me through my #ownCloud Federated Cloud ID, see %s" : "Bagikan pada saya melalui #ownCloud Federated Cloud ID saya, lihat %s", - "Share with me through my #ownCloud Federated Cloud ID" : "Bagikan pada saya melalui #ownCloud Federated Cloud ID saya", - "Federated Cloud Sharing" : "Pembagian Awan Terfederasi", - "Open documentation" : "Buka dokumentasi", - "Allow users on this server to send shares to other servers" : "Izinkan para pengguna di server ini untuk mengirimkan berbagi ke server lainnya.", - "Allow users on this server to receive shares from other servers" : "Izinkan para pengguna di server ini untuk menerima berbagi ke server lainnya.", - "Federated Cloud" : "Awan Terfederasi", - "Your Federated Cloud ID:" : "ID Awan Terfederasi Anda:", - "Share it:" : "Bagikan:", - "Add to your website" : "Tambahkan pada situs web Anda", - "Share with me via Nextcloud" : "Bagikan pada saya via Nextcloud", - "HTML Code:" : "Kode HTML:" + "Uploaded files:" : "Berkas terunggah:" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/is.js b/apps/files_sharing/l10n/is.js index 191592f06089b..b6a3d892ef9ff 100644 --- a/apps/files_sharing/l10n/is.js +++ b/apps/files_sharing/l10n/is.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Ekki tókst að breyta aðgangsheimildum fyrir opinbera deilingartengla", "Cannot increase permissions" : "Get ekki aukið aðgangsheimildir", "Share API is disabled" : "Deilingar-API er óvirkt", + "File sharing" : "Skráadeiling", "This share is password-protected" : "Þessi sameign er varin með lykilorði", "The password is wrong. Try again." : "Lykilorðið er rangt. Reyndu aftur.", "Password" : "Lykilorð", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Senda inn skrár á %s", "Select or drop files" : "Veldu eða slepptu skrám", "Uploading files…" : "Sendi inn skrár…", - "Uploaded files:" : "Innsendar skrár:" + "Uploaded files:" : "Innsendar skrár:", + "%s is publicly shared" : "%s er deilt opinberlega" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files_sharing/l10n/is.json b/apps/files_sharing/l10n/is.json index 925e66d40260a..f2b0bdb93c500 100644 --- a/apps/files_sharing/l10n/is.json +++ b/apps/files_sharing/l10n/is.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Ekki tókst að breyta aðgangsheimildum fyrir opinbera deilingartengla", "Cannot increase permissions" : "Get ekki aukið aðgangsheimildir", "Share API is disabled" : "Deilingar-API er óvirkt", + "File sharing" : "Skráadeiling", "This share is password-protected" : "Þessi sameign er varin með lykilorði", "The password is wrong. Try again." : "Lykilorðið er rangt. Reyndu aftur.", "Password" : "Lykilorð", @@ -107,6 +108,7 @@ "Upload files to %s" : "Senda inn skrár á %s", "Select or drop files" : "Veldu eða slepptu skrám", "Uploading files…" : "Sendi inn skrár…", - "Uploaded files:" : "Innsendar skrár:" + "Uploaded files:" : "Innsendar skrár:", + "%s is publicly shared" : "%s er deilt opinberlega" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/lv.js b/apps/files_sharing/l10n/lv.js index edbdb89fe89ed..2c6d990ed762f 100644 --- a/apps/files_sharing/l10n/lv.js +++ b/apps/files_sharing/l10n/lv.js @@ -1,12 +1,6 @@ OC.L10N.register( "files_sharing", { - "Server to server sharing is not enabled on this server" : "Šajā serverī koplietošana starp serveriem nav ieslēgta", - "The mountpoint name contains invalid characters." : "Montēšanas punkta nosaukums satur nederīgus simbolus.", - "Invalid or untrusted SSL certificate" : "Nepareizs vai neuzticams SSL sertifikāts", - "Could not authenticate to remote share, password might be wrong" : "Nesanāca autentificēties pie attālinātās koplietotnes, parole varētu būt nepareiza", - "Storage not valid" : "Glabātuve nav derīga", - "Couldn't add remote share" : "Nevarēja pievienot attālināto koplietotni", "Shared with you" : "Koplietots ar tevi", "Shared with others" : "Koplietots ar citiem", "Shared by link" : "Koplietots ar saiti", @@ -15,22 +9,39 @@ OC.L10N.register( "Nothing shared yet" : "Nekas vēl nav koplietots", "Files and folders you share will show up here" : "Faili un mapes, ko koplietosi ar citiem, tiks rādīti šeit", "No shared links" : "Nav koplietotu saišu", - "Files and folders you share by link will show up here" : "Faili un mapes, ko koplietosit ar saitēm, tiks rādīti šeit", - "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vai vēlaties pievienot attālināto koplietotni {name} no {owner}@{remote}?", - "Remote share" : "Attālinātā koplietotne", - "Remote share password" : "Attālinātās koplietotnes parole", - "Cancel" : "Atcelt", - "Add remote share" : "Pievienot attālināto koplietotni", + "Files and folders you share by link will show up here" : "Faili un mapes, ko koplietosi ar saitēm, tiks rādīti šeit", "You can upload into this folder" : "Jūs variet augšuplādēt šajā mapē", - "No ownCloud installation (7 or higher) found at {remote}" : "Nav atrasta neviena ownCloud (7. vai augstāka) instalācija {remote}", - "Invalid ownCloud url" : "Nederīga ownCloud saite", - "Shared by" : "Dalījās", - "Sharing" : "Dalīšanās", - "Share API is disabled" : "Koplietošanas API ir atslēgta", + "No compatible server found at {remote}" : "Nav atrasts neviens saderīgs serveris {remote}", + "Invalid server URL" : "Nederīgs servera url", + "Failed to add the public link to your Nextcloud" : "Neizdevās pievienot publisku saiti jūsu Nextcloud", + "Share" : "Koplietot", + "No expiration date set" : "Nav noteikts derīguma termiņa beigu datums", + "Shared by" : "Koplietoja", + "Sharing" : "Koplietošana", + "File shares" : "Failu koplietojumi", + "Downloaded via public link" : "Lejupielādēt izmantojot publisku saiti", + "Downloaded by {email}" : "Lejupielādēts {email}", + "{file} downloaded via public link" : "{file} lejupielādēts izmantojot publisku saiti", + "{email} downloaded {file}" : "{email} lejupielādēts {file}", + "Shared with group {group}" : "Koplietots ar grupu {group}", + "{actor} removed group {group} from {file}" : "{actor} noņēma grupu {group} no {file}", + "Shared as public link" : "Koplietots kā publiska saite", + "Removed public link" : "Noņemta publiska saite", + "Shared with {user}" : "Koplietots ar {user}", + "{actor} shared with {user}" : "{actor} koplieto ar {user}", + "Shared by {actor}" : "Koplietoja {actor}", + "{actor} removed {user} from {file}" : "{actor} noņemts {user} no {file}", + "{actor} shared {file} with you" : "{actor} koplietots {file} ar jums", + "{actor} removed you from {file}" : "{actor} noņēma jūs no {file}", + "A file or folder was shared from another server" : "Datne vai mape tika koplietota no cita servera", + "A file or folder has been shared" : "Koplietota datne vai mape", "Wrong share ID, share doesn't exist" : "Nepareizs koplietošanas ID, koplietotne neeksistē", + "could not delete share" : "neizdevās dzēst koplietotni", "Could not delete share" : "Neizdevās dzēst koplietotni", "Please specify a file or folder path" : "Lūdzu norādiet datnes vai mapes ceļu", "Wrong path, file/folder doesn't exist" : "Nepareizs ceļš, datne/mape neeksistē", + "Could not create share" : "Nevar izveidot koplietošanu", + "invalid permissions" : "Nederīgas atļaujas", "Please specify a valid user" : "Lūdzu norādiet derīgu lietotāju", "Group sharing is disabled by the administrator" : "Administrators grupas koplietošanu ir atslēdzis", "Please specify a valid group" : "Lūdzu norādiet derīgu grupu", @@ -39,45 +50,29 @@ OC.L10N.register( "Public upload is only possible for publicly shared folders" : "Publiska augšupielāde iespējama tikai publiski koplietotām mapēm", "Invalid date, date format must be YYYY-MM-DD" : "Nepareizs datums, datumam jābūt YYYY-MM-DD formātā", "Unknown share type" : "Nezināms koplietošanas tips", + "Not a directory" : "Nav direktorijs", "Could not lock path" : "Nevarēja bloķēt ceļu", "Can't change permissions for public share links" : "Publiskai koplietošanas saitei nevar mainīt tiesības", "Cannot increase permissions" : "Nevar palielināt tiesības", - "A file or folder has been shared" : "Koplietota fails vai mape", - "A file or folder was shared from another server" : "Fails vai mape tika koplietota no cita servera", - "A public shared file or folder was downloaded" : "Publiski koplietots fails vai mape tika lejupielādēts", - "You received a new remote share %2$s from %1$s" : "Jūs saņēmāt jaunu attālinātu koplietotni %2$s no %1$s", - "You received a new remote share from %s" : "Saņēmāt jaunu attālinātu koplietotni no %s", - "%1$s accepted remote share %2$s" : "%1$s apstiprināja attālināto koplietotni %2$s", - "%1$s declined remote share %2$s" : "%1$s noraidīja attālināto koplietotni %2$s", - "%1$s unshared %2$s from you" : "%1$s atslēdza koplietošanu %2$s ar tevi", - "Public shared folder %1$s was downloaded" : "Publiski koplietota mape %1$s tika lejupielādēta", - "Public shared file %1$s was downloaded" : "Publiski koplietots fails %1$s tika lejupielādēts", - "You shared %1$s with %2$s" : "Tu koplietoji %1$s ar %2$s", - "%2$s shared %1$s with %3$s" : "%2$s koplietots %1$s ar %3$s", - "You removed the share of %2$s for %1$s" : "Tu noņēmi koplietošanu no %2$s priekš %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s noņēma koplietošanu no %3$s priekš %1$s", - "You shared %1$s with group %2$s" : "Tu koplietoji %1$s ar grupu %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s koplietots %1$s ar grupu %3$s", - "You removed the share of group %2$s for %1$s" : "Tu noņēmi koplietošanu no grupas %2$s priekš %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s noņēma koplietošanu no gruapas %3$s priekš %1$s", - "You shared %1$s via link" : "Tu koplietoji %1$s , izmantojot saiti", - "%2$s shared %1$s with you" : "%2$s koplietoja %1$s ar tevi", - "Shares" : "Koplietotie", + "Share API is disabled" : "Koplietošanas API ir atslēgta", "This share is password-protected" : "Šī koplietotne ir aizsargāta ar paroli", "The password is wrong. Try again." : "Nepareiza parole. Mēģiniet vēlreiz.", "Password" : "Parole", "No entries found in this folder" : "Šajā mapē nekas nav atrasts", "Name" : "Nosaukums", "Share time" : "Koplietošanas laiks", + "Expiration date" : "Termiņa datums", "Sorry, this link doesn’t seem to work anymore." : "Izskatās, ka šī saite vairs nedarbojas", "Reasons might be:" : "Iespējamie iemesli:", "the item was removed" : "vienums tika dzēsts", "the link expired" : "saitei beidzies termiņš", "sharing is disabled" : "koplietošana nav ieslēgta", "For more info, please ask the person who sent this link." : "Vairāk informācijas vaicā personai, kas nosūtīja šo saiti.", - "Add to your ownCloud" : "Pievienot savam ownCloud", "Download" : "Lejupielādēt", + "Direct link" : "Tiešā saite", + "Add to your Nextcloud" : "Pievienot savam Nextcloud", "Download %s" : "Lejupielādēt %s", - "Direct link" : "Tiešā saite" + "Uploading files…" : "Augšupielādē datnes", + "Uploaded files:" : "Augšupielādēti faili:" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/apps/files_sharing/l10n/lv.json b/apps/files_sharing/l10n/lv.json index 74fc7041409f6..831a042dd7fa5 100644 --- a/apps/files_sharing/l10n/lv.json +++ b/apps/files_sharing/l10n/lv.json @@ -1,10 +1,4 @@ { "translations": { - "Server to server sharing is not enabled on this server" : "Šajā serverī koplietošana starp serveriem nav ieslēgta", - "The mountpoint name contains invalid characters." : "Montēšanas punkta nosaukums satur nederīgus simbolus.", - "Invalid or untrusted SSL certificate" : "Nepareizs vai neuzticams SSL sertifikāts", - "Could not authenticate to remote share, password might be wrong" : "Nesanāca autentificēties pie attālinātās koplietotnes, parole varētu būt nepareiza", - "Storage not valid" : "Glabātuve nav derīga", - "Couldn't add remote share" : "Nevarēja pievienot attālināto koplietotni", "Shared with you" : "Koplietots ar tevi", "Shared with others" : "Koplietots ar citiem", "Shared by link" : "Koplietots ar saiti", @@ -13,22 +7,39 @@ "Nothing shared yet" : "Nekas vēl nav koplietots", "Files and folders you share will show up here" : "Faili un mapes, ko koplietosi ar citiem, tiks rādīti šeit", "No shared links" : "Nav koplietotu saišu", - "Files and folders you share by link will show up here" : "Faili un mapes, ko koplietosit ar saitēm, tiks rādīti šeit", - "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vai vēlaties pievienot attālināto koplietotni {name} no {owner}@{remote}?", - "Remote share" : "Attālinātā koplietotne", - "Remote share password" : "Attālinātās koplietotnes parole", - "Cancel" : "Atcelt", - "Add remote share" : "Pievienot attālināto koplietotni", + "Files and folders you share by link will show up here" : "Faili un mapes, ko koplietosi ar saitēm, tiks rādīti šeit", "You can upload into this folder" : "Jūs variet augšuplādēt šajā mapē", - "No ownCloud installation (7 or higher) found at {remote}" : "Nav atrasta neviena ownCloud (7. vai augstāka) instalācija {remote}", - "Invalid ownCloud url" : "Nederīga ownCloud saite", - "Shared by" : "Dalījās", - "Sharing" : "Dalīšanās", - "Share API is disabled" : "Koplietošanas API ir atslēgta", + "No compatible server found at {remote}" : "Nav atrasts neviens saderīgs serveris {remote}", + "Invalid server URL" : "Nederīgs servera url", + "Failed to add the public link to your Nextcloud" : "Neizdevās pievienot publisku saiti jūsu Nextcloud", + "Share" : "Koplietot", + "No expiration date set" : "Nav noteikts derīguma termiņa beigu datums", + "Shared by" : "Koplietoja", + "Sharing" : "Koplietošana", + "File shares" : "Failu koplietojumi", + "Downloaded via public link" : "Lejupielādēt izmantojot publisku saiti", + "Downloaded by {email}" : "Lejupielādēts {email}", + "{file} downloaded via public link" : "{file} lejupielādēts izmantojot publisku saiti", + "{email} downloaded {file}" : "{email} lejupielādēts {file}", + "Shared with group {group}" : "Koplietots ar grupu {group}", + "{actor} removed group {group} from {file}" : "{actor} noņēma grupu {group} no {file}", + "Shared as public link" : "Koplietots kā publiska saite", + "Removed public link" : "Noņemta publiska saite", + "Shared with {user}" : "Koplietots ar {user}", + "{actor} shared with {user}" : "{actor} koplieto ar {user}", + "Shared by {actor}" : "Koplietoja {actor}", + "{actor} removed {user} from {file}" : "{actor} noņemts {user} no {file}", + "{actor} shared {file} with you" : "{actor} koplietots {file} ar jums", + "{actor} removed you from {file}" : "{actor} noņēma jūs no {file}", + "A file or folder was shared from another server" : "Datne vai mape tika koplietota no cita servera", + "A file or folder has been shared" : "Koplietota datne vai mape", "Wrong share ID, share doesn't exist" : "Nepareizs koplietošanas ID, koplietotne neeksistē", + "could not delete share" : "neizdevās dzēst koplietotni", "Could not delete share" : "Neizdevās dzēst koplietotni", "Please specify a file or folder path" : "Lūdzu norādiet datnes vai mapes ceļu", "Wrong path, file/folder doesn't exist" : "Nepareizs ceļš, datne/mape neeksistē", + "Could not create share" : "Nevar izveidot koplietošanu", + "invalid permissions" : "Nederīgas atļaujas", "Please specify a valid user" : "Lūdzu norādiet derīgu lietotāju", "Group sharing is disabled by the administrator" : "Administrators grupas koplietošanu ir atslēdzis", "Please specify a valid group" : "Lūdzu norādiet derīgu grupu", @@ -37,45 +48,29 @@ "Public upload is only possible for publicly shared folders" : "Publiska augšupielāde iespējama tikai publiski koplietotām mapēm", "Invalid date, date format must be YYYY-MM-DD" : "Nepareizs datums, datumam jābūt YYYY-MM-DD formātā", "Unknown share type" : "Nezināms koplietošanas tips", + "Not a directory" : "Nav direktorijs", "Could not lock path" : "Nevarēja bloķēt ceļu", "Can't change permissions for public share links" : "Publiskai koplietošanas saitei nevar mainīt tiesības", "Cannot increase permissions" : "Nevar palielināt tiesības", - "A file or folder has been shared" : "Koplietota fails vai mape", - "A file or folder was shared from another server" : "Fails vai mape tika koplietota no cita servera", - "A public shared file or folder was downloaded" : "Publiski koplietots fails vai mape tika lejupielādēts", - "You received a new remote share %2$s from %1$s" : "Jūs saņēmāt jaunu attālinātu koplietotni %2$s no %1$s", - "You received a new remote share from %s" : "Saņēmāt jaunu attālinātu koplietotni no %s", - "%1$s accepted remote share %2$s" : "%1$s apstiprināja attālināto koplietotni %2$s", - "%1$s declined remote share %2$s" : "%1$s noraidīja attālināto koplietotni %2$s", - "%1$s unshared %2$s from you" : "%1$s atslēdza koplietošanu %2$s ar tevi", - "Public shared folder %1$s was downloaded" : "Publiski koplietota mape %1$s tika lejupielādēta", - "Public shared file %1$s was downloaded" : "Publiski koplietots fails %1$s tika lejupielādēts", - "You shared %1$s with %2$s" : "Tu koplietoji %1$s ar %2$s", - "%2$s shared %1$s with %3$s" : "%2$s koplietots %1$s ar %3$s", - "You removed the share of %2$s for %1$s" : "Tu noņēmi koplietošanu no %2$s priekš %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s noņēma koplietošanu no %3$s priekš %1$s", - "You shared %1$s with group %2$s" : "Tu koplietoji %1$s ar grupu %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s koplietots %1$s ar grupu %3$s", - "You removed the share of group %2$s for %1$s" : "Tu noņēmi koplietošanu no grupas %2$s priekš %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s noņēma koplietošanu no gruapas %3$s priekš %1$s", - "You shared %1$s via link" : "Tu koplietoji %1$s , izmantojot saiti", - "%2$s shared %1$s with you" : "%2$s koplietoja %1$s ar tevi", - "Shares" : "Koplietotie", + "Share API is disabled" : "Koplietošanas API ir atslēgta", "This share is password-protected" : "Šī koplietotne ir aizsargāta ar paroli", "The password is wrong. Try again." : "Nepareiza parole. Mēģiniet vēlreiz.", "Password" : "Parole", "No entries found in this folder" : "Šajā mapē nekas nav atrasts", "Name" : "Nosaukums", "Share time" : "Koplietošanas laiks", + "Expiration date" : "Termiņa datums", "Sorry, this link doesn’t seem to work anymore." : "Izskatās, ka šī saite vairs nedarbojas", "Reasons might be:" : "Iespējamie iemesli:", "the item was removed" : "vienums tika dzēsts", "the link expired" : "saitei beidzies termiņš", "sharing is disabled" : "koplietošana nav ieslēgta", "For more info, please ask the person who sent this link." : "Vairāk informācijas vaicā personai, kas nosūtīja šo saiti.", - "Add to your ownCloud" : "Pievienot savam ownCloud", "Download" : "Lejupielādēt", + "Direct link" : "Tiešā saite", + "Add to your Nextcloud" : "Pievienot savam Nextcloud", "Download %s" : "Lejupielādēt %s", - "Direct link" : "Tiešā saite" + "Uploading files…" : "Augšupielādē datnes", + "Uploaded files:" : "Augšupielādēti faili:" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/nb.js b/apps/files_sharing/l10n/nb.js index 862723c598d80..a8aa1c16731a8 100644 --- a/apps/files_sharing/l10n/nb.js +++ b/apps/files_sharing/l10n/nb.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Kan ikke endre rettigheter for offentlige lenker", "Cannot increase permissions" : "Kan ikke øke tillatelser", "Share API is disabled" : "Deling API er deaktivert", + "File sharing" : "Fildeling", "This share is password-protected" : "Denne delingen er passordbeskyttet", "The password is wrong. Try again." : "Passordet er feil. Prøv på nytt.", "Password" : "Passord", diff --git a/apps/files_sharing/l10n/nb.json b/apps/files_sharing/l10n/nb.json index 749f84887379c..25f3537812f0a 100644 --- a/apps/files_sharing/l10n/nb.json +++ b/apps/files_sharing/l10n/nb.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Kan ikke endre rettigheter for offentlige lenker", "Cannot increase permissions" : "Kan ikke øke tillatelser", "Share API is disabled" : "Deling API er deaktivert", + "File sharing" : "Fildeling", "This share is password-protected" : "Denne delingen er passordbeskyttet", "The password is wrong. Try again." : "Passordet er feil. Prøv på nytt.", "Password" : "Passord", diff --git a/apps/files_sharing/l10n/sl.js b/apps/files_sharing/l10n/sl.js index 78b89b927929f..440421daa29a4 100644 --- a/apps/files_sharing/l10n/sl.js +++ b/apps/files_sharing/l10n/sl.js @@ -11,8 +11,16 @@ OC.L10N.register( "No shared links" : "Ni povezav za souporabo", "Files and folders you share by link will show up here" : "Datoteke in mape, ki ste jih označili za souporabo prek povezave, bodo zbrane na tem mestu.", "You can upload into this folder" : "V to mapo je dovoljeno poslati datoteke", + "Invalid server URL" : "Neveljaven URL strežnika", + "Share" : "Souporaba", + "No expiration date set" : "Datum poteka ni določen", "Shared by" : "V souporabi z", "Sharing" : "Souporaba", + "Downloaded via public link" : "Prejeto preko javne povezave", + "Removed public link" : "Javno povezava je odstranjena", + "Public link expired" : "Javna povezava je potekla", + "A file or folder was shared from another server" : "Souporaba datoteke ali mape z drugega strežnika je omogočena.", + "A file or folder has been shared" : "Za datoteko ali mapo je omogočena souporaba.", "Wrong share ID, share doesn't exist" : "Napačen ID mesta uporabe; mesto ne obstaja!", "Could not delete share" : "Tega predmeta v souporabi ni mogoče izbrisati.", "Please specify a file or folder path" : "Določiti je treba datoteko ali pot do mape", @@ -31,49 +39,6 @@ OC.L10N.register( "Wrong or no update parameter given" : "Parameter posodobitve ni podan ali pa je navedena napačna vrednost", "Can't change permissions for public share links" : "Za javne povezave souporabe, spreminjanje dovoljenj ni mogoče.", "Cannot increase permissions" : "Ni mogoče povišati dovoljenj", - "A file or folder has been shared" : "Za datoteko ali mapo je omogočena souporaba.", - "A file or folder was shared from another server" : "Souporaba datoteke ali mape z drugega strežnika je omogočena.", - "A public shared file or folder was downloaded" : "Mapa ali datoteka v souporabi je bila prejeta.", - "You received a new remote share %2$s from %1$s" : "Uporabnik %1$s vam je omogočil souporabo mape %2$s", - "You received a new remote share from %s" : "Prejeli ste mapo za oddaljeno souporabo z %s", - "%1$s accepted remote share %2$s" : "Uporabnik %1$s je prejel oddaljeno souporabo %2$s", - "%1$s declined remote share %2$s" : "Uporabnik %1$s je zavrnil souporabo %2$s", - "%1$s unshared %2$s from you" : "Uporabnik %1$s je onemogoči souporabo %2$s z vami", - "Public shared folder %1$s was downloaded" : "Mapa v souporabi %1$s je bila prejeta.", - "Public shared file %1$s was downloaded" : "Datoteka v souporabi %1$s je bila prejeta", - "You shared %1$s with %2$s" : "Omogočili ste souporabo %1$s z uporabnikom %2$s", - "%2$s shared %1$s with %3$s" : "Uporabnik %2$s je omogočil souporabo %1$s z %3$s", - "You removed the share of %2$s for %1$s" : "Odstranili ste mapo v souporabi %2$s za %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s umaknil souporabo %3$s za %1$s", - "You shared %1$s with group %2$s" : "Omogočili ste souporabo %1$s s skupino %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s deli %1$s s skupino %3$s", - "You removed the share of group %2$s for %1$s" : "Ukinili ste deljenje s skupino %2$s za %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s ukinil deljenje s skupino %3$s za %1$s", - "%2$s shared %1$s via link" : "%2$s deli %1$s preko povezave", - "You shared %1$s via link" : "Omogočili ste souporabo %1$s preko povezave", - "You removed the public link for %1$s" : "Umaknili ste javno povezavo za %1$s", - "%2$s removed the public link for %1$s" : "%2$s umaknil javno povezavo za %1$s", - "Your public link for %1$s expired" : "Javna povezava za %1$s je časovno potekla!", - "The public link of %2$s for %1$s expired" : "Javna povezava %2$s za %1$s je potekla", - "%2$s shared %1$s with you" : "Uporabnik %2$s je omogočil souporabo %1$s", - "%2$s removed the share for %1$s" : "%2$s je umaknil deljenje za %1$s", - "Downloaded via public link" : "Prejeto preko javne povezave", - "Shared with %2$s" : "V souporabi z %2$s", - "Shared with %3$s by %2$s" : "Souporaba z %3$s in %2$s", - "Removed share for %2$s" : "Odstranitev souporabe za %2$s", - "%2$s removed share for %3$s" : "%2$s je odstranil souporabo za %3$s", - "Shared with group %2$s" : "V souporabi s skupino %2$s", - "Shared with group %3$s by %2$s" : "V souporabi s skupino %3$s in %2$s", - "Removed share of group %2$s" : "Odstranitev souporabe s skupino %2$s", - "%2$s removed share of group %3$s" : "%2$s je odstranil povezavo za skupino %3$s", - "Shared via link by %2$s" : "%2$s je omogočil souporabo prek povezave", - "Shared via public link" : "V souporabi prek javne povezave", - "Removed public link" : "Javno povezava je odstranjena", - "%2$s removed public link" : "%2$s je odstranil javno povezavo", - "Public link expired" : "Javna povezava je potekla", - "Public link of %2$s expired" : "Javna povezava %2$s je potekla", - "Shared by %2$s" : "Souporabo je omogočil uporabnik %2$s", - "Shares" : "Souporaba", "Share API is disabled" : "API za souporabo je izključen", "This share is password-protected" : "To mesto je zaščiteno z geslom.", "The password is wrong. Try again." : "Geslo je napačno. Poskusite znova.", @@ -88,8 +53,8 @@ OC.L10N.register( "sharing is disabled" : "souporaba je onemogočena.", "For more info, please ask the person who sent this link." : "Za več podrobnosti stopite v stik s pošiljateljem te povezave.", "Download" : "Prejmi", - "Download %s" : "Prejmi %s", "Direct link" : "Neposredna povezava", + "Download %s" : "Prejmi %s", "Upload files to %s" : "Naloži datoteke v %s", "Select or drop files" : "Izberi ali povleci datoteke", "Uploading files…" : "Nalaganje datotek...", diff --git a/apps/files_sharing/l10n/sl.json b/apps/files_sharing/l10n/sl.json index af8d74d4afcc1..a367bb57be0f1 100644 --- a/apps/files_sharing/l10n/sl.json +++ b/apps/files_sharing/l10n/sl.json @@ -9,8 +9,16 @@ "No shared links" : "Ni povezav za souporabo", "Files and folders you share by link will show up here" : "Datoteke in mape, ki ste jih označili za souporabo prek povezave, bodo zbrane na tem mestu.", "You can upload into this folder" : "V to mapo je dovoljeno poslati datoteke", + "Invalid server URL" : "Neveljaven URL strežnika", + "Share" : "Souporaba", + "No expiration date set" : "Datum poteka ni določen", "Shared by" : "V souporabi z", "Sharing" : "Souporaba", + "Downloaded via public link" : "Prejeto preko javne povezave", + "Removed public link" : "Javno povezava je odstranjena", + "Public link expired" : "Javna povezava je potekla", + "A file or folder was shared from another server" : "Souporaba datoteke ali mape z drugega strežnika je omogočena.", + "A file or folder has been shared" : "Za datoteko ali mapo je omogočena souporaba.", "Wrong share ID, share doesn't exist" : "Napačen ID mesta uporabe; mesto ne obstaja!", "Could not delete share" : "Tega predmeta v souporabi ni mogoče izbrisati.", "Please specify a file or folder path" : "Določiti je treba datoteko ali pot do mape", @@ -29,49 +37,6 @@ "Wrong or no update parameter given" : "Parameter posodobitve ni podan ali pa je navedena napačna vrednost", "Can't change permissions for public share links" : "Za javne povezave souporabe, spreminjanje dovoljenj ni mogoče.", "Cannot increase permissions" : "Ni mogoče povišati dovoljenj", - "A file or folder has been shared" : "Za datoteko ali mapo je omogočena souporaba.", - "A file or folder was shared from another server" : "Souporaba datoteke ali mape z drugega strežnika je omogočena.", - "A public shared file or folder was downloaded" : "Mapa ali datoteka v souporabi je bila prejeta.", - "You received a new remote share %2$s from %1$s" : "Uporabnik %1$s vam je omogočil souporabo mape %2$s", - "You received a new remote share from %s" : "Prejeli ste mapo za oddaljeno souporabo z %s", - "%1$s accepted remote share %2$s" : "Uporabnik %1$s je prejel oddaljeno souporabo %2$s", - "%1$s declined remote share %2$s" : "Uporabnik %1$s je zavrnil souporabo %2$s", - "%1$s unshared %2$s from you" : "Uporabnik %1$s je onemogoči souporabo %2$s z vami", - "Public shared folder %1$s was downloaded" : "Mapa v souporabi %1$s je bila prejeta.", - "Public shared file %1$s was downloaded" : "Datoteka v souporabi %1$s je bila prejeta", - "You shared %1$s with %2$s" : "Omogočili ste souporabo %1$s z uporabnikom %2$s", - "%2$s shared %1$s with %3$s" : "Uporabnik %2$s je omogočil souporabo %1$s z %3$s", - "You removed the share of %2$s for %1$s" : "Odstranili ste mapo v souporabi %2$s za %1$s", - "%2$s removed the share of %3$s for %1$s" : "%2$s umaknil souporabo %3$s za %1$s", - "You shared %1$s with group %2$s" : "Omogočili ste souporabo %1$s s skupino %2$s", - "%2$s shared %1$s with group %3$s" : "%2$s deli %1$s s skupino %3$s", - "You removed the share of group %2$s for %1$s" : "Ukinili ste deljenje s skupino %2$s za %1$s", - "%2$s removed the share of group %3$s for %1$s" : "%2$s ukinil deljenje s skupino %3$s za %1$s", - "%2$s shared %1$s via link" : "%2$s deli %1$s preko povezave", - "You shared %1$s via link" : "Omogočili ste souporabo %1$s preko povezave", - "You removed the public link for %1$s" : "Umaknili ste javno povezavo za %1$s", - "%2$s removed the public link for %1$s" : "%2$s umaknil javno povezavo za %1$s", - "Your public link for %1$s expired" : "Javna povezava za %1$s je časovno potekla!", - "The public link of %2$s for %1$s expired" : "Javna povezava %2$s za %1$s je potekla", - "%2$s shared %1$s with you" : "Uporabnik %2$s je omogočil souporabo %1$s", - "%2$s removed the share for %1$s" : "%2$s je umaknil deljenje za %1$s", - "Downloaded via public link" : "Prejeto preko javne povezave", - "Shared with %2$s" : "V souporabi z %2$s", - "Shared with %3$s by %2$s" : "Souporaba z %3$s in %2$s", - "Removed share for %2$s" : "Odstranitev souporabe za %2$s", - "%2$s removed share for %3$s" : "%2$s je odstranil souporabo za %3$s", - "Shared with group %2$s" : "V souporabi s skupino %2$s", - "Shared with group %3$s by %2$s" : "V souporabi s skupino %3$s in %2$s", - "Removed share of group %2$s" : "Odstranitev souporabe s skupino %2$s", - "%2$s removed share of group %3$s" : "%2$s je odstranil povezavo za skupino %3$s", - "Shared via link by %2$s" : "%2$s je omogočil souporabo prek povezave", - "Shared via public link" : "V souporabi prek javne povezave", - "Removed public link" : "Javno povezava je odstranjena", - "%2$s removed public link" : "%2$s je odstranil javno povezavo", - "Public link expired" : "Javna povezava je potekla", - "Public link of %2$s expired" : "Javna povezava %2$s je potekla", - "Shared by %2$s" : "Souporabo je omogočil uporabnik %2$s", - "Shares" : "Souporaba", "Share API is disabled" : "API za souporabo je izključen", "This share is password-protected" : "To mesto je zaščiteno z geslom.", "The password is wrong. Try again." : "Geslo je napačno. Poskusite znova.", @@ -86,8 +51,8 @@ "sharing is disabled" : "souporaba je onemogočena.", "For more info, please ask the person who sent this link." : "Za več podrobnosti stopite v stik s pošiljateljem te povezave.", "Download" : "Prejmi", - "Download %s" : "Prejmi %s", "Direct link" : "Neposredna povezava", + "Download %s" : "Prejmi %s", "Upload files to %s" : "Naloži datoteke v %s", "Select or drop files" : "Izberi ali povleci datoteke", "Uploading files…" : "Nalaganje datotek...", diff --git a/apps/files_trashbin/l10n/mn.js b/apps/files_trashbin/l10n/mn.js new file mode 100644 index 0000000000000..c35b7e2e784f7 --- /dev/null +++ b/apps/files_trashbin/l10n/mn.js @@ -0,0 +1,14 @@ +OC.L10N.register( + "files_trashbin", + { + "Deleted files" : "Устгасан файлууд", + "Restore" : "Сэргээх", + "Delete" : "Устгах", + "Delete permanently" : "Үүрд устгах", + "Error" : "Алдаа", + "This operation is forbidden" : "Энэ үйлдэл хориотой", + "Select all" : "Бүгдийг сонгох", + "Name" : "Нэр", + "Deleted" : "Устгагдсан" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/files_trashbin/l10n/mn.json b/apps/files_trashbin/l10n/mn.json new file mode 100644 index 0000000000000..e88cd4422407f --- /dev/null +++ b/apps/files_trashbin/l10n/mn.json @@ -0,0 +1,12 @@ +{ "translations": { + "Deleted files" : "Устгасан файлууд", + "Restore" : "Сэргээх", + "Delete" : "Устгах", + "Delete permanently" : "Үүрд устгах", + "Error" : "Алдаа", + "This operation is forbidden" : "Энэ үйлдэл хориотой", + "Select all" : "Бүгдийг сонгох", + "Name" : "Нэр", + "Deleted" : "Устгагдсан" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/files_versions/l10n/ar.js b/apps/files_versions/l10n/ar.js index a4e16f8afdd57..5729bde7b543b 100644 --- a/apps/files_versions/l10n/ar.js +++ b/apps/files_versions/l10n/ar.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "غير قادر على الاستعادة : %s", "Versions" : "الإصدارات", "Failed to revert {file} to revision {timestamp}." : "فشل في استعادة {ملف} لنتقيح {الطابع الزمني}", - "Restore" : "استعادة ", - "More versions..." : "المزيد من الإصدارات", - "No other versions available" : "لا توجد إصدارات أخرى متاحة" + "Restore" : "استعادة " }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/files_versions/l10n/ar.json b/apps/files_versions/l10n/ar.json index e6fc4b88d2f85..0b226adb309c0 100644 --- a/apps/files_versions/l10n/ar.json +++ b/apps/files_versions/l10n/ar.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "غير قادر على الاستعادة : %s", "Versions" : "الإصدارات", "Failed to revert {file} to revision {timestamp}." : "فشل في استعادة {ملف} لنتقيح {الطابع الزمني}", - "Restore" : "استعادة ", - "More versions..." : "المزيد من الإصدارات", - "No other versions available" : "لا توجد إصدارات أخرى متاحة" + "Restore" : "استعادة " },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/az.js b/apps/files_versions/l10n/az.js index 9e5a3500fd1f0..a3c554b463b50 100644 --- a/apps/files_versions/l10n/az.js +++ b/apps/files_versions/l10n/az.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Geri qaytarmaq olmur: %s", "Versions" : "Versiyaları", "Failed to revert {file} to revision {timestamp}." : "{timestamp} yenidən baxılması üçün {file} geri qaytarmaq mümkün olmadı.", - "Restore" : "Geri qaytar", - "More versions..." : "Əlavə versiyalar", - "No other versions available" : "Başqa versiyalar mövcud deyil" + "Restore" : "Geri qaytar" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_versions/l10n/az.json b/apps/files_versions/l10n/az.json index 0780769ee104f..30f539f670b5f 100644 --- a/apps/files_versions/l10n/az.json +++ b/apps/files_versions/l10n/az.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Geri qaytarmaq olmur: %s", "Versions" : "Versiyaları", "Failed to revert {file} to revision {timestamp}." : "{timestamp} yenidən baxılması üçün {file} geri qaytarmaq mümkün olmadı.", - "Restore" : "Geri qaytar", - "More versions..." : "Əlavə versiyalar", - "No other versions available" : "Başqa versiyalar mövcud deyil" + "Restore" : "Geri qaytar" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/bn_BD.js b/apps/files_versions/l10n/bn_BD.js index 28c6e723f7fb3..1893d748c3fcb 100644 --- a/apps/files_versions/l10n/bn_BD.js +++ b/apps/files_versions/l10n/bn_BD.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "ফিরে যাওয়া গেলনা: %s", "Versions" : "সংষ্করন", "Failed to revert {file} to revision {timestamp}." : " {file} সংশোধিত {timestamp} এ ফিরে যেতে ব্যার্থ হলো।", - "Restore" : "ফিরিয়ে দাও", - "More versions..." : "আরো সংষ্করণ....", - "No other versions available" : "আর কোন সংষ্করণ প্রাপ্তব্য নয়" + "Restore" : "ফিরিয়ে দাও" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_versions/l10n/bn_BD.json b/apps/files_versions/l10n/bn_BD.json index 6a24cb0bf487f..3e8dc13cff491 100644 --- a/apps/files_versions/l10n/bn_BD.json +++ b/apps/files_versions/l10n/bn_BD.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "ফিরে যাওয়া গেলনা: %s", "Versions" : "সংষ্করন", "Failed to revert {file} to revision {timestamp}." : " {file} সংশোধিত {timestamp} এ ফিরে যেতে ব্যার্থ হলো।", - "Restore" : "ফিরিয়ে দাও", - "More versions..." : "আরো সংষ্করণ....", - "No other versions available" : "আর কোন সংষ্করণ প্রাপ্তব্য নয়" + "Restore" : "ফিরিয়ে দাও" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/bs.js b/apps/files_versions/l10n/bs.js index 785eb379820dc..34b703f9d71f4 100644 --- a/apps/files_versions/l10n/bs.js +++ b/apps/files_versions/l10n/bs.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Nije moguće vratiti: %s", "Versions" : "Verzije", "Failed to revert {file} to revision {timestamp}." : "Nije uspelo vraćanje {file} na reviziju {timestamp}.", - "Restore" : "Obnovi", - "More versions..." : "Više verzija...", - "No other versions available" : "Druge verzije su nedostupne" + "Restore" : "Obnovi" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/files_versions/l10n/bs.json b/apps/files_versions/l10n/bs.json index a95fe7327ad17..fa7df2592c999 100644 --- a/apps/files_versions/l10n/bs.json +++ b/apps/files_versions/l10n/bs.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Nije moguće vratiti: %s", "Versions" : "Verzije", "Failed to revert {file} to revision {timestamp}." : "Nije uspelo vraćanje {file} na reviziju {timestamp}.", - "Restore" : "Obnovi", - "More versions..." : "Više verzija...", - "No other versions available" : "Druge verzije su nedostupne" + "Restore" : "Obnovi" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/eo.js b/apps/files_versions/l10n/eo.js index aee99fa353bac..cd098fe940e2c 100644 --- a/apps/files_versions/l10n/eo.js +++ b/apps/files_versions/l10n/eo.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Ne eblas malfari: %s", "Versions" : "Versioj", "Failed to revert {file} to revision {timestamp}." : "Malsukcesis returnigo de {file} al la revizio {timestamp}.", - "Restore" : "Restaŭri", - "No versions available" : "Neniu versio disponebla", - "More versions..." : "Pli da versioj..." + "Restore" : "Restaŭri" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_versions/l10n/eo.json b/apps/files_versions/l10n/eo.json index 545a7d5d0bc21..b5682170f593b 100644 --- a/apps/files_versions/l10n/eo.json +++ b/apps/files_versions/l10n/eo.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Ne eblas malfari: %s", "Versions" : "Versioj", "Failed to revert {file} to revision {timestamp}." : "Malsukcesis returnigo de {file} al la revizio {timestamp}.", - "Restore" : "Restaŭri", - "No versions available" : "Neniu versio disponebla", - "More versions..." : "Pli da versioj..." + "Restore" : "Restaŭri" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/fa.js b/apps/files_versions/l10n/fa.js index 89964bd856381..08ad3dd3254d9 100644 --- a/apps/files_versions/l10n/fa.js +++ b/apps/files_versions/l10n/fa.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "بازگردانی امکان ناپذیر است: %s", "Versions" : "نسخه ها", "Failed to revert {file} to revision {timestamp}." : "برگرداندن {file} به نسخه {timestamp} با شکست روبرو شد", - "Restore" : "بازیابی", - "More versions..." : "نسخه های بیشتر", - "No other versions available" : "نسخه ی دیگری در دسترس نیست" + "Restore" : "بازیابی" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/fa.json b/apps/files_versions/l10n/fa.json index 900c4e2469164..f25ecb00445d2 100644 --- a/apps/files_versions/l10n/fa.json +++ b/apps/files_versions/l10n/fa.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "بازگردانی امکان ناپذیر است: %s", "Versions" : "نسخه ها", "Failed to revert {file} to revision {timestamp}." : "برگرداندن {file} به نسخه {timestamp} با شکست روبرو شد", - "Restore" : "بازیابی", - "More versions..." : "نسخه های بیشتر", - "No other versions available" : "نسخه ی دیگری در دسترس نیست" + "Restore" : "بازیابی" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/he.js b/apps/files_versions/l10n/he.js index faa8693c6385c..0003a2fee173b 100644 --- a/apps/files_versions/l10n/he.js +++ b/apps/files_versions/l10n/he.js @@ -5,8 +5,6 @@ OC.L10N.register( "Versions" : "גרסאות", "Failed to revert {file} to revision {timestamp}." : "נכשל אחזור {file} לגרסה {timestamp}.", "_%n byte_::_%n bytes_" : ["%n בייט","%n בייטים"], - "Restore" : "שחזור", - "No versions available" : "אין גרסאות זמינות", - "More versions..." : "גרסאות נוספות..." + "Restore" : "שחזור" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_versions/l10n/he.json b/apps/files_versions/l10n/he.json index 94c24a5289f7c..d7cbb74d8020f 100644 --- a/apps/files_versions/l10n/he.json +++ b/apps/files_versions/l10n/he.json @@ -3,8 +3,6 @@ "Versions" : "גרסאות", "Failed to revert {file} to revision {timestamp}." : "נכשל אחזור {file} לגרסה {timestamp}.", "_%n byte_::_%n bytes_" : ["%n בייט","%n בייטים"], - "Restore" : "שחזור", - "No versions available" : "אין גרסאות זמינות", - "More versions..." : "גרסאות נוספות..." + "Restore" : "שחזור" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/hr.js b/apps/files_versions/l10n/hr.js index ff1c95fe50c20..086c250884808 100644 --- a/apps/files_versions/l10n/hr.js +++ b/apps/files_versions/l10n/hr.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Nije moguće vratiti: %s", "Versions" : "Verzije", "Failed to revert {file} to revision {timestamp}." : "Nije uspelo vraćanje {file} na reviziju {timestamp}.", - "Restore" : "Obnovite", - "More versions..." : "Više verzija...", - "No other versions available" : "Nikakve druge verzije nisu dostupne" + "Restore" : "Obnovite" }, "nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); diff --git a/apps/files_versions/l10n/hr.json b/apps/files_versions/l10n/hr.json index 1683703eede80..5206b0045de2a 100644 --- a/apps/files_versions/l10n/hr.json +++ b/apps/files_versions/l10n/hr.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Nije moguće vratiti: %s", "Versions" : "Verzije", "Failed to revert {file} to revision {timestamp}." : "Nije uspelo vraćanje {file} na reviziju {timestamp}.", - "Restore" : "Obnovite", - "More versions..." : "Više verzija...", - "No other versions available" : "Nikakve druge verzije nisu dostupne" + "Restore" : "Obnovite" },"pluralForm" :"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/id.js b/apps/files_versions/l10n/id.js index 949f32bd6c581..df866b6a28c6d 100644 --- a/apps/files_versions/l10n/id.js +++ b/apps/files_versions/l10n/id.js @@ -5,8 +5,6 @@ OC.L10N.register( "Versions" : "Versi", "Failed to revert {file} to revision {timestamp}." : "Gagal mengembalikan {file} ke revisi {timestamp}.", "_%n byte_::_%n bytes_" : ["%n bytes"], - "Restore" : "Pulihkan", - "No versions available" : "Tidak ada versi yang tersedia", - "More versions..." : "Versi lainnya..." + "Restore" : "Pulihkan" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/id.json b/apps/files_versions/l10n/id.json index ab467bce42137..3ce13ade24a2d 100644 --- a/apps/files_versions/l10n/id.json +++ b/apps/files_versions/l10n/id.json @@ -3,8 +3,6 @@ "Versions" : "Versi", "Failed to revert {file} to revision {timestamp}." : "Gagal mengembalikan {file} ke revisi {timestamp}.", "_%n byte_::_%n bytes_" : ["%n bytes"], - "Restore" : "Pulihkan", - "No versions available" : "Tidak ada versi yang tersedia", - "More versions..." : "Versi lainnya..." + "Restore" : "Pulihkan" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/km.js b/apps/files_versions/l10n/km.js index a544d546281c2..5768960a12bbb 100644 --- a/apps/files_versions/l10n/km.js +++ b/apps/files_versions/l10n/km.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "មិន​អាច​ត្រឡប់៖ %s", "Versions" : "កំណែ", "Failed to revert {file} to revision {timestamp}." : "មិន​អាច​ត្រឡប់ {file} ទៅ​កំណែ​សម្រួល {timestamp} បាន​ទេ។", - "Restore" : "ស្ដារ​មក​វិញ", - "More versions..." : "កំណែ​ច្រើន​ទៀត...", - "No other versions available" : "មិន​មាន​កំណែ​ផ្សេង​ទៀត​ទេ" + "Restore" : "ស្ដារ​មក​វិញ" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/km.json b/apps/files_versions/l10n/km.json index 31f3598faf627..cce4cdb227c39 100644 --- a/apps/files_versions/l10n/km.json +++ b/apps/files_versions/l10n/km.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "មិន​អាច​ត្រឡប់៖ %s", "Versions" : "កំណែ", "Failed to revert {file} to revision {timestamp}." : "មិន​អាច​ត្រឡប់ {file} ទៅ​កំណែ​សម្រួល {timestamp} បាន​ទេ។", - "Restore" : "ស្ដារ​មក​វិញ", - "More versions..." : "កំណែ​ច្រើន​ទៀត...", - "No other versions available" : "មិន​មាន​កំណែ​ផ្សេង​ទៀត​ទេ" + "Restore" : "ស្ដារ​មក​វិញ" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/kn.js b/apps/files_versions/l10n/kn.js index 1bd3ed427202d..181fe6322e2d2 100644 --- a/apps/files_versions/l10n/kn.js +++ b/apps/files_versions/l10n/kn.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "ಹಿಂತಿರುಗಲಾಗಲಿಲ್ಲ: %s", "Versions" : "ಆವೃತ್ತಿಗಳು", "Failed to revert {file} to revision {timestamp}." : "{timestamp} ದ ಪರಿಷ್ಕರಣೆ ಇಂದ {file} ಕಡತವನ್ನು ಹಿಂದಿರುಗಿಸಲು ವಿಫಲವಾಗಿದೆ.", - "Restore" : "ಮರುಸ್ಥಾಪಿಸು", - "More versions..." : "ಇನ್ನಷ್ಟು ಆವೃತ್ತಿಗಳು ...", - "No other versions available" : "ಇನ್ನಿತರೆ ಯಾವುದೇ ಆವೃತ್ತಿಗಳು ಲಭ್ಯವಿಲ್ಲ" + "Restore" : "ಮರುಸ್ಥಾಪಿಸು" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/kn.json b/apps/files_versions/l10n/kn.json index 63dc60590a3bc..56d909779e44e 100644 --- a/apps/files_versions/l10n/kn.json +++ b/apps/files_versions/l10n/kn.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "ಹಿಂತಿರುಗಲಾಗಲಿಲ್ಲ: %s", "Versions" : "ಆವೃತ್ತಿಗಳು", "Failed to revert {file} to revision {timestamp}." : "{timestamp} ದ ಪರಿಷ್ಕರಣೆ ಇಂದ {file} ಕಡತವನ್ನು ಹಿಂದಿರುಗಿಸಲು ವಿಫಲವಾಗಿದೆ.", - "Restore" : "ಮರುಸ್ಥಾಪಿಸು", - "More versions..." : "ಇನ್ನಷ್ಟು ಆವೃತ್ತಿಗಳು ...", - "No other versions available" : "ಇನ್ನಿತರೆ ಯಾವುದೇ ಆವೃತ್ತಿಗಳು ಲಭ್ಯವಿಲ್ಲ" + "Restore" : "ಮರುಸ್ಥಾಪಿಸು" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/lv.js b/apps/files_versions/l10n/lv.js index 1e08296ee330d..ea84b83841d3b 100644 --- a/apps/files_versions/l10n/lv.js +++ b/apps/files_versions/l10n/lv.js @@ -5,8 +5,6 @@ OC.L10N.register( "Versions" : "Versijas", "Failed to revert {file} to revision {timestamp}." : "Neizdevās atjaunot {file} no rediģējuma {timestamp} ", "_%n byte_::_%n bytes_" : ["%n baiti","%n baiti","%n baiti"], - "Restore" : "Atjaunot", - "No versions available" : "Nav versijas", - "More versions..." : "Vairāk versiju..." + "Restore" : "Atjaunot" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/apps/files_versions/l10n/lv.json b/apps/files_versions/l10n/lv.json index 784b2be056bc5..b4a203fbee932 100644 --- a/apps/files_versions/l10n/lv.json +++ b/apps/files_versions/l10n/lv.json @@ -3,8 +3,6 @@ "Versions" : "Versijas", "Failed to revert {file} to revision {timestamp}." : "Neizdevās atjaunot {file} no rediģējuma {timestamp} ", "_%n byte_::_%n bytes_" : ["%n baiti","%n baiti","%n baiti"], - "Restore" : "Atjaunot", - "No versions available" : "Nav versijas", - "More versions..." : "Vairāk versiju..." + "Restore" : "Atjaunot" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/mk.js b/apps/files_versions/l10n/mk.js index b447f8d54f40e..4b1e11115e9e9 100644 --- a/apps/files_versions/l10n/mk.js +++ b/apps/files_versions/l10n/mk.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Не можев да го вратам: %s", "Versions" : "Верзии", "Failed to revert {file} to revision {timestamp}." : "Не успеав да го вратам {file} на ревизијата {timestamp}.", - "Restore" : "Врати", - "More versions..." : "Повеќе верзии...", - "No other versions available" : "Не постојат други верзии" + "Restore" : "Врати" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/files_versions/l10n/mk.json b/apps/files_versions/l10n/mk.json index 74e3d0a096d2b..fd61f962ff3ed 100644 --- a/apps/files_versions/l10n/mk.json +++ b/apps/files_versions/l10n/mk.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Не можев да го вратам: %s", "Versions" : "Верзии", "Failed to revert {file} to revision {timestamp}." : "Не успеав да го вратам {file} на ревизијата {timestamp}.", - "Restore" : "Врати", - "More versions..." : "Повеќе верзии...", - "No other versions available" : "Не постојат други верзии" + "Restore" : "Врати" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/ms_MY.js b/apps/files_versions/l10n/ms_MY.js index 82711624e8458..077f8248c4cab 100644 --- a/apps/files_versions/l10n/ms_MY.js +++ b/apps/files_versions/l10n/ms_MY.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Tidak dapat kembalikan: %s", "Versions" : "Versi", "Failed to revert {file} to revision {timestamp}." : "Gagal kembalikan {file} ke semakan {timestamp}.", - "Restore" : "Pulihkan", - "More versions..." : "Lagi versi...", - "No other versions available" : "Tiada lagi versi lain" + "Restore" : "Pulihkan" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/ms_MY.json b/apps/files_versions/l10n/ms_MY.json index 9d04d87fe250d..7516e526d74e6 100644 --- a/apps/files_versions/l10n/ms_MY.json +++ b/apps/files_versions/l10n/ms_MY.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Tidak dapat kembalikan: %s", "Versions" : "Versi", "Failed to revert {file} to revision {timestamp}." : "Gagal kembalikan {file} ke semakan {timestamp}.", - "Restore" : "Pulihkan", - "More versions..." : "Lagi versi...", - "No other versions available" : "Tiada lagi versi lain" + "Restore" : "Pulihkan" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/nn_NO.js b/apps/files_versions/l10n/nn_NO.js index 877b4a4cd6901..a107f0a811cf1 100644 --- a/apps/files_versions/l10n/nn_NO.js +++ b/apps/files_versions/l10n/nn_NO.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Klarte ikkje å tilbakestilla: %s", "Versions" : "Utgåver", "Failed to revert {file} to revision {timestamp}." : "Klarte ikkje å tilbakestilla {file} til utgåva {timestamp}.", - "Restore" : "Gjenopprett", - "More versions..." : "Fleire utgåver …", - "No other versions available" : "Ingen andre utgåver tilgjengeleg" + "Restore" : "Gjenopprett" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_versions/l10n/nn_NO.json b/apps/files_versions/l10n/nn_NO.json index 8cb02d34d862b..a04c8decc6cab 100644 --- a/apps/files_versions/l10n/nn_NO.json +++ b/apps/files_versions/l10n/nn_NO.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Klarte ikkje å tilbakestilla: %s", "Versions" : "Utgåver", "Failed to revert {file} to revision {timestamp}." : "Klarte ikkje å tilbakestilla {file} til utgåva {timestamp}.", - "Restore" : "Gjenopprett", - "More versions..." : "Fleire utgåver …", - "No other versions available" : "Ingen andre utgåver tilgjengeleg" + "Restore" : "Gjenopprett" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/pt_PT.js b/apps/files_versions/l10n/pt_PT.js index 1fe4b7b51f75d..8ea3634ee1656 100644 --- a/apps/files_versions/l10n/pt_PT.js +++ b/apps/files_versions/l10n/pt_PT.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Não foi possível reverter: %s", "Versions" : "Versões", "Failed to revert {file} to revision {timestamp}." : "Falhou a recuperação do ficheiro {file} para a revisão {timestamp}.", - "Restore" : "Restaurar", - "More versions..." : "Mais versões...", - "No other versions available" : "Não existem versões mais antigas" + "Restore" : "Restaurar" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_versions/l10n/pt_PT.json b/apps/files_versions/l10n/pt_PT.json index f26967f44d132..bcebe2471c81f 100644 --- a/apps/files_versions/l10n/pt_PT.json +++ b/apps/files_versions/l10n/pt_PT.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Não foi possível reverter: %s", "Versions" : "Versões", "Failed to revert {file} to revision {timestamp}." : "Falhou a recuperação do ficheiro {file} para a revisão {timestamp}.", - "Restore" : "Restaurar", - "More versions..." : "Mais versões...", - "No other versions available" : "Não existem versões mais antigas" + "Restore" : "Restaurar" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_versions/l10n/th.js b/apps/files_versions/l10n/th.js index 50175c27d2e58..261bd4cbd4d08 100644 --- a/apps/files_versions/l10n/th.js +++ b/apps/files_versions/l10n/th.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "ไม่สามารถย้อนกลับ: %s", "Versions" : "รุ่น", "Failed to revert {file} to revision {timestamp}." : "{file} ล้มเหลวที่จะย้อนกลับ มีการแก้ไขเมื่อ {timestamp}", - "Restore" : "คืนค่า", - "More versions..." : "รุ่นอื่นๆ ...", - "No other versions available" : "ยังไม่มีรุ่นที่ใหม่กว่า" + "Restore" : "คืนค่า" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/th.json b/apps/files_versions/l10n/th.json index 82f0a05ec6654..cd1f24fd89f1d 100644 --- a/apps/files_versions/l10n/th.json +++ b/apps/files_versions/l10n/th.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "ไม่สามารถย้อนกลับ: %s", "Versions" : "รุ่น", "Failed to revert {file} to revision {timestamp}." : "{file} ล้มเหลวที่จะย้อนกลับ มีการแก้ไขเมื่อ {timestamp}", - "Restore" : "คืนค่า", - "More versions..." : "รุ่นอื่นๆ ...", - "No other versions available" : "ยังไม่มีรุ่นที่ใหม่กว่า" + "Restore" : "คืนค่า" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_versions/l10n/vi.js b/apps/files_versions/l10n/vi.js index e24d005e3d758..b706c9a97be89 100644 --- a/apps/files_versions/l10n/vi.js +++ b/apps/files_versions/l10n/vi.js @@ -4,8 +4,6 @@ OC.L10N.register( "Could not revert: %s" : "Không thể khôi phục: %s", "Versions" : "Phiên bản", "Failed to revert {file} to revision {timestamp}." : "Thất bại khi trở lại {file} khi sử đổi {timestamp}.", - "Restore" : "Khôi phục", - "No versions available" : "Không có phiên bản có sẵn", - "More versions..." : "Nhiều phiên bản ..." + "Restore" : "Khôi phục" }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/vi.json b/apps/files_versions/l10n/vi.json index 874c40cc8be9a..7f9deca4e085e 100644 --- a/apps/files_versions/l10n/vi.json +++ b/apps/files_versions/l10n/vi.json @@ -2,8 +2,6 @@ "Could not revert: %s" : "Không thể khôi phục: %s", "Versions" : "Phiên bản", "Failed to revert {file} to revision {timestamp}." : "Thất bại khi trở lại {file} khi sử đổi {timestamp}.", - "Restore" : "Khôi phục", - "No versions available" : "Không có phiên bản có sẵn", - "More versions..." : "Nhiều phiên bản ..." + "Restore" : "Khôi phục" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/oauth2/l10n/gl.js b/apps/oauth2/l10n/gl.js index 5ca248e1c0e40..2aaff4b52f600 100644 --- a/apps/oauth2/l10n/gl.js +++ b/apps/oauth2/l10n/gl.js @@ -1,13 +1,9 @@ OC.L10N.register( "oauth2", { - "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clientes OAuth 2.0", - "OAuth 2.0 allows external services to request access to your %s." : "OAuth 2.0 permítelle aos servizos externos solicitar acceso ao seu %s.", "Name" : "Nome", - "Redirection URI" : "URI de redireccionamento", "Client Identifier" : "Identificador do cliente", - "Secret" : "Secreto", "Add client" : "Engadir cliente", "Add" : "Engadir" }, diff --git a/apps/oauth2/l10n/gl.json b/apps/oauth2/l10n/gl.json index e26fbbe9330bb..8f3a48034a67a 100644 --- a/apps/oauth2/l10n/gl.json +++ b/apps/oauth2/l10n/gl.json @@ -1,11 +1,7 @@ { "translations": { - "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Clientes OAuth 2.0", - "OAuth 2.0 allows external services to request access to your %s." : "OAuth 2.0 permítelle aos servizos externos solicitar acceso ao seu %s.", "Name" : "Nome", - "Redirection URI" : "URI de redireccionamento", "Client Identifier" : "Identificador do cliente", - "Secret" : "Secreto", "Add client" : "Engadir cliente", "Add" : "Engadir" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/oauth2/l10n/is.js b/apps/oauth2/l10n/is.js index 92ee10c7ae3df..cc060b16adce0 100644 --- a/apps/oauth2/l10n/is.js +++ b/apps/oauth2/l10n/is.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 biðlarar", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 gerir utanaðkomandi þjónustum kleift að biðja um aðgang að %s.", "Name" : "Nafn", diff --git a/apps/oauth2/l10n/is.json b/apps/oauth2/l10n/is.json index 715c2a52e60f1..0729159583e9f 100644 --- a/apps/oauth2/l10n/is.json +++ b/apps/oauth2/l10n/is.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 biðlarar", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 gerir utanaðkomandi þjónustum kleift að biðja um aðgang að %s.", "Name" : "Nafn", diff --git a/apps/oauth2/l10n/nb.js b/apps/oauth2/l10n/nb.js index e88d0bbf65536..00f4914626ea4 100644 --- a/apps/oauth2/l10n/nb.js +++ b/apps/oauth2/l10n/nb.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0-klienter", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 lar eksterne tjenester forespørre tilgang til %s.", "Name" : "Navn", diff --git a/apps/oauth2/l10n/nb.json b/apps/oauth2/l10n/nb.json index b32ec95061828..6ea4e9c859aef 100644 --- a/apps/oauth2/l10n/nb.json +++ b/apps/oauth2/l10n/nb.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0-klienter", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 lar eksterne tjenester forespørre tilgang til %s.", "Name" : "Navn", diff --git a/apps/sharebymail/l10n/et_EE.js b/apps/sharebymail/l10n/et_EE.js new file mode 100644 index 0000000000000..5c43ba96da949 --- /dev/null +++ b/apps/sharebymail/l10n/et_EE.js @@ -0,0 +1,33 @@ +OC.L10N.register( + "sharebymail", + { + "Shared with %1$s" : "Jagatud kasutajatega %1$s", + "Shared with {email}" : "Jagatud aadressile {email}", + "Shared with %1$s by %2$s" : "Jagatud kasutajatega %1$s kasutaja %2$s poolt", + "Shared with {email} by {actor}" : "Jagatud aadressile {email} {actor} poolt", + "Password for mail share sent to %1$s" : "Meiliga jagamise parool saadetud aadressile %1$s", + "Password for mail share sent to {email}" : "Meiliga jagamise parool saadetud aadressile {email}", + "Password for mail share sent to you" : "Meiliga jagamise parool sulle saadetud", + "Password to access %1$s was sent to %2s" : "Parool %1$s ligipääsuks saadeti aadressile %2s", + "Password to access {file} was sent to {email}" : "Parool {file} ligipääsuks saadeti aadressile {email}", + "Password to access %1$s was sent to you" : "Sulle saadeti %1$s ligipääsuparool", + "Password to access {file} was sent to you" : "Sulle saadeti {file} ligipääsuparool", + "Sharing %s failed, this item is already shared with %s" : "%s jagamine ebaõnnestus, see on juba %s jagatud", + "We can't send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Me ei saa sulle automaatselt genereeritud parooli saata. Palun määra korrektne e-posti aadress oma isiklikes sätetes ja proovi uuesti.", + "%s shared »%s« with you" : "%s jagas faili »%s« sinuga", + "%s shared »%s« with you." : "%s jagas faili »%s« sinuga", + "Click the button below to open it." : "Vajuta allolevat nuppu, et see avada.", + "Open »%s«" : "Ava »%s«", + "%s via %s" : "%s üle %s", + "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s jagas sinuga »%s«.\n Sa oleks pidanud juba saama eraldi e-kirja lingiga, mille kaudu sellele ligi pääsed.\n", + "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s jagas sinuga »%s«. Sa oleks pidanud juba saama eraldi e-kirja lingiga, mille kaudu sellele ligi pääsed.", + "Password to access »%s« shared to you by %s" : "Parool »%s« ligipääsuks jagati sinuga %s poolt", + "Password to access »%s«" : "Parool ligipääsuks: %s", + "It is protected with the following password: %s" : "See on kaitstud järgneva parooliga: %s", + "This is the password: %s" : "Parooliks on: %s", + "Could not find share" : "Jagamist ei leitud.", + "Share by mail" : "Jaga e-postiga", + "Send password by mail" : "Saada parool e-postiga", + "Enforce password protection" : "Sunni parooliga kaitsmist" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/sharebymail/l10n/et_EE.json b/apps/sharebymail/l10n/et_EE.json new file mode 100644 index 0000000000000..cec17dcb06aef --- /dev/null +++ b/apps/sharebymail/l10n/et_EE.json @@ -0,0 +1,31 @@ +{ "translations": { + "Shared with %1$s" : "Jagatud kasutajatega %1$s", + "Shared with {email}" : "Jagatud aadressile {email}", + "Shared with %1$s by %2$s" : "Jagatud kasutajatega %1$s kasutaja %2$s poolt", + "Shared with {email} by {actor}" : "Jagatud aadressile {email} {actor} poolt", + "Password for mail share sent to %1$s" : "Meiliga jagamise parool saadetud aadressile %1$s", + "Password for mail share sent to {email}" : "Meiliga jagamise parool saadetud aadressile {email}", + "Password for mail share sent to you" : "Meiliga jagamise parool sulle saadetud", + "Password to access %1$s was sent to %2s" : "Parool %1$s ligipääsuks saadeti aadressile %2s", + "Password to access {file} was sent to {email}" : "Parool {file} ligipääsuks saadeti aadressile {email}", + "Password to access %1$s was sent to you" : "Sulle saadeti %1$s ligipääsuparool", + "Password to access {file} was sent to you" : "Sulle saadeti {file} ligipääsuparool", + "Sharing %s failed, this item is already shared with %s" : "%s jagamine ebaõnnestus, see on juba %s jagatud", + "We can't send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Me ei saa sulle automaatselt genereeritud parooli saata. Palun määra korrektne e-posti aadress oma isiklikes sätetes ja proovi uuesti.", + "%s shared »%s« with you" : "%s jagas faili »%s« sinuga", + "%s shared »%s« with you." : "%s jagas faili »%s« sinuga", + "Click the button below to open it." : "Vajuta allolevat nuppu, et see avada.", + "Open »%s«" : "Ava »%s«", + "%s via %s" : "%s üle %s", + "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s jagas sinuga »%s«.\n Sa oleks pidanud juba saama eraldi e-kirja lingiga, mille kaudu sellele ligi pääsed.\n", + "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s jagas sinuga »%s«. Sa oleks pidanud juba saama eraldi e-kirja lingiga, mille kaudu sellele ligi pääsed.", + "Password to access »%s« shared to you by %s" : "Parool »%s« ligipääsuks jagati sinuga %s poolt", + "Password to access »%s«" : "Parool ligipääsuks: %s", + "It is protected with the following password: %s" : "See on kaitstud järgneva parooliga: %s", + "This is the password: %s" : "Parooliks on: %s", + "Could not find share" : "Jagamist ei leitud.", + "Share by mail" : "Jaga e-postiga", + "Send password by mail" : "Saada parool e-postiga", + "Enforce password protection" : "Sunni parooliga kaitsmist" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/sharebymail/l10n/fi.js b/apps/sharebymail/l10n/fi.js index 76ce2b3eed20a..e049dad961867 100644 --- a/apps/sharebymail/l10n/fi.js +++ b/apps/sharebymail/l10n/fi.js @@ -5,25 +5,26 @@ OC.L10N.register( "Shared with {email}" : "Jaettu käyttäjälle {email}", "Shared with %1$s by %2$s" : "Jaettu käyttäjälle %1$s käyttäjältä %2$s", "Shared with {email} by {actor}" : "Jaettu käyttäjälle {email} käyttäjältä {actor}", - "You shared %1$s with %2$s by mail" : "Jaoit kohteen %1$s käyttäjälle %2$s sähköpostitse", - "You shared {file} with {email} by mail" : "Jaoit kohteen {file} käyttäjälle {email} sähköpostitse", - "%3$s shared %1$s with %2$s by mail" : "%3$s jakoi kohteen %1$s käyttäjälle %2$s sähköpostitse", - "{actor} shared {file} with {email} by mail" : "{actor} jakoi kohteen {file} käyttäjälle {email} sähköpostitse", + "You shared %1$s with %2$s by mail" : "Jaoit tiedoston %1$s sähköpostitse osoitteeseen %2$s", + "You shared {file} with {email} by mail" : "Jaoit tiedoston {file} sähköpostitse osoitteeseen {email}", + "%3$s shared %1$s with %2$s by mail" : "%3$s jakoi tiedoston %1$s sähköpostitse osoitteeseen %2$s", + "{actor} shared {file} with {email} by mail" : "{actor} jakoi tiedoston {file} sähköpostitse osoitteeseen {email}", + "Password to access {file} was sent to you" : "Salasana tiedoston {file} käyttämiseksi lähetettiin sinulle", "Sharing %s failed, this item is already shared with %s" : "Kohteen %s jakaminen epäonnistui, koska se on jo jaettu käyttäjälle %s", - "Failed to send share by E-mail" : "Jaon lähettäminen sähköpostitse epäonnistui", + "Failed to send share by email" : "Jaon lähettäminen sähköpostitse epäonnistui", "%s shared »%s« with you" : "%s jakoi kohteen »%s« kanssasi", - "%s shared »%s« with you on behalf of %s" : "%s jakoi kohteen »%s« kanssasi käyttäjän %s puolesta", - "Failed to create the E-mail" : "Sähköpostiosoitteen luonti epäonnistui", + "%s shared »%s« with you." : "%s jakoi kohteen »%s« kanssasi.", + "Click the button below to open it." : "Klikkaa alla olevaa linkkiä avataksesi sen.", + "Open »%s«" : "Avaa »%s«", + "%s via %s" : "%s (palvelun %s kautta)", + "It is protected with the following password: %s" : "Se on suojattu seuraavalla salasanalla: %s", + "This is the password: %s" : "Tämä on salasana: %s", + "You can choose a different password at any time in the share dialog." : "Voit valita muun salasanan koska tahansa jakovalikossa.", "Could not find share" : "Jakoa ei löytynyt", - "Hey there,\n\n%s shared »%s« with you on behalf of %s.\n\n%s\n\n" : "Hei,\n\n%s jakoi kohteen »%s« kanssasi käyttäjän %s puolesta.\n\n%s\n\n", - "Hey there,\n\n%s shared »%s« with you.\n\n%s\n\n" : "Hei,\n\n%s jakoi kohteen »%s« kanssasi.\n\n%s\n\n", - "Cheers!" : "Kiitos!", - "Hey there,\n\n%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n\nIt is protected with the following password: %s\n\n" : "Hei,\n\n%s jakoi kohteen »%s« kanssasi.\nSinulla pitäisi olla erillinen sähköpostiviesti, joka sisältää linkin siihen.\n\nSe on suojattu salasanalla: %s\n\n", - "Hey there,

%s shared %s with you on behalf of %s.

" : "Hei,

%s jakoi kohteen %s kanssasi käyttäjän %s puolesta.

", - "Hey there,

%s shared %s with you.

" : "Hei,

%s jakoi kohteen %s kanssasi.

", - "Hey there,

%s shared %s with you.
You should have already received a separate mail with a link to access it.

It is protected with the following password: %s

" : "Hei,

%s jakoi kohteen %s kanssasi.
Sinulla pitäisi olla erillinen sähköpostiviesti, joka sisältää linkin siihen.

Se on suojattu salasanalla: %s

", "Share by mail" : "Jaa sähköpostitse", - "Send a personalized link to a file or folder by mail." : "Lähetä personoitu linkki tiedostoon tai kansioon sähköpostitse.", - "Send password by mail" : "Lähetä salasana sähköpostitse" + "Allows users to share a personalized link to a file or folder by putting in an email address." : "Salli käyttäjien jakaa personoitu linkki tiedostoon tai kansioon syöttämällä sähköpostiosoitteen.", + "Send password by mail" : "Lähetä salasana sähköpostitse", + "Enforce password protection" : "Pakota salasanasuojaus", + "Failed to send share by E-mail" : "Jaon lähettäminen sähköpostitse epäonnistui" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/sharebymail/l10n/fi.json b/apps/sharebymail/l10n/fi.json index fd11319129987..d39caea52d893 100644 --- a/apps/sharebymail/l10n/fi.json +++ b/apps/sharebymail/l10n/fi.json @@ -3,25 +3,26 @@ "Shared with {email}" : "Jaettu käyttäjälle {email}", "Shared with %1$s by %2$s" : "Jaettu käyttäjälle %1$s käyttäjältä %2$s", "Shared with {email} by {actor}" : "Jaettu käyttäjälle {email} käyttäjältä {actor}", - "You shared %1$s with %2$s by mail" : "Jaoit kohteen %1$s käyttäjälle %2$s sähköpostitse", - "You shared {file} with {email} by mail" : "Jaoit kohteen {file} käyttäjälle {email} sähköpostitse", - "%3$s shared %1$s with %2$s by mail" : "%3$s jakoi kohteen %1$s käyttäjälle %2$s sähköpostitse", - "{actor} shared {file} with {email} by mail" : "{actor} jakoi kohteen {file} käyttäjälle {email} sähköpostitse", + "You shared %1$s with %2$s by mail" : "Jaoit tiedoston %1$s sähköpostitse osoitteeseen %2$s", + "You shared {file} with {email} by mail" : "Jaoit tiedoston {file} sähköpostitse osoitteeseen {email}", + "%3$s shared %1$s with %2$s by mail" : "%3$s jakoi tiedoston %1$s sähköpostitse osoitteeseen %2$s", + "{actor} shared {file} with {email} by mail" : "{actor} jakoi tiedoston {file} sähköpostitse osoitteeseen {email}", + "Password to access {file} was sent to you" : "Salasana tiedoston {file} käyttämiseksi lähetettiin sinulle", "Sharing %s failed, this item is already shared with %s" : "Kohteen %s jakaminen epäonnistui, koska se on jo jaettu käyttäjälle %s", - "Failed to send share by E-mail" : "Jaon lähettäminen sähköpostitse epäonnistui", + "Failed to send share by email" : "Jaon lähettäminen sähköpostitse epäonnistui", "%s shared »%s« with you" : "%s jakoi kohteen »%s« kanssasi", - "%s shared »%s« with you on behalf of %s" : "%s jakoi kohteen »%s« kanssasi käyttäjän %s puolesta", - "Failed to create the E-mail" : "Sähköpostiosoitteen luonti epäonnistui", + "%s shared »%s« with you." : "%s jakoi kohteen »%s« kanssasi.", + "Click the button below to open it." : "Klikkaa alla olevaa linkkiä avataksesi sen.", + "Open »%s«" : "Avaa »%s«", + "%s via %s" : "%s (palvelun %s kautta)", + "It is protected with the following password: %s" : "Se on suojattu seuraavalla salasanalla: %s", + "This is the password: %s" : "Tämä on salasana: %s", + "You can choose a different password at any time in the share dialog." : "Voit valita muun salasanan koska tahansa jakovalikossa.", "Could not find share" : "Jakoa ei löytynyt", - "Hey there,\n\n%s shared »%s« with you on behalf of %s.\n\n%s\n\n" : "Hei,\n\n%s jakoi kohteen »%s« kanssasi käyttäjän %s puolesta.\n\n%s\n\n", - "Hey there,\n\n%s shared »%s« with you.\n\n%s\n\n" : "Hei,\n\n%s jakoi kohteen »%s« kanssasi.\n\n%s\n\n", - "Cheers!" : "Kiitos!", - "Hey there,\n\n%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n\nIt is protected with the following password: %s\n\n" : "Hei,\n\n%s jakoi kohteen »%s« kanssasi.\nSinulla pitäisi olla erillinen sähköpostiviesti, joka sisältää linkin siihen.\n\nSe on suojattu salasanalla: %s\n\n", - "Hey there,

%s shared %s with you on behalf of %s.

" : "Hei,

%s jakoi kohteen %s kanssasi käyttäjän %s puolesta.

", - "Hey there,

%s shared %s with you.

" : "Hei,

%s jakoi kohteen %s kanssasi.

", - "Hey there,

%s shared %s with you.
You should have already received a separate mail with a link to access it.

It is protected with the following password: %s

" : "Hei,

%s jakoi kohteen %s kanssasi.
Sinulla pitäisi olla erillinen sähköpostiviesti, joka sisältää linkin siihen.

Se on suojattu salasanalla: %s

", "Share by mail" : "Jaa sähköpostitse", - "Send a personalized link to a file or folder by mail." : "Lähetä personoitu linkki tiedostoon tai kansioon sähköpostitse.", - "Send password by mail" : "Lähetä salasana sähköpostitse" + "Allows users to share a personalized link to a file or folder by putting in an email address." : "Salli käyttäjien jakaa personoitu linkki tiedostoon tai kansioon syöttämällä sähköpostiosoitteen.", + "Send password by mail" : "Lähetä salasana sähköpostitse", + "Enforce password protection" : "Pakota salasanasuojaus", + "Failed to send share by E-mail" : "Jaon lähettäminen sähköpostitse epäonnistui" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/sharebymail/l10n/sk.js b/apps/sharebymail/l10n/sk.js index 3e9594099877d..047c9eb2c3560 100644 --- a/apps/sharebymail/l10n/sk.js +++ b/apps/sharebymail/l10n/sk.js @@ -2,7 +2,7 @@ OC.L10N.register( "sharebymail", { "Shared with %1$s" : "Sprístupnené používateľovi %1$s", - "Shared with {email}" : "Sprístupnené {email}", + "Shared with {email}" : "Sprístupnené pre {email}", "Shared with %1$s by %2$s" : "Sprístupnené používateľovi %1$s používateľom %2$s", "Shared with {email} by {actor}" : "Sprístupnené {email} používateľom {actor}", "You shared %1$s with %2$s by mail" : "Sprístupnili ste %1$s používateľovi %2$s pomocou emailu", @@ -10,15 +10,15 @@ OC.L10N.register( "%3$s shared %1$s with %2$s by mail" : "%3$s sprístupnil %1$s používateľovi %2$s pomocou emailu", "{actor} shared {file} with {email} by mail" : "{actor} sprístupnil {file} používateľovi {email} pomocou emailu", "Sharing %s failed, this item is already shared with %s" : "Sprístupnenie %s zlyhalo, táto položka je už používateľovi %s sprístupnená", - "Failed to send share by E-mail" : "Nebolo možné poslať sprístupnenie emailom", "%s shared »%s« with you" : "%s vám sprístupnil »%s«", - "%s shared »%s« with you on behalf of %s" : "%s vám sprístupnil »%s« menom používateľa %s", - "Failed to create the E-mail" : "Nebolo možné vytvoriť emailovú správu", + "Open »%s«" : "Otvoriť »%s«", + "%s via %s" : "%s cez %s", + "Password to access »%s« shared with %s" : "Heslo pre prístup k »%s« sprístupnené používateľovi %s", + "This is the password: %s" : "Toto je heslo: %s", "Could not find share" : "Nebolo možné nájsť sprístupnenie", - "Hey there,\n\n%s shared »%s« with you on behalf of %s.\n\n%s\n\n" : "Dobrý deň,\n\n%s vám sprístupnil »%s« menom používateľa %s.\n\n%s\n\n", - "Hey there,\n\n%s shared »%s« with you.\n\n%s\n\n" : "Dobrý deň,\n\n%s vám sprístupnil »%s«.\n\n%s\n\n", - "Cheers!" : "Pekný deň!", - "Hey there,

%s shared %s with you on behalf of %s.

" : "Dobrý deň,

%s vám sprístupnil %s menom používateľa %s.

", - "Hey there,

%s shared %s with you.

" : "Dobrý deň,

%s vám sprístupnil %s.

" + "Share by mail" : "Sprístupniť e-mailom", + "Send password by mail" : "Odoslať heslo e-mailom", + "Enforce password protection" : "Vynútiť ochranu heslom", + "Failed to send share by E-mail" : "Nebolo možné poslať sprístupnenie emailom" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/sharebymail/l10n/sk.json b/apps/sharebymail/l10n/sk.json index a0f6d257813f8..2350b994ced0d 100644 --- a/apps/sharebymail/l10n/sk.json +++ b/apps/sharebymail/l10n/sk.json @@ -1,6 +1,6 @@ { "translations": { "Shared with %1$s" : "Sprístupnené používateľovi %1$s", - "Shared with {email}" : "Sprístupnené {email}", + "Shared with {email}" : "Sprístupnené pre {email}", "Shared with %1$s by %2$s" : "Sprístupnené používateľovi %1$s používateľom %2$s", "Shared with {email} by {actor}" : "Sprístupnené {email} používateľom {actor}", "You shared %1$s with %2$s by mail" : "Sprístupnili ste %1$s používateľovi %2$s pomocou emailu", @@ -8,15 +8,15 @@ "%3$s shared %1$s with %2$s by mail" : "%3$s sprístupnil %1$s používateľovi %2$s pomocou emailu", "{actor} shared {file} with {email} by mail" : "{actor} sprístupnil {file} používateľovi {email} pomocou emailu", "Sharing %s failed, this item is already shared with %s" : "Sprístupnenie %s zlyhalo, táto položka je už používateľovi %s sprístupnená", - "Failed to send share by E-mail" : "Nebolo možné poslať sprístupnenie emailom", "%s shared »%s« with you" : "%s vám sprístupnil »%s«", - "%s shared »%s« with you on behalf of %s" : "%s vám sprístupnil »%s« menom používateľa %s", - "Failed to create the E-mail" : "Nebolo možné vytvoriť emailovú správu", + "Open »%s«" : "Otvoriť »%s«", + "%s via %s" : "%s cez %s", + "Password to access »%s« shared with %s" : "Heslo pre prístup k »%s« sprístupnené používateľovi %s", + "This is the password: %s" : "Toto je heslo: %s", "Could not find share" : "Nebolo možné nájsť sprístupnenie", - "Hey there,\n\n%s shared »%s« with you on behalf of %s.\n\n%s\n\n" : "Dobrý deň,\n\n%s vám sprístupnil »%s« menom používateľa %s.\n\n%s\n\n", - "Hey there,\n\n%s shared »%s« with you.\n\n%s\n\n" : "Dobrý deň,\n\n%s vám sprístupnil »%s«.\n\n%s\n\n", - "Cheers!" : "Pekný deň!", - "Hey there,

%s shared %s with you on behalf of %s.

" : "Dobrý deň,

%s vám sprístupnil %s menom používateľa %s.

", - "Hey there,

%s shared %s with you.

" : "Dobrý deň,

%s vám sprístupnil %s.

" + "Share by mail" : "Sprístupniť e-mailom", + "Send password by mail" : "Odoslať heslo e-mailom", + "Enforce password protection" : "Vynútiť ochranu heslom", + "Failed to send share by E-mail" : "Nebolo možné poslať sprístupnenie emailom" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/theming/l10n/ar.js b/apps/theming/l10n/ar.js index c88b7be872d37..fb3c083e51a3a 100644 --- a/apps/theming/l10n/ar.js +++ b/apps/theming/l10n/ar.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "صورة الدخول", "Upload new login background" : "تحميل خلفية جديدة للدخول", "Remove background image" : "إزالة صورة الخلفية", - "reset to default" : "إلغاء كل التغييرات", - "Log in image" : "صورة الدخول" + "reset to default" : "إلغاء كل التغييرات" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/apps/theming/l10n/ar.json b/apps/theming/l10n/ar.json index bd7aca38418e5..940cdb418ba10 100644 --- a/apps/theming/l10n/ar.json +++ b/apps/theming/l10n/ar.json @@ -23,7 +23,6 @@ "Login image" : "صورة الدخول", "Upload new login background" : "تحميل خلفية جديدة للدخول", "Remove background image" : "إزالة صورة الخلفية", - "reset to default" : "إلغاء كل التغييرات", - "Log in image" : "صورة الدخول" + "reset to default" : "إلغاء كل التغييرات" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" } \ No newline at end of file diff --git a/apps/theming/l10n/ast.js b/apps/theming/l10n/ast.js index c0f77789ae5e0..7d205db32a002 100644 --- a/apps/theming/l10n/ast.js +++ b/apps/theming/l10n/ast.js @@ -21,7 +21,6 @@ OC.L10N.register( "Login image" : "Imaxe d'aniciu de sesión", "Upload new login background" : "Xubir fondu nuevu d'aniciu de sesión", "Remove background image" : "Desaniciar imaxe de fondu", - "reset to default" : "reafitar", - "Log in image" : "Imaxe d'aniciu de sesión" + "reset to default" : "reafitar" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/ast.json b/apps/theming/l10n/ast.json index 212247841bb54..e6a8a2e718ae4 100644 --- a/apps/theming/l10n/ast.json +++ b/apps/theming/l10n/ast.json @@ -19,7 +19,6 @@ "Login image" : "Imaxe d'aniciu de sesión", "Upload new login background" : "Xubir fondu nuevu d'aniciu de sesión", "Remove background image" : "Desaniciar imaxe de fondu", - "reset to default" : "reafitar", - "Log in image" : "Imaxe d'aniciu de sesión" + "reset to default" : "reafitar" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/theming/l10n/bg.js b/apps/theming/l10n/bg.js index ddcc3d16e3483..76300d63cea62 100644 --- a/apps/theming/l10n/bg.js +++ b/apps/theming/l10n/bg.js @@ -21,7 +21,6 @@ OC.L10N.register( "Upload new logo" : "Качване на ново лого", "Login image" : "Изображение при вписване", "Upload new login background" : "Качване на нов фон за входа", - "reset to default" : "възстановяване към стандартни", - "Log in image" : "Изображение при вписване" + "reset to default" : "възстановяване към стандартни" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/bg.json b/apps/theming/l10n/bg.json index 4978243f4f64c..e6f21eb7f703e 100644 --- a/apps/theming/l10n/bg.json +++ b/apps/theming/l10n/bg.json @@ -19,7 +19,6 @@ "Upload new logo" : "Качване на ново лого", "Login image" : "Изображение при вписване", "Upload new login background" : "Качване на нов фон за входа", - "reset to default" : "възстановяване към стандартни", - "Log in image" : "Изображение при вписване" + "reset to default" : "възстановяване към стандартни" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/theming/l10n/ca.js b/apps/theming/l10n/ca.js index ae523acb2b1ea..878056036b72e 100644 --- a/apps/theming/l10n/ca.js +++ b/apps/theming/l10n/ca.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Login logo", "Upload new login background" : "Carregar nou fons d'inici de sessió", "Remove background image" : "Elimina la imatge de fons", - "reset to default" : "restablir a configuració predeterminada", - "Log in image" : "Imatge d'entrada" + "reset to default" : "restablir a configuració predeterminada" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/ca.json b/apps/theming/l10n/ca.json index 794bf8ba05c16..6036d885f2ede 100644 --- a/apps/theming/l10n/ca.json +++ b/apps/theming/l10n/ca.json @@ -23,7 +23,6 @@ "Login image" : "Login logo", "Upload new login background" : "Carregar nou fons d'inici de sessió", "Remove background image" : "Elimina la imatge de fons", - "reset to default" : "restablir a configuració predeterminada", - "Log in image" : "Imatge d'entrada" + "reset to default" : "restablir a configuració predeterminada" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/theming/l10n/es_AR.js b/apps/theming/l10n/es_AR.js index 5e92199f17769..4d13f6062bdb9 100644 --- a/apps/theming/l10n/es_AR.js +++ b/apps/theming/l10n/es_AR.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Imágen de inicio de sesión", "Upload new login background" : "Cargar nueva imagen de fondo para inicio de sesión", "Remove background image" : "Eliminar imagen de fondo", - "reset to default" : "restaurar a predeterminado", - "Log in image" : "Imagen de inicio de sesión" + "reset to default" : "restaurar a predeterminado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/es_AR.json b/apps/theming/l10n/es_AR.json index 8ea9de1e3e8e8..eddb55bef38f8 100644 --- a/apps/theming/l10n/es_AR.json +++ b/apps/theming/l10n/es_AR.json @@ -23,7 +23,6 @@ "Login image" : "Imágen de inicio de sesión", "Upload new login background" : "Cargar nueva imagen de fondo para inicio de sesión", "Remove background image" : "Eliminar imagen de fondo", - "reset to default" : "restaurar a predeterminado", - "Log in image" : "Imagen de inicio de sesión" + "reset to default" : "restaurar a predeterminado" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/theming/l10n/id.js b/apps/theming/l10n/id.js index fa6086692d6fe..58402f5b19de2 100644 --- a/apps/theming/l10n/id.js +++ b/apps/theming/l10n/id.js @@ -12,13 +12,13 @@ OC.L10N.register( "You are already using a custom theme" : "Anda telah siap menggunakan Tema Kustom", "Theming" : "Tema", "Name" : "Nama", - "reset to default" : "Atur ulang ke awal", "Web address" : "Alamat Web", "Web address https://…" : "Alamat Web https://...", "Slogan" : "Slogan", "Color" : "Warna", "Logo" : "Logo", "Upload new logo" : "Unggah Logo baru", - "Login image" : "Gambar ketika masuk" + "Login image" : "Gambar ketika masuk", + "reset to default" : "Atur ulang ke awal" }, "nplurals=1; plural=0;"); diff --git a/apps/theming/l10n/id.json b/apps/theming/l10n/id.json index 65a83d56942b7..15bebb7a13eed 100644 --- a/apps/theming/l10n/id.json +++ b/apps/theming/l10n/id.json @@ -10,13 +10,13 @@ "You are already using a custom theme" : "Anda telah siap menggunakan Tema Kustom", "Theming" : "Tema", "Name" : "Nama", - "reset to default" : "Atur ulang ke awal", "Web address" : "Alamat Web", "Web address https://…" : "Alamat Web https://...", "Slogan" : "Slogan", "Color" : "Warna", "Logo" : "Logo", "Upload new logo" : "Unggah Logo baru", - "Login image" : "Gambar ketika masuk" + "Login image" : "Gambar ketika masuk", + "reset to default" : "Atur ulang ke awal" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/theming/l10n/is.js b/apps/theming/l10n/is.js index bd5edb7d9a3ad..7554d0c6f3ed8 100644 --- a/apps/theming/l10n/is.js +++ b/apps/theming/l10n/is.js @@ -33,6 +33,7 @@ OC.L10N.register( "Login image" : "Innskráningarmynd", "Upload new login background" : "Senda inn nýjan bakgrunn innskráningar", "Remove background image" : "Fjarlægja bakgrunnsmynd", + "Install the Imagemagick PHP extension with support for SVG images to automatically generate favicons based on the uploaded logo and color." : "Settu inn Imagemagick PHP forritsviðaukann með stuðningi við SVG-myndir til að útbúa sjálfvirkt veftáknmyndir byggðar á innsendu táknmerki og lit.", "reset to default" : "endurstilla á sjálfgefið" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/theming/l10n/is.json b/apps/theming/l10n/is.json index c2b83e275960c..a1202523829a3 100644 --- a/apps/theming/l10n/is.json +++ b/apps/theming/l10n/is.json @@ -31,6 +31,7 @@ "Login image" : "Innskráningarmynd", "Upload new login background" : "Senda inn nýjan bakgrunn innskráningar", "Remove background image" : "Fjarlægja bakgrunnsmynd", + "Install the Imagemagick PHP extension with support for SVG images to automatically generate favicons based on the uploaded logo and color." : "Settu inn Imagemagick PHP forritsviðaukann með stuðningi við SVG-myndir til að útbúa sjálfvirkt veftáknmyndir byggðar á innsendu táknmerki og lit.", "reset to default" : "endurstilla á sjálfgefið" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/theming/l10n/lt_LT.js b/apps/theming/l10n/lt_LT.js index d8581bc5e214c..7208e111c4f36 100644 --- a/apps/theming/l10n/lt_LT.js +++ b/apps/theming/l10n/lt_LT.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Prisijungimo paveikslas", "Upload new login background" : "Įkelti naują prisijungimo foną", "Remove background image" : "Šalinti foninį paveikslą", - "reset to default" : "atstatyta į numatytąją", - "Log in image" : "Prisijungimo vaizdas" + "reset to default" : "atstatyta į numatytąją" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/theming/l10n/lt_LT.json b/apps/theming/l10n/lt_LT.json index 9846520b86ed2..4d858cfe66d06 100644 --- a/apps/theming/l10n/lt_LT.json +++ b/apps/theming/l10n/lt_LT.json @@ -23,7 +23,6 @@ "Login image" : "Prisijungimo paveikslas", "Upload new login background" : "Įkelti naują prisijungimo foną", "Remove background image" : "Šalinti foninį paveikslą", - "reset to default" : "atstatyta į numatytąją", - "Log in image" : "Prisijungimo vaizdas" + "reset to default" : "atstatyta į numatytąją" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/theming/l10n/lv.js b/apps/theming/l10n/lv.js index e579c6338f9de..474c584bd53db 100644 --- a/apps/theming/l10n/lv.js +++ b/apps/theming/l10n/lv.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Pieslēgšanās fona attēls", "Upload new login background" : "Augšupielādēt jaunu pieslēgšanās fona attēlu", "Remove background image" : "Noņemt fona attēlu", - "reset to default" : "Atiestatīt", - "Log in image" : "Pieslēgšanas fona attēls" + "reset to default" : "Atiestatīt" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/apps/theming/l10n/lv.json b/apps/theming/l10n/lv.json index 6c0bbaa90a8c6..2b38f8b5d5deb 100644 --- a/apps/theming/l10n/lv.json +++ b/apps/theming/l10n/lv.json @@ -23,7 +23,6 @@ "Login image" : "Pieslēgšanās fona attēls", "Upload new login background" : "Augšupielādēt jaunu pieslēgšanās fona attēlu", "Remove background image" : "Noņemt fona attēlu", - "reset to default" : "Atiestatīt", - "Log in image" : "Pieslēgšanas fona attēls" + "reset to default" : "Atiestatīt" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/apps/theming/l10n/mn.js b/apps/theming/l10n/mn.js index 01cae027e6b98..c250147dec157 100644 --- a/apps/theming/l10n/mn.js +++ b/apps/theming/l10n/mn.js @@ -24,7 +24,6 @@ OC.L10N.register( "Login image" : "Нэвтрэх зураг", "Upload new login background" : "Нэвтрэх ханын зураг байршуулах", "Remove background image" : "Ханын зургийг хасах", - "reset to default" : "анхныхаар сэргээх", - "Log in image" : "Нэвтрэх зураг" + "reset to default" : "анхныхаар сэргээх" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/mn.json b/apps/theming/l10n/mn.json index eb21a08a7c09c..e2a8438b43c98 100644 --- a/apps/theming/l10n/mn.json +++ b/apps/theming/l10n/mn.json @@ -22,7 +22,6 @@ "Login image" : "Нэвтрэх зураг", "Upload new login background" : "Нэвтрэх ханын зураг байршуулах", "Remove background image" : "Ханын зургийг хасах", - "reset to default" : "анхныхаар сэргээх", - "Log in image" : "Нэвтрэх зураг" + "reset to default" : "анхныхаар сэргээх" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/theming/l10n/sl.js b/apps/theming/l10n/sl.js index bd82b2beab28f..e18087c5644cf 100644 --- a/apps/theming/l10n/sl.js +++ b/apps/theming/l10n/sl.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Slika ob prijavi", "Upload new login background" : "Naloži novo ozadje za prijavo", "Remove background image" : "Odstrani sliko ozadja", - "reset to default" : "ponastavi na privzeto", - "Log in image" : "Slika ob prijavi" + "reset to default" : "ponastavi na privzeto" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/theming/l10n/sl.json b/apps/theming/l10n/sl.json index 82dd83eb5fde2..1c18ff196e887 100644 --- a/apps/theming/l10n/sl.json +++ b/apps/theming/l10n/sl.json @@ -23,7 +23,6 @@ "Login image" : "Slika ob prijavi", "Upload new login background" : "Naloži novo ozadje za prijavo", "Remove background image" : "Odstrani sliko ozadja", - "reset to default" : "ponastavi na privzeto", - "Log in image" : "Slika ob prijavi" + "reset to default" : "ponastavi na privzeto" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/apps/theming/l10n/sq.js b/apps/theming/l10n/sq.js index a8bb7640d2fd5..02d6833bb1719 100644 --- a/apps/theming/l10n/sq.js +++ b/apps/theming/l10n/sq.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Imazhi i hyrjes", "Upload new login background" : "Ngarko background të ri hyrjeje", "Remove background image" : "Hiqni imazhin në sfond", - "reset to default" : "rivendos tek të paracaktuarat", - "Log in image" : "Imazhi i identifikimit" + "reset to default" : "rivendos tek të paracaktuarat" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/sq.json b/apps/theming/l10n/sq.json index be6b236c56fa3..cc731d84ef7bb 100644 --- a/apps/theming/l10n/sq.json +++ b/apps/theming/l10n/sq.json @@ -23,7 +23,6 @@ "Login image" : "Imazhi i hyrjes", "Upload new login background" : "Ngarko background të ri hyrjeje", "Remove background image" : "Hiqni imazhin në sfond", - "reset to default" : "rivendos tek të paracaktuarat", - "Log in image" : "Imazhi i identifikimit" + "reset to default" : "rivendos tek të paracaktuarat" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/theming/l10n/vi.js b/apps/theming/l10n/vi.js index de28f75ab6d1f..ca8fc05e3d490 100644 --- a/apps/theming/l10n/vi.js +++ b/apps/theming/l10n/vi.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "Hình ảnh trang đăng nhập", "Upload new login background" : "Tải lên ảnh nền trang đăng nhập mới", "Remove background image" : "Xóa bỏ ảnh nền", - "reset to default" : "đặt lại về mặc định", - "Log in image" : "Ảnh đăng nhập" + "reset to default" : "đặt lại về mặc định" }, "nplurals=1; plural=0;"); diff --git a/apps/theming/l10n/vi.json b/apps/theming/l10n/vi.json index 10e069b0a611d..42134d7655187 100644 --- a/apps/theming/l10n/vi.json +++ b/apps/theming/l10n/vi.json @@ -23,7 +23,6 @@ "Login image" : "Hình ảnh trang đăng nhập", "Upload new login background" : "Tải lên ảnh nền trang đăng nhập mới", "Remove background image" : "Xóa bỏ ảnh nền", - "reset to default" : "đặt lại về mặc định", - "Log in image" : "Ảnh đăng nhập" + "reset to default" : "đặt lại về mặc định" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/theming/l10n/zh_TW.js b/apps/theming/l10n/zh_TW.js index 3a123b98a6188..5472f1ce01865 100644 --- a/apps/theming/l10n/zh_TW.js +++ b/apps/theming/l10n/zh_TW.js @@ -25,7 +25,6 @@ OC.L10N.register( "Login image" : "登入圖片", "Upload new login background" : "上傳新的登入頁背景", "Remove background image" : "移除背景圖片", - "reset to default" : "恢復預設值", - "Log in image" : "登入頁圖片" + "reset to default" : "恢復預設值" }, "nplurals=1; plural=0;"); diff --git a/apps/theming/l10n/zh_TW.json b/apps/theming/l10n/zh_TW.json index 8a957e42ace82..463c23a4813aa 100644 --- a/apps/theming/l10n/zh_TW.json +++ b/apps/theming/l10n/zh_TW.json @@ -23,7 +23,6 @@ "Login image" : "登入圖片", "Upload new login background" : "上傳新的登入頁背景", "Remove background image" : "移除背景圖片", - "reset to default" : "恢復預設值", - "Log in image" : "登入頁圖片" + "reset to default" : "恢復預設值" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/ast.js b/apps/twofactor_backupcodes/l10n/ast.js new file mode 100644 index 0000000000000..9c594ff6ad160 --- /dev/null +++ b/apps/twofactor_backupcodes/l10n/ast.js @@ -0,0 +1,14 @@ +OC.L10N.register( + "twofactor_backupcodes", + { + "Generate backup codes" : "Xenerar códigos de respaldu", + "Backup codes have been generated. {{used}} of {{total}} codes have been used." : "Xeneráronse los códigos de respaldu. Usáronse {{used}} de {{total}} códigos.", + "These are your backup codes. Please save and/or print them as you will not be able to read the codes again later" : "Estos son los códigos de respaldu. Guárdalos y/o impréntalos darréu que nun sedrás a lleelos de nueves más sero", + "Save backup codes" : "Guardar códigos de respaldu", + "Regenerate backup codes" : "Rexenerar códigos de respaldu", + "An error occurred while generating your backup codes" : "Asocedió un fallu entrín se xeneraben los tos códigos de respaldu", + "Nextcloud backup codes" : "Códigos de respaldu de Nextcloud", + "You created two-factor backup codes for your account" : "Creesti códigos de respaldu pa l'autenticación en dos pasos de la to cuenta", + "Use backup code" : "Usar códigu de respaldu" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/ast.json b/apps/twofactor_backupcodes/l10n/ast.json new file mode 100644 index 0000000000000..89c231dfe008e --- /dev/null +++ b/apps/twofactor_backupcodes/l10n/ast.json @@ -0,0 +1,12 @@ +{ "translations": { + "Generate backup codes" : "Xenerar códigos de respaldu", + "Backup codes have been generated. {{used}} of {{total}} codes have been used." : "Xeneráronse los códigos de respaldu. Usáronse {{used}} de {{total}} códigos.", + "These are your backup codes. Please save and/or print them as you will not be able to read the codes again later" : "Estos son los códigos de respaldu. Guárdalos y/o impréntalos darréu que nun sedrás a lleelos de nueves más sero", + "Save backup codes" : "Guardar códigos de respaldu", + "Regenerate backup codes" : "Rexenerar códigos de respaldu", + "An error occurred while generating your backup codes" : "Asocedió un fallu entrín se xeneraben los tos códigos de respaldu", + "Nextcloud backup codes" : "Códigos de respaldu de Nextcloud", + "You created two-factor backup codes for your account" : "Creesti códigos de respaldu pa l'autenticación en dos pasos de la to cuenta", + "Use backup code" : "Usar códigu de respaldu" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/is.js b/apps/twofactor_backupcodes/l10n/is.js index 744f37770b762..2e1dfd92f5db6 100644 --- a/apps/twofactor_backupcodes/l10n/is.js +++ b/apps/twofactor_backupcodes/l10n/is.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Þú útbjóst tveggja-þrepa öryggisafritunarkóða fyrir aðganginn þinn", "Backup code" : "Öryggisafritunarkóði", "Use backup code" : "Nota öryggisafritunarkóða", + "Two factor backup codes" : "Tveggja-þrepa öryggisafritunarkóðar", "Second-factor backup codes" : "Tveggja-þrepa öryggisafritunarkóðar" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/twofactor_backupcodes/l10n/is.json b/apps/twofactor_backupcodes/l10n/is.json index 54934d812378e..77132057dd398 100644 --- a/apps/twofactor_backupcodes/l10n/is.json +++ b/apps/twofactor_backupcodes/l10n/is.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Þú útbjóst tveggja-þrepa öryggisafritunarkóða fyrir aðganginn þinn", "Backup code" : "Öryggisafritunarkóði", "Use backup code" : "Nota öryggisafritunarkóða", + "Two factor backup codes" : "Tveggja-þrepa öryggisafritunarkóðar", "Second-factor backup codes" : "Tveggja-þrepa öryggisafritunarkóðar" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/twofactor_backupcodes/l10n/sl.js b/apps/twofactor_backupcodes/l10n/sl.js new file mode 100644 index 0000000000000..26c64aa9561ad --- /dev/null +++ b/apps/twofactor_backupcodes/l10n/sl.js @@ -0,0 +1,13 @@ +OC.L10N.register( + "twofactor_backupcodes", + { + "Generate backup codes" : "Ustvari rezervne šifre", + "Save backup codes" : "Shrani rezervne šifre", + "Print backup codes" : "Natisni rezervne šifre", + "Regenerate backup codes" : "Osveži rezervne šifre", + "An error occurred while generating your backup codes" : "Zgodila se je napaka med izdelavo revervnih šifer", + "Nextcloud backup codes" : "Nextcloud rezervne šifre", + "Backup code" : "Rezervna šifra", + "Use backup code" : "Uporabi rezervno šifro" +}, +"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/twofactor_backupcodes/l10n/sl.json b/apps/twofactor_backupcodes/l10n/sl.json new file mode 100644 index 0000000000000..fb4b6f656bbc3 --- /dev/null +++ b/apps/twofactor_backupcodes/l10n/sl.json @@ -0,0 +1,11 @@ +{ "translations": { + "Generate backup codes" : "Ustvari rezervne šifre", + "Save backup codes" : "Shrani rezervne šifre", + "Print backup codes" : "Natisni rezervne šifre", + "Regenerate backup codes" : "Osveži rezervne šifre", + "An error occurred while generating your backup codes" : "Zgodila se je napaka med izdelavo revervnih šifer", + "Nextcloud backup codes" : "Nextcloud rezervne šifre", + "Backup code" : "Rezervna šifra", + "Use backup code" : "Uporabi rezervno šifro" +},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" +} \ No newline at end of file diff --git a/apps/updatenotification/l10n/et_EE.js b/apps/updatenotification/l10n/et_EE.js index 0007ee1fd0450..0e62657d65ebf 100644 --- a/apps/updatenotification/l10n/et_EE.js +++ b/apps/updatenotification/l10n/et_EE.js @@ -1,11 +1,21 @@ OC.L10N.register( "updatenotification", { + "Could not start updater, please try the manual update" : "Uuendajat ei saanud käivitad, proovige käsitsi uuendada", "{version} is available. Get more information on how to update." : "{version} on saadaval. Vaata lisainfot uuendamise kohta.", - "Updated channel" : "Uuendatud kanal", - "Updater" : "Uuendaja", + "Update notifications" : "Uuendusmärguanded", + "Channel updated" : "Kanal värskendatud", + "Update to %1$s is available." : "Uuendus versioonile %1$s on saadaval.", + "Update for %1$s to version %2$s is available." : "Uuendus versioonilt %1$s versioonile %2$s on saadaval.", + "Update for {app} to version %s is available." : "Uuendus {app} versioonile %s on saadaval.", "A new version is available: %s" : "Saadaval on uus versioon: %s", "Open updater" : "Ava uuendaja", - "Update channel:" : "Uuenduste kanal:" + "Download now" : "Lae kohe alla", + "The update check is not yet finished. Please refresh the page." : "Uuenduste kontrollimine pole veel lõppenud. Palun värskendage lehte.", + "Your version is up to date." : "Su versioon on ajakohane.", + "Checked on %s" : "Kontrollitud %s", + "Update channel:" : "Uuenduste kanal:", + "Notify members of the following groups about available updates:" : "Teavita jägmiste gruppide liikmeid saadaval olevatest uuendustest:", + "Only notification for app updates are available." : "Saadaval on ainult rakenduste uuenduste kohta käivad teated." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/updatenotification/l10n/et_EE.json b/apps/updatenotification/l10n/et_EE.json index 64003ef590144..bd8c9d5213b19 100644 --- a/apps/updatenotification/l10n/et_EE.json +++ b/apps/updatenotification/l10n/et_EE.json @@ -1,9 +1,19 @@ { "translations": { + "Could not start updater, please try the manual update" : "Uuendajat ei saanud käivitad, proovige käsitsi uuendada", "{version} is available. Get more information on how to update." : "{version} on saadaval. Vaata lisainfot uuendamise kohta.", - "Updated channel" : "Uuendatud kanal", - "Updater" : "Uuendaja", + "Update notifications" : "Uuendusmärguanded", + "Channel updated" : "Kanal värskendatud", + "Update to %1$s is available." : "Uuendus versioonile %1$s on saadaval.", + "Update for %1$s to version %2$s is available." : "Uuendus versioonilt %1$s versioonile %2$s on saadaval.", + "Update for {app} to version %s is available." : "Uuendus {app} versioonile %s on saadaval.", "A new version is available: %s" : "Saadaval on uus versioon: %s", "Open updater" : "Ava uuendaja", - "Update channel:" : "Uuenduste kanal:" + "Download now" : "Lae kohe alla", + "The update check is not yet finished. Please refresh the page." : "Uuenduste kontrollimine pole veel lõppenud. Palun värskendage lehte.", + "Your version is up to date." : "Su versioon on ajakohane.", + "Checked on %s" : "Kontrollitud %s", + "Update channel:" : "Uuenduste kanal:", + "Notify members of the following groups about available updates:" : "Teavita jägmiste gruppide liikmeid saadaval olevatest uuendustest:", + "Only notification for app updates are available." : "Saadaval on ainult rakenduste uuenduste kohta käivad teated." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/updatenotification/l10n/is.js b/apps/updatenotification/l10n/is.js index 51c1de56e8eda..ac5fb4124dce8 100644 --- a/apps/updatenotification/l10n/is.js +++ b/apps/updatenotification/l10n/is.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Uppfærsla fyrir %1$s er tiltæk.", "Update for %1$s to version %2$s is available." : "Uppfærsla %1$s í útgáfu %2$s er tiltæk.", "Update for {app} to version %s is available." : "Uppfærsla fyrir {app} í útgáfu %s er tiltæk.", + "Update notification" : "Tilkynning um uppfærslu", "A new version is available: %s" : "Ný útgáfa er tiltæk: %s", "Open updater" : "Opna uppfærslustýringu", "Download now" : "Sækja núna", diff --git a/apps/updatenotification/l10n/is.json b/apps/updatenotification/l10n/is.json index bb4c7ab83fa9d..ad96c9fce3c74 100644 --- a/apps/updatenotification/l10n/is.json +++ b/apps/updatenotification/l10n/is.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Uppfærsla fyrir %1$s er tiltæk.", "Update for %1$s to version %2$s is available." : "Uppfærsla %1$s í útgáfu %2$s er tiltæk.", "Update for {app} to version %s is available." : "Uppfærsla fyrir {app} í útgáfu %s er tiltæk.", + "Update notification" : "Tilkynning um uppfærslu", "A new version is available: %s" : "Ný útgáfa er tiltæk: %s", "Open updater" : "Opna uppfærslustýringu", "Download now" : "Sækja núna", diff --git a/apps/updatenotification/l10n/sl.js b/apps/updatenotification/l10n/sl.js index 0afc6b007eb66..573cc42b95d88 100644 --- a/apps/updatenotification/l10n/sl.js +++ b/apps/updatenotification/l10n/sl.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Posodobi obvestila", "Could not start updater, please try the manual update" : "Ne morem zagnati samodejne posodobitve, poskusi ročno", "{version} is available. Get more information on how to update." : "Na voljo je nova različica {version}. Na voljo je več podrobnosti o nadgradnji.", + "Update notifications" : "Posodobi obvestila", "Channel updated" : "Kanal posodobljen", "Update to %1$s is available." : "Posodobitev na %1$s je na voljo.", "Update for %1$s to version %2$s is available." : "Posodobitev %1$s na različico %2$s je na voljo.", diff --git a/apps/updatenotification/l10n/sl.json b/apps/updatenotification/l10n/sl.json index e3c9c8741a65c..6aa11aac919cf 100644 --- a/apps/updatenotification/l10n/sl.json +++ b/apps/updatenotification/l10n/sl.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Posodobi obvestila", "Could not start updater, please try the manual update" : "Ne morem zagnati samodejne posodobitve, poskusi ročno", "{version} is available. Get more information on how to update." : "Na voljo je nova različica {version}. Na voljo je več podrobnosti o nadgradnji.", + "Update notifications" : "Posodobi obvestila", "Channel updated" : "Kanal posodobljen", "Update to %1$s is available." : "Posodobitev na %1$s je na voljo.", "Update for %1$s to version %2$s is available." : "Posodobitev %1$s na različico %2$s je na voljo.", diff --git a/apps/updatenotification/l10n/vi.js b/apps/updatenotification/l10n/vi.js index 369dde35f44c0..b3d59cbfd2e91 100644 --- a/apps/updatenotification/l10n/vi.js +++ b/apps/updatenotification/l10n/vi.js @@ -1,9 +1,9 @@ OC.L10N.register( "updatenotification", { - "Update notifications" : "Cập nhật thông báo", "Could not start updater, please try the manual update" : "Không thể bắt đầu cập nhật, vui lòng thử cập nhật thủ công", "{version} is available. Get more information on how to update." : "{version} có sẵn. Tìm hiểu thêm thông tin về cách cập nhật.", + "Update notifications" : "Cập nhật thông báo", "Channel updated" : "Đã cập nhật kênh", "Update to %1$s is available." : "Cập nhật lên %1$s có sẵn.", "Update for %1$s to version %2$s is available." : "Cập nhật %1$s lên phiên bản %2$s có sẵn.", diff --git a/apps/updatenotification/l10n/vi.json b/apps/updatenotification/l10n/vi.json index 709d5347d674f..a21c9bf2ac885 100644 --- a/apps/updatenotification/l10n/vi.json +++ b/apps/updatenotification/l10n/vi.json @@ -1,7 +1,7 @@ { "translations": { - "Update notifications" : "Cập nhật thông báo", "Could not start updater, please try the manual update" : "Không thể bắt đầu cập nhật, vui lòng thử cập nhật thủ công", "{version} is available. Get more information on how to update." : "{version} có sẵn. Tìm hiểu thêm thông tin về cách cập nhật.", + "Update notifications" : "Cập nhật thông báo", "Channel updated" : "Đã cập nhật kênh", "Update to %1$s is available." : "Cập nhật lên %1$s có sẵn.", "Update for %1$s to version %2$s is available." : "Cập nhật %1$s lên phiên bản %2$s có sẵn.", diff --git a/apps/user_ldap/l10n/bg.js b/apps/user_ldap/l10n/bg.js new file mode 100644 index 0000000000000..d620d6e9b287a --- /dev/null +++ b/apps/user_ldap/l10n/bg.js @@ -0,0 +1,102 @@ +OC.L10N.register( + "user_ldap", + { + "Failed to clear the mappings." : "Неуспешно изчистване на mapping-ите.", + "Failed to delete the server configuration" : "Неуспешен опит за изтриване на сървърната конфигурация.", + "No action specified" : "Не е посочено действие", + "No configuration specified" : "Не е посочена конфигурация", + "No data specified" : "Не са посочени данни", + " Could not set configuration %s" : "Неуспешно задаване на конфигруацията %s", + "Action does not exist" : "Действието не съществува", + "Testing configuration…" : "Изпробване на конфигурацията...", + "Configuration incorrect" : "Конфигурацията е грешна", + "Configuration incomplete" : "Конфигурацията не е завършена", + "Configuration OK" : "Конфигурацията е ОК", + "Select groups" : "Избери Групи", + "Select object classes" : "Избери типове обекти", + "Please check the credentials, they seem to be wrong." : "Моля, проверете идентификационните данни, изглежда че са неправилни.", + "Please specify the port, it could not be auto-detected." : "Моля, посочете порт, той не може да бъде автоматично определен.", + "{nthServer}. Server" : "{nthServer}. Сървър", + "Do you really want to delete the current Server Configuration?" : "Наистина ли искаш да изтриеш текущата Сървърна Конфигурация?", + "Confirm Deletion" : "Потвърди Изтриването", + "Select attributes" : "Избери атрибути", + "LDAP / AD integration" : "LDAP / AD интеграция", + "_%s group found_::_%s groups found_" : ["%s открита група","%s открити групи"], + "_%s user found_::_%s users found_" : ["%s октрит потребител","%s октрити потребители"], + "Could not find the desired feature" : "Не е открита желанта функция", + "Invalid Host" : "Невалиден сървър", + "Test Configuration" : "Изпробване на конфигурацията", + "Help" : "Помощ", + "Groups meeting these criteria are available in %s:" : "Групи спазващи тези критерии са разположени в %s:", + "Available groups" : "Налични групи", + "Selected groups" : "Избрани групи", + "LDAP Filter:" : "LDAP филтър:", + "The filter specifies which LDAP groups shall have access to the %s instance." : "Филтърът посочва кои LDAP групи ще имат достъп до %s инсталацията.", + "LDAP / AD Username:" : "LDAP / AD потребител:", + "LDAP / AD Email Address:" : "LDAP / AD имейл адрес:", + "Other Attributes:" : "Други атрибути:", + "Test Loginname" : "Проверка на Потребителско име", + "Verify settings" : "Потвърди настройките", + "1. Server" : "1. Сървър", + "%s. Server:" : "%s. Сървър:", + "Delete the current configuration" : "Изтриване на текущата конфигурация", + "Host" : "Сървър", + "Port" : "Порт", + "Detect Port" : "Открит Port", + "User DN" : "User DN", + "The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." : "DN на потребителят, с който ще стане свързването, пр. uid=agent,dc=example,dc=com. За анонимен достъп, остави DN и Парола празни.", + "Password" : "Парола", + "For anonymous access, leave DN and Password empty." : "За анонимен достъп, остави DN и Парола празни.", + "One Base DN per line" : "По един Base DN на ред", + "You can specify Base DN for users and groups in the Advanced tab" : "Можеш да настроиш Base DN за отделни потребители и групи в разделителя Допълнителни.", + "Avoids automatic LDAP requests. Better for bigger setups, but requires some LDAP knowledge." : "Избягва автоматични LDAP заявки. По-добра опция за големи инсталации, но изисква LDAP познания.", + "Manually enter LDAP filters (recommended for large directories)" : "Ръчно въвеждана на LDAP филтри(препоръчано за по-големи папки)", + "The filter specifies which LDAP users shall have access to the %s instance." : "Филтърът посочва кои LDAP потребители ще имат достъп до %s инсталацията.", + "Saving" : "Записване", + "Back" : "Назад", + "Continue" : "Продължи", + "Server" : "Сървър", + "Users" : "Потребители", + "Groups" : "Групи", + "Expert" : "Експерт", + "Advanced" : "Допълнителни", + "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Предупреждение: PHP LDAP модулът не е инсталиран, сървърът няма да работи. Моля, поискай системният админстратор да го инсталира.", + "Connection Settings" : "Настройки на Връзката", + "Configuration Active" : "Конфигурацията е Активна", + "When unchecked, this configuration will be skipped." : "Когато не е отметнато, тази конфигурация ще бъде прескочена.", + "Give an optional backup host. It must be a replica of the main LDAP/AD server." : "Задай незадължителен резервен сървър. Трябва да бъде реплика на главния LDAP/AD сървър.", + "Disable Main Server" : "Изключи Главиния Сървър", + "Only connect to the replica server." : "Свържи се само с репликирания сървър.", + "Turn off SSL certificate validation." : "Изключи валидацията на SSL сертификата.", + "Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." : "Не е препоръчително! Ползвайте само за тестване. Ако връзката работи само с тази опция, внесете SSL сертификата на LDAP сървъра във вашия %s сървър.", + "Cache Time-To-Live" : "Кеширай Time-To-Live", + "in seconds. A change empties the cache." : "в секунди. Всяка промяна изтрива кеша.", + "Directory Settings" : "Настройки на Директорията", + "The LDAP attribute to use to generate the user's display name." : "LDAP атрибутът, който да бъде използван за генериране на видимото име на потребителя.", + "Base User Tree" : "Base User Tree", + "One User Base DN per line" : "По един User Base DN на ред", + "User Search Attributes" : "Атрибути на Потребителско Търсене", + "Optional; one attribute per line" : "По желание; един атрибут на ред", + "The LDAP attribute to use to generate the groups's display name." : "LDAP атрибутът, който да бъде използван за генерирането на видмото име на групата.", + "Base Group Tree" : "Base Group Tree", + "One Group Base DN per line" : "По един Group Base DN на ред", + "Group Search Attributes" : "Атрибути на Групово Търсене", + "Group-Member association" : "Group-Member асоциация", + "When switched on, groups that contain groups are supported. (Only works if the group member attribute contains DNs.)" : "Когато е включени, се подържат групи в групи. (Работи единствено ако членът на групата притежава атрибута DNs).", + "Paging chunksize" : "Размер на paging-а", + "Chunksize used for paged LDAP searches that may return bulky results like user or group enumeration. (Setting it 0 disables paged LDAP searches in those situations.)" : "Размерът използван за връщането на големи резултати от LDAP търсения като изброяване на потребители или групи. (Стойност 0 изключва paged LDAP търсения в тези ситуации).", + "Special Attributes" : "Специални атрибути", + "Quota Field" : "Поле за Квота", + "Quota Default" : "Детайли на квотата", + "Email Field" : "Поле за имейл", + "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Оставете празно за потребителско име (стандартно). Или посочете LDAP/AD атрибут.", + "Internal Username" : "Вътрешно потребителско име", + "Internal Username Attribute:" : "Атрибут на вътрешното потребителско име:", + "Override UUID detection" : "Промени UUID откриването", + "By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups." : "Обикновено UUID атрибутът ще бъде намерен автоматично. UUID атрибута се използва, за да се идентифицират еднозначно LDAP потребители и групи. Освен това ще бъде генерирано вътрешното име базирано на UUID-то, ако такова не е посочено по-горе. Можете да промените настройката и да използвате атрибут по свой избор. Наложително е атрибутът да бъде уникален както за потребителите така и за групите. Промените ще се отразят само за новодобавени (map-нати) LDAP потребители.", + "UUID Attribute for Users:" : "UUID атрибут за потребителите:", + "UUID Attribute for Groups:" : "UUID атрибут за групите:", + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Предупреждение: Приложенията user_ldap и user_webdavauth са несъвместими. Моля, помолете системния администратор да изключи едно от приложенията." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/user_ldap/l10n/bg.json b/apps/user_ldap/l10n/bg.json new file mode 100644 index 0000000000000..b9e94e8b1be49 --- /dev/null +++ b/apps/user_ldap/l10n/bg.json @@ -0,0 +1,100 @@ +{ "translations": { + "Failed to clear the mappings." : "Неуспешно изчистване на mapping-ите.", + "Failed to delete the server configuration" : "Неуспешен опит за изтриване на сървърната конфигурация.", + "No action specified" : "Не е посочено действие", + "No configuration specified" : "Не е посочена конфигурация", + "No data specified" : "Не са посочени данни", + " Could not set configuration %s" : "Неуспешно задаване на конфигруацията %s", + "Action does not exist" : "Действието не съществува", + "Testing configuration…" : "Изпробване на конфигурацията...", + "Configuration incorrect" : "Конфигурацията е грешна", + "Configuration incomplete" : "Конфигурацията не е завършена", + "Configuration OK" : "Конфигурацията е ОК", + "Select groups" : "Избери Групи", + "Select object classes" : "Избери типове обекти", + "Please check the credentials, they seem to be wrong." : "Моля, проверете идентификационните данни, изглежда че са неправилни.", + "Please specify the port, it could not be auto-detected." : "Моля, посочете порт, той не може да бъде автоматично определен.", + "{nthServer}. Server" : "{nthServer}. Сървър", + "Do you really want to delete the current Server Configuration?" : "Наистина ли искаш да изтриеш текущата Сървърна Конфигурация?", + "Confirm Deletion" : "Потвърди Изтриването", + "Select attributes" : "Избери атрибути", + "LDAP / AD integration" : "LDAP / AD интеграция", + "_%s group found_::_%s groups found_" : ["%s открита група","%s открити групи"], + "_%s user found_::_%s users found_" : ["%s октрит потребител","%s октрити потребители"], + "Could not find the desired feature" : "Не е открита желанта функция", + "Invalid Host" : "Невалиден сървър", + "Test Configuration" : "Изпробване на конфигурацията", + "Help" : "Помощ", + "Groups meeting these criteria are available in %s:" : "Групи спазващи тези критерии са разположени в %s:", + "Available groups" : "Налични групи", + "Selected groups" : "Избрани групи", + "LDAP Filter:" : "LDAP филтър:", + "The filter specifies which LDAP groups shall have access to the %s instance." : "Филтърът посочва кои LDAP групи ще имат достъп до %s инсталацията.", + "LDAP / AD Username:" : "LDAP / AD потребител:", + "LDAP / AD Email Address:" : "LDAP / AD имейл адрес:", + "Other Attributes:" : "Други атрибути:", + "Test Loginname" : "Проверка на Потребителско име", + "Verify settings" : "Потвърди настройките", + "1. Server" : "1. Сървър", + "%s. Server:" : "%s. Сървър:", + "Delete the current configuration" : "Изтриване на текущата конфигурация", + "Host" : "Сървър", + "Port" : "Порт", + "Detect Port" : "Открит Port", + "User DN" : "User DN", + "The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." : "DN на потребителят, с който ще стане свързването, пр. uid=agent,dc=example,dc=com. За анонимен достъп, остави DN и Парола празни.", + "Password" : "Парола", + "For anonymous access, leave DN and Password empty." : "За анонимен достъп, остави DN и Парола празни.", + "One Base DN per line" : "По един Base DN на ред", + "You can specify Base DN for users and groups in the Advanced tab" : "Можеш да настроиш Base DN за отделни потребители и групи в разделителя Допълнителни.", + "Avoids automatic LDAP requests. Better for bigger setups, but requires some LDAP knowledge." : "Избягва автоматични LDAP заявки. По-добра опция за големи инсталации, но изисква LDAP познания.", + "Manually enter LDAP filters (recommended for large directories)" : "Ръчно въвеждана на LDAP филтри(препоръчано за по-големи папки)", + "The filter specifies which LDAP users shall have access to the %s instance." : "Филтърът посочва кои LDAP потребители ще имат достъп до %s инсталацията.", + "Saving" : "Записване", + "Back" : "Назад", + "Continue" : "Продължи", + "Server" : "Сървър", + "Users" : "Потребители", + "Groups" : "Групи", + "Expert" : "Експерт", + "Advanced" : "Допълнителни", + "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Предупреждение: PHP LDAP модулът не е инсталиран, сървърът няма да работи. Моля, поискай системният админстратор да го инсталира.", + "Connection Settings" : "Настройки на Връзката", + "Configuration Active" : "Конфигурацията е Активна", + "When unchecked, this configuration will be skipped." : "Когато не е отметнато, тази конфигурация ще бъде прескочена.", + "Give an optional backup host. It must be a replica of the main LDAP/AD server." : "Задай незадължителен резервен сървър. Трябва да бъде реплика на главния LDAP/AD сървър.", + "Disable Main Server" : "Изключи Главиния Сървър", + "Only connect to the replica server." : "Свържи се само с репликирания сървър.", + "Turn off SSL certificate validation." : "Изключи валидацията на SSL сертификата.", + "Not recommended, use it for testing only! If connection only works with this option, import the LDAP server's SSL certificate in your %s server." : "Не е препоръчително! Ползвайте само за тестване. Ако връзката работи само с тази опция, внесете SSL сертификата на LDAP сървъра във вашия %s сървър.", + "Cache Time-To-Live" : "Кеширай Time-To-Live", + "in seconds. A change empties the cache." : "в секунди. Всяка промяна изтрива кеша.", + "Directory Settings" : "Настройки на Директорията", + "The LDAP attribute to use to generate the user's display name." : "LDAP атрибутът, който да бъде използван за генериране на видимото име на потребителя.", + "Base User Tree" : "Base User Tree", + "One User Base DN per line" : "По един User Base DN на ред", + "User Search Attributes" : "Атрибути на Потребителско Търсене", + "Optional; one attribute per line" : "По желание; един атрибут на ред", + "The LDAP attribute to use to generate the groups's display name." : "LDAP атрибутът, който да бъде използван за генерирането на видмото име на групата.", + "Base Group Tree" : "Base Group Tree", + "One Group Base DN per line" : "По един Group Base DN на ред", + "Group Search Attributes" : "Атрибути на Групово Търсене", + "Group-Member association" : "Group-Member асоциация", + "When switched on, groups that contain groups are supported. (Only works if the group member attribute contains DNs.)" : "Когато е включени, се подържат групи в групи. (Работи единствено ако членът на групата притежава атрибута DNs).", + "Paging chunksize" : "Размер на paging-а", + "Chunksize used for paged LDAP searches that may return bulky results like user or group enumeration. (Setting it 0 disables paged LDAP searches in those situations.)" : "Размерът използван за връщането на големи резултати от LDAP търсения като изброяване на потребители или групи. (Стойност 0 изключва paged LDAP търсения в тези ситуации).", + "Special Attributes" : "Специални атрибути", + "Quota Field" : "Поле за Квота", + "Quota Default" : "Детайли на квотата", + "Email Field" : "Поле за имейл", + "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Оставете празно за потребителско име (стандартно). Или посочете LDAP/AD атрибут.", + "Internal Username" : "Вътрешно потребителско име", + "Internal Username Attribute:" : "Атрибут на вътрешното потребителско име:", + "Override UUID detection" : "Промени UUID откриването", + "By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups." : "Обикновено UUID атрибутът ще бъде намерен автоматично. UUID атрибута се използва, за да се идентифицират еднозначно LDAP потребители и групи. Освен това ще бъде генерирано вътрешното име базирано на UUID-то, ако такова не е посочено по-горе. Можете да промените настройката и да използвате атрибут по свой избор. Наложително е атрибутът да бъде уникален както за потребителите така и за групите. Промените ще се отразят само за новодобавени (map-нати) LDAP потребители.", + "UUID Attribute for Users:" : "UUID атрибут за потребителите:", + "UUID Attribute for Groups:" : "UUID атрибут за групите:", + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Предупреждение: Приложенията user_ldap и user_webdavauth са несъвместими. Моля, помолете системния администратор да изключи едно от приложенията." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/user_ldap/l10n/eu.js b/apps/user_ldap/l10n/eu.js index ff7fad6017cd3..230df36f18380 100644 --- a/apps/user_ldap/l10n/eu.js +++ b/apps/user_ldap/l10n/eu.js @@ -3,9 +3,10 @@ OC.L10N.register( { "Failed to clear the mappings." : "Mapeatzeen garbiketak huts egin du.", "Failed to delete the server configuration" : "Zerbitzariaren konfigurazioa ezabatzeak huts egin du", - "The configuration is valid and the connection could be established!" : "Konfigurazioa egokia da eta konexioa ezarri daiteke!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "Konfigurazioa ongi dago, baina Bind-ek huts egin du. Mesedez egiaztatu zerbitzariaren ezarpenak eta kredentzialak.", - "The configuration is invalid. Please have a look at the logs for further details." : "Konfigurazioa ez dago ongi. Mesedez ikusi egunerokoak (log) informazio gehiago eskuratzeko.", + "Invalid configuration: Anonymous binding is not allowed." : "Baliogabeko konfigurazioa. Lotura anonimoak ez dira onartzen.", + "Valid configuration, connection established!" : "Baleko konfigurazioa, konexioa ezarri da!", + "Valid configuration, but binding failed. Please check the server settings and credentials." : "Baleko konfigurazioa, baina lotura ez da ezarri. Egiaztatu zerbitzariaren ezarpenak eta kredentzialak.", + "Invalid configuration. Please have a look at the logs for further details." : "Baliogabeko konfigurazioa. Eman begirada bat egunkari-fitxategiei zehaztasun gehiagorako.", "No action specified" : "Ez da ekintzarik zehaztu", "No configuration specified" : "Ez da konfiguraziorik zehaztu", "No data specified" : "Ez da daturik zehaztu", @@ -28,7 +29,6 @@ OC.L10N.register( "The group box was disabled, because the LDAP / AD server does not support memberOf." : "Taldeen sarrera desgaitu da, LDAP / AD zerbitzariak ez duelako memberOf onartzen.", "_%s group found_::_%s groups found_" : ["Talde %s aurkitu da","%s talde aurkitu dira"], "_%s user found_::_%s users found_" : ["Erabiltzaile %s aurkitu da","%s erabiltzaile aurkitu dira"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "Ezin izan da erabiltzailearen bistaratze izenaren atributua antzeman. Mesedez zehaztu ldap ezarpen aurreratuetan.", "Could not find the desired feature" : "Ezin izan da nahi zen ezaugarria aurkitu", "Invalid Host" : "Baliogabeko hostalaria", "Test Configuration" : "Egiaztatu Konfigurazioa", @@ -42,20 +42,16 @@ OC.L10N.register( "Edit LDAP Query" : "Editatu LDAP kontsulta", "LDAP Filter:" : "LDAP Iragazkia:", "The filter specifies which LDAP groups shall have access to the %s instance." : "Iragazkiak zehazten du ze LDAP taldek izango duten sarrera %s instantziara:", - "Verify settings and count groups" : "Egiaztatu ezarpetak eta zenbatu taldeak", "LDAP / AD Username:" : "LDAP / AD Erabiltzaile izena:", "LDAP / AD Email Address:" : "LDAP / AD E-posta Helbidea:", "Other Attributes:" : "Bestelako atributuak:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "Definitu aplikatu beharreko iragazkia sartzen saiatzean. %%uid erabiltzailearen izena ordezten du sartzeko ekintzan. Adibidez: \"uid=%%uid\"", "Test Loginname" : "Egiaztatu Saioa hasteko izena", "Verify settings" : "Egiaztatu ezarpenak", "1. Server" : "1. Zerbitzaria", "%s. Server:" : "%s. Zerbitzaria:", - "Add a new and blank configuration" : "Gehitu konfigurazio berri eta huts bat", "Copy current configuration into new directory binding" : "Kopiatu uneko konfigurazioa direktorio lotura berrian", "Delete the current configuration" : "Ezabatu uneko konfigurazioa", "Host" : "Hostalaria", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Protokoloa ez da beharrezkoa, SSL behar baldin ez baduzu. Honela bada hasi ldaps://", "Port" : "Portua", "Detect Port" : "Antzeman Ataka", "User DN" : "Erabiltzaile DN", @@ -72,14 +68,12 @@ OC.L10N.register( "Saving" : "Gordetzen", "Back" : "Atzera", "Continue" : "Jarraitu", - "LDAP" : "LDAP", "Server" : "Zerbitzaria", "Users" : "Erabiltzaileak", "Login Attributes" : "Saioa hasteko atributuak", "Groups" : "Taldeak", "Expert" : "Aditua", "Advanced" : "Aurreratua", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Abisua: user_ldap eta user_webdavauth aplikazioak bateraezinak dira. Portaera berezia izan dezakezu. Mesedez eskatu zure sistema kudeatzaileari bietako bat desgaitzeko.", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Abisua: PHPk behar duen LDAP modulua ez dago instalaturik, motorrak ez du funtzionatuko. Mesedez eskatu zure sistema kudeatzaileari instala dezan.", "Connection Settings" : "Konexio Ezarpenak", "Configuration Active" : "Konfigurazio Aktiboa", @@ -111,7 +105,6 @@ OC.L10N.register( "Special Attributes" : "Atributu Bereziak", "Quota Field" : "Kuota Eremua", "Quota Default" : "Kuota Lehenetsia", - "in bytes" : "bytetan", "Email Field" : "Eposta eremua", "User Home Folder Naming Rule" : "Erabiltzailearen Karpeta Nagusia Izendatzeko Patroia", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Utzi hutsik erabiltzaile izenarako (lehentsia). Bestela zehaztu LDAP/AD atributua.", @@ -123,6 +116,8 @@ OC.L10N.register( "UUID Attribute for Groups:" : "Taldeentzako UUID atributuak:", "Username-LDAP User Mapping" : "LDAP-erabiltzaile-izena erabiltzailearen mapeatzea", "Clear Username-LDAP User Mapping" : "Garbitu LDAP-erabiltzaile-izenaren erabiltzaile mapaketa", - "Clear Groupname-LDAP Group Mapping" : "Garbitu LDAP-talde-izenaren talde mapaketa" + "Clear Groupname-LDAP Group Mapping" : "Garbitu LDAP-talde-izenaren talde mapaketa", + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Abisua: user_ldap eta user_webdavauth aplikazioak bateraezinak dira. Portaera berezia izan dezakezu. Mesedez eskatu zure sistema kudeatzaileari bietako bat desgaitzeko." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/user_ldap/l10n/eu.json b/apps/user_ldap/l10n/eu.json index e4ac633236cea..82cde273a003d 100644 --- a/apps/user_ldap/l10n/eu.json +++ b/apps/user_ldap/l10n/eu.json @@ -1,9 +1,10 @@ { "translations": { "Failed to clear the mappings." : "Mapeatzeen garbiketak huts egin du.", "Failed to delete the server configuration" : "Zerbitzariaren konfigurazioa ezabatzeak huts egin du", - "The configuration is valid and the connection could be established!" : "Konfigurazioa egokia da eta konexioa ezarri daiteke!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "Konfigurazioa ongi dago, baina Bind-ek huts egin du. Mesedez egiaztatu zerbitzariaren ezarpenak eta kredentzialak.", - "The configuration is invalid. Please have a look at the logs for further details." : "Konfigurazioa ez dago ongi. Mesedez ikusi egunerokoak (log) informazio gehiago eskuratzeko.", + "Invalid configuration: Anonymous binding is not allowed." : "Baliogabeko konfigurazioa. Lotura anonimoak ez dira onartzen.", + "Valid configuration, connection established!" : "Baleko konfigurazioa, konexioa ezarri da!", + "Valid configuration, but binding failed. Please check the server settings and credentials." : "Baleko konfigurazioa, baina lotura ez da ezarri. Egiaztatu zerbitzariaren ezarpenak eta kredentzialak.", + "Invalid configuration. Please have a look at the logs for further details." : "Baliogabeko konfigurazioa. Eman begirada bat egunkari-fitxategiei zehaztasun gehiagorako.", "No action specified" : "Ez da ekintzarik zehaztu", "No configuration specified" : "Ez da konfiguraziorik zehaztu", "No data specified" : "Ez da daturik zehaztu", @@ -26,7 +27,6 @@ "The group box was disabled, because the LDAP / AD server does not support memberOf." : "Taldeen sarrera desgaitu da, LDAP / AD zerbitzariak ez duelako memberOf onartzen.", "_%s group found_::_%s groups found_" : ["Talde %s aurkitu da","%s talde aurkitu dira"], "_%s user found_::_%s users found_" : ["Erabiltzaile %s aurkitu da","%s erabiltzaile aurkitu dira"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "Ezin izan da erabiltzailearen bistaratze izenaren atributua antzeman. Mesedez zehaztu ldap ezarpen aurreratuetan.", "Could not find the desired feature" : "Ezin izan da nahi zen ezaugarria aurkitu", "Invalid Host" : "Baliogabeko hostalaria", "Test Configuration" : "Egiaztatu Konfigurazioa", @@ -40,20 +40,16 @@ "Edit LDAP Query" : "Editatu LDAP kontsulta", "LDAP Filter:" : "LDAP Iragazkia:", "The filter specifies which LDAP groups shall have access to the %s instance." : "Iragazkiak zehazten du ze LDAP taldek izango duten sarrera %s instantziara:", - "Verify settings and count groups" : "Egiaztatu ezarpetak eta zenbatu taldeak", "LDAP / AD Username:" : "LDAP / AD Erabiltzaile izena:", "LDAP / AD Email Address:" : "LDAP / AD E-posta Helbidea:", "Other Attributes:" : "Bestelako atributuak:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "Definitu aplikatu beharreko iragazkia sartzen saiatzean. %%uid erabiltzailearen izena ordezten du sartzeko ekintzan. Adibidez: \"uid=%%uid\"", "Test Loginname" : "Egiaztatu Saioa hasteko izena", "Verify settings" : "Egiaztatu ezarpenak", "1. Server" : "1. Zerbitzaria", "%s. Server:" : "%s. Zerbitzaria:", - "Add a new and blank configuration" : "Gehitu konfigurazio berri eta huts bat", "Copy current configuration into new directory binding" : "Kopiatu uneko konfigurazioa direktorio lotura berrian", "Delete the current configuration" : "Ezabatu uneko konfigurazioa", "Host" : "Hostalaria", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Protokoloa ez da beharrezkoa, SSL behar baldin ez baduzu. Honela bada hasi ldaps://", "Port" : "Portua", "Detect Port" : "Antzeman Ataka", "User DN" : "Erabiltzaile DN", @@ -70,14 +66,12 @@ "Saving" : "Gordetzen", "Back" : "Atzera", "Continue" : "Jarraitu", - "LDAP" : "LDAP", "Server" : "Zerbitzaria", "Users" : "Erabiltzaileak", "Login Attributes" : "Saioa hasteko atributuak", "Groups" : "Taldeak", "Expert" : "Aditua", "Advanced" : "Aurreratua", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Abisua: user_ldap eta user_webdavauth aplikazioak bateraezinak dira. Portaera berezia izan dezakezu. Mesedez eskatu zure sistema kudeatzaileari bietako bat desgaitzeko.", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Abisua: PHPk behar duen LDAP modulua ez dago instalaturik, motorrak ez du funtzionatuko. Mesedez eskatu zure sistema kudeatzaileari instala dezan.", "Connection Settings" : "Konexio Ezarpenak", "Configuration Active" : "Konfigurazio Aktiboa", @@ -109,7 +103,6 @@ "Special Attributes" : "Atributu Bereziak", "Quota Field" : "Kuota Eremua", "Quota Default" : "Kuota Lehenetsia", - "in bytes" : "bytetan", "Email Field" : "Eposta eremua", "User Home Folder Naming Rule" : "Erabiltzailearen Karpeta Nagusia Izendatzeko Patroia", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Utzi hutsik erabiltzaile izenarako (lehentsia). Bestela zehaztu LDAP/AD atributua.", @@ -121,6 +114,8 @@ "UUID Attribute for Groups:" : "Taldeentzako UUID atributuak:", "Username-LDAP User Mapping" : "LDAP-erabiltzaile-izena erabiltzailearen mapeatzea", "Clear Username-LDAP User Mapping" : "Garbitu LDAP-erabiltzaile-izenaren erabiltzaile mapaketa", - "Clear Groupname-LDAP Group Mapping" : "Garbitu LDAP-talde-izenaren talde mapaketa" + "Clear Groupname-LDAP Group Mapping" : "Garbitu LDAP-talde-izenaren talde mapaketa", + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Abisua: user_ldap eta user_webdavauth aplikazioak bateraezinak dira. Portaera berezia izan dezakezu. Mesedez eskatu zure sistema kudeatzaileari bietako bat desgaitzeko." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/he.js b/apps/user_ldap/l10n/he.js index d4b03c5df559a..06e0f58aa9e6b 100644 --- a/apps/user_ldap/l10n/he.js +++ b/apps/user_ldap/l10n/he.js @@ -3,10 +3,6 @@ OC.L10N.register( { "Failed to clear the mappings." : "כשל בניקוי המיפויים.", "Failed to delete the server configuration" : "כשל במחיקת הגדרות השרת", - "The configuration is invalid: anonymous bind is not allowed." : "התצורה אינה חוקית: חיבור אנונימי אסור", - "The configuration is valid and the connection could be established!" : "התצורה תקפה וניתן לבצע חיבור!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "התצורה תקפה, אך הקישור נכשל. יש לבדוק את הגדרות השרת והחיבור.", - "The configuration is invalid. Please have a look at the logs for further details." : "התצורה אינה חוקית. יש לבדוק את הלוגים לפרטים נוספים.", "No action specified" : "לא צויינה פעולה", "No configuration specified" : "לא הוגדרה תצורה", "No data specified" : "לא הוגדר מידע", @@ -38,16 +34,13 @@ OC.L10N.register( "Switching the mode will enable automatic LDAP queries. Depending on your LDAP size they may take a while. Do you still want to switch the mode?" : "שינוי המצב יאפשר שאילתות LDAP אוטמטיות. בהתאם לגודל ה- LDAP שלך ייתכן והפעולה תיקח זמן רב. האם ברצונך לשנות את המצב?", "Mode switch" : "שינוי מצב", "Select attributes" : "בחירת מאפיינים", - "User not found. Please check your login attributes and username. Effective filter (to copy-and-paste for command line validation):
" : "משתמש לא אותר. יש לבדוק את מאפייני ההתחברות ושם המשתמש. מסנן אפקטיבי (העתקה והדבקה לאימות שורת פקודה):
", "User found and settings verified." : "משתמש אותר והגדרות אומתו.", - "An unspecified error occurred. Please check the settings and the log." : "אירעה שגיאה לא מזוהה. יש לבדוק את ההגדרות ואת הלוג.", "The search filter is invalid, probably due to syntax issues like uneven number of opened and closed brackets. Please revise." : "סינון החיפוש אינו חוקי. ככל הנראה בשל שיאה תחבירית כגון מספר לא שווה של פתח-סוגריים וסגור-סוגריים. יש לתקן.", "A connection error to LDAP / AD occurred, please check host, port and credentials." : "אירעה שגיאת חיבור ל- LDAP / AD, יש לבדוק את השרת, שער החיבור - פורט ופרטי הכניסה. ", "Please provide a login name to test against" : "יש לספק שם משתמש לבדיקה מולו", "The group box was disabled, because the LDAP / AD server does not support memberOf." : "שדה הקבוצה נוטרל, כיוון ששרת ה- LDAP / AD לא תומך ב- memberOf.", "_%s group found_::_%s groups found_" : ["אותרה %s קבוצה","אותרו %s קבוצות"], "_%s user found_::_%s users found_" : ["אותר %s משתמש","אותרו %s משתמשים"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "לא אותר מאפיין שם תצוגה למשתמש. יש לספק אותו בעצמך בהגדרות ldap מתקדמות.", "Could not find the desired feature" : "לא אותרה התכונה הרצויה", "Invalid Host" : "מארח לא חוקי", "Test Configuration" : "בדיקת הגדרות", @@ -64,9 +57,7 @@ OC.L10N.register( "When logging in, %s will find the user based on the following attributes:" : "כאשר מתחברים, %s יחפש את המשתמש על פי המאפיינים הבאים:", "LDAP / AD Username:" : "שם משתמש LDAP / AD:", "LDAP / AD Email Address:" : "כתובת דואר אלקטרוני LDAP / AD:", - "Allows login against an email attribute. Mail and mailPrimaryAddress will be allowed." : "מאפשר התחברות אל מול מאפיין דואר אלקטרוני. Mail וכן mailPrimaryAddress יהיו מותרים לשימוש.", "Other Attributes:" : "מאפיינים נוספים:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "מגדיר את הסינון הפעיל, כשיש ניסיון התחברות. %%uid מחליף את שם המשתמש בפעולת ההתחברות. לדוגמא: \"uid=%%uid\"", "Test Loginname" : "בדיקת שם התחברות", "Verify settings" : "מאמת הגדרות", "1. Server" : "1. שרת", @@ -91,7 +82,6 @@ OC.L10N.register( "Saving" : "שמירה", "Back" : "אחורה", "Continue" : "המשך", - "LDAP" : "LDAP", "Server" : "שרת", "Users" : "משתמשים", "Login Attributes" : "פרטי כניסה", @@ -141,12 +131,7 @@ OC.L10N.register( "Username-LDAP User Mapping" : "מיפוי שם משתמש LDAP:", "Clear Username-LDAP User Mapping" : "ניקוי מיפוי שם משתמש LDAP:", "Clear Groupname-LDAP Group Mapping" : "ניקוי מיפוי שם משתמש קבוצה LDAP:", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "שומר המקום %uid חסר. הוא יוחלף עם שם המשתמש בזמן שאילתת LDAP / AD.", - "Verify settings and count groups" : "מאמת הגדרות וסופר קבוצות", - "Allows login against the LDAP / AD username, which is either uid or samaccountname and will be detected." : "מאפשר התחברות אל מול שם משתמש LDAP / AD, שהוא רק uid או samaccountname ויזוהה.", - "Add a new and blank configuration" : "הוספת תצורה חדשה וריקה", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "ניתן להשמיט את הפרוטוקול, אך SSL מחייב. לפיכך יש להתחיל עם ldaps://", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "אזהרה: יישומים user_ldap ו- user_webdavauth אינם תואמים. תופעות לא מוסברות עלולות להתקיים. כדאי לפנות למנהל המערכת כדי שינטרל אחד מהם.", - "in bytes" : "בבתים" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "אזהרה: יישומים user_ldap ו- user_webdavauth אינם תואמים. תופעות לא מוסברות עלולות להתקיים. כדאי לפנות למנהל המערכת כדי שינטרל אחד מהם." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/user_ldap/l10n/he.json b/apps/user_ldap/l10n/he.json index 0a46acadaf405..7fd376cc27f90 100644 --- a/apps/user_ldap/l10n/he.json +++ b/apps/user_ldap/l10n/he.json @@ -1,10 +1,6 @@ { "translations": { "Failed to clear the mappings." : "כשל בניקוי המיפויים.", "Failed to delete the server configuration" : "כשל במחיקת הגדרות השרת", - "The configuration is invalid: anonymous bind is not allowed." : "התצורה אינה חוקית: חיבור אנונימי אסור", - "The configuration is valid and the connection could be established!" : "התצורה תקפה וניתן לבצע חיבור!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "התצורה תקפה, אך הקישור נכשל. יש לבדוק את הגדרות השרת והחיבור.", - "The configuration is invalid. Please have a look at the logs for further details." : "התצורה אינה חוקית. יש לבדוק את הלוגים לפרטים נוספים.", "No action specified" : "לא צויינה פעולה", "No configuration specified" : "לא הוגדרה תצורה", "No data specified" : "לא הוגדר מידע", @@ -36,16 +32,13 @@ "Switching the mode will enable automatic LDAP queries. Depending on your LDAP size they may take a while. Do you still want to switch the mode?" : "שינוי המצב יאפשר שאילתות LDAP אוטמטיות. בהתאם לגודל ה- LDAP שלך ייתכן והפעולה תיקח זמן רב. האם ברצונך לשנות את המצב?", "Mode switch" : "שינוי מצב", "Select attributes" : "בחירת מאפיינים", - "User not found. Please check your login attributes and username. Effective filter (to copy-and-paste for command line validation):
" : "משתמש לא אותר. יש לבדוק את מאפייני ההתחברות ושם המשתמש. מסנן אפקטיבי (העתקה והדבקה לאימות שורת פקודה):
", "User found and settings verified." : "משתמש אותר והגדרות אומתו.", - "An unspecified error occurred. Please check the settings and the log." : "אירעה שגיאה לא מזוהה. יש לבדוק את ההגדרות ואת הלוג.", "The search filter is invalid, probably due to syntax issues like uneven number of opened and closed brackets. Please revise." : "סינון החיפוש אינו חוקי. ככל הנראה בשל שיאה תחבירית כגון מספר לא שווה של פתח-סוגריים וסגור-סוגריים. יש לתקן.", "A connection error to LDAP / AD occurred, please check host, port and credentials." : "אירעה שגיאת חיבור ל- LDAP / AD, יש לבדוק את השרת, שער החיבור - פורט ופרטי הכניסה. ", "Please provide a login name to test against" : "יש לספק שם משתמש לבדיקה מולו", "The group box was disabled, because the LDAP / AD server does not support memberOf." : "שדה הקבוצה נוטרל, כיוון ששרת ה- LDAP / AD לא תומך ב- memberOf.", "_%s group found_::_%s groups found_" : ["אותרה %s קבוצה","אותרו %s קבוצות"], "_%s user found_::_%s users found_" : ["אותר %s משתמש","אותרו %s משתמשים"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "לא אותר מאפיין שם תצוגה למשתמש. יש לספק אותו בעצמך בהגדרות ldap מתקדמות.", "Could not find the desired feature" : "לא אותרה התכונה הרצויה", "Invalid Host" : "מארח לא חוקי", "Test Configuration" : "בדיקת הגדרות", @@ -62,9 +55,7 @@ "When logging in, %s will find the user based on the following attributes:" : "כאשר מתחברים, %s יחפש את המשתמש על פי המאפיינים הבאים:", "LDAP / AD Username:" : "שם משתמש LDAP / AD:", "LDAP / AD Email Address:" : "כתובת דואר אלקטרוני LDAP / AD:", - "Allows login against an email attribute. Mail and mailPrimaryAddress will be allowed." : "מאפשר התחברות אל מול מאפיין דואר אלקטרוני. Mail וכן mailPrimaryAddress יהיו מותרים לשימוש.", "Other Attributes:" : "מאפיינים נוספים:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "מגדיר את הסינון הפעיל, כשיש ניסיון התחברות. %%uid מחליף את שם המשתמש בפעולת ההתחברות. לדוגמא: \"uid=%%uid\"", "Test Loginname" : "בדיקת שם התחברות", "Verify settings" : "מאמת הגדרות", "1. Server" : "1. שרת", @@ -89,7 +80,6 @@ "Saving" : "שמירה", "Back" : "אחורה", "Continue" : "המשך", - "LDAP" : "LDAP", "Server" : "שרת", "Users" : "משתמשים", "Login Attributes" : "פרטי כניסה", @@ -139,12 +129,7 @@ "Username-LDAP User Mapping" : "מיפוי שם משתמש LDAP:", "Clear Username-LDAP User Mapping" : "ניקוי מיפוי שם משתמש LDAP:", "Clear Groupname-LDAP Group Mapping" : "ניקוי מיפוי שם משתמש קבוצה LDAP:", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "שומר המקום %uid חסר. הוא יוחלף עם שם המשתמש בזמן שאילתת LDAP / AD.", - "Verify settings and count groups" : "מאמת הגדרות וסופר קבוצות", - "Allows login against the LDAP / AD username, which is either uid or samaccountname and will be detected." : "מאפשר התחברות אל מול שם משתמש LDAP / AD, שהוא רק uid או samaccountname ויזוהה.", - "Add a new and blank configuration" : "הוספת תצורה חדשה וריקה", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "ניתן להשמיט את הפרוטוקול, אך SSL מחייב. לפיכך יש להתחיל עם ldaps://", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "אזהרה: יישומים user_ldap ו- user_webdavauth אינם תואמים. תופעות לא מוסברות עלולות להתקיים. כדאי לפנות למנהל המערכת כדי שינטרל אחד מהם.", - "in bytes" : "בבתים" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "אזהרה: יישומים user_ldap ו- user_webdavauth אינם תואמים. תופעות לא מוסברות עלולות להתקיים. כדאי לפנות למנהל המערכת כדי שינטרל אחד מהם." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/is.js b/apps/user_ldap/l10n/is.js index b158b7960566e..ad321c10c290c 100644 --- a/apps/user_ldap/l10n/is.js +++ b/apps/user_ldap/l10n/is.js @@ -1,41 +1,103 @@ OC.L10N.register( "user_ldap", { + "Failed to clear the mappings." : "Mistókst að hreinsa varpanir.", + "Failed to delete the server configuration" : "Mistókst að eyða uppsetningu þjónsins", + "Valid configuration, connection established!" : "Gild uppsetning, tengingu komið á!", + "Valid configuration, but binding failed. Please check the server settings and credentials." : "Uppsetningin er gild, en binding mistókst. Skoðaðu stillingar þjónsins og auðkenni.", + "Invalid configuration. Please have a look at the logs for further details." : "Uppsetningin er ógild. Skoðaðu atvikaskrárnar til að sjá nánari upplýsingar.", "No action specified" : "Engin aðgerð tiltekin", + "No configuration specified" : "Engin uppsetning tiltekin", "No data specified" : "Engin gögn tiltekin", + " Could not set configuration %s" : "Gat ekki sett uppsetningu %s", "Action does not exist" : "Aðgerð er ekki til", + "LDAP user and group backend" : "LDAP notandi og bakendi hóps", + "Renewing …" : "Endurnýja …", + "Very weak password" : "Mjög veikt lykilorð", + "Weak password" : "Veikt lykilorð", + "So-so password" : "Miðlungs lykilorð", + "Good password" : "Gott lykilorð", + "Strong password" : "Sterkt lykilorð", + "Testing configuration…" : "Prófa stillingar…", "Configuration incorrect" : "Röng uppsetning", + "Configuration incomplete" : "Ófullgerð uppsetning", "Configuration OK" : "Stillingar eru í lagi", "Select groups" : "Veldu hópa", + "Please check the credentials, they seem to be wrong." : "Athugaðu auðkennin, þau líta út fyrir að vera röng.", "{nthServer}. Server" : "{nthServer}. Þjónn", + "More than 1,000 directory entries available." : "Meira en 1,000 möppufærslur tiltækar.", + "Do you really want to delete the current Server Configuration?" : "Ertu viss um að þú viljir eyða núgildandi uppsetningu á þjóninum?", "Confirm Deletion" : "Staðfesta eyðingu", + "Mappings cleared successfully!" : "Það tókst að hreinsa varpanir!", + "Error while clearing the mappings." : "Villa við að hreinsa út varpanir.", + "Mode switch" : "Skipta um ham", "Select attributes" : "Veldu eigindi", + "User found and settings verified." : "Notandi fannst og stillingar yfirfarnar.", + "Password change rejected. Hint: " : "Breytingu á lykilorði hafnað. Ábending: ", + "Please login with the new password" : "Skráðu þig inn með nýja lykilorðinu", + "Your password will expire tomorrow." : "Lykilorðið þitt rennur út á morgun.", + "Your password will expire today." : "Lykilorðið þitt rennur út í dag.", + "_Your password will expire within %n day._::_Your password will expire within %n days._" : ["Lykilorðið þitt rennur út innan %n dags.","Lykilorðið þitt rennur út innan %n daga."], + "LDAP / AD integration" : "LDAP / AD samþætting", "_%s group found_::_%s groups found_" : ["%s hópur fannst","%s hópar fundust"], "_%s user found_::_%s users found_" : ["%s notandi fannst","%s notendur fundust"], + "Could not find the desired feature" : "Gat ekki fundið eiginleika sem óskað var eftir", "Invalid Host" : "Ógild vél", - "Server" : "Þjónn", - "Users" : "Notendur", - "Login Attributes" : "Eigindi innskráningar", - "Groups" : "Hópar", - "Test Configuration" : "Prúfa uppsetningu", + "Test Configuration" : "Prófa uppsetningu", "Help" : "Hjálp", + "Only from these groups:" : "Aðeins úr þessum hópum:", "Search groups" : "Leita í hópum", "Available groups" : "Tiltækir hópar", "Selected groups" : "Valdir hópar", + "Edit LDAP Query" : "Breyta LDAP-fyrirspurn", + "LDAP Filter:" : "LDAP sía:", + "Verify settings and count the groups" : "Sannprófa stillingar og telja hópa", + "LDAP / AD Username:" : "LDAP / AD notandanafn:", + "LDAP / AD Email Address:" : "LDAP / AD tölvupóstfang:", + "Other Attributes:" : "Önnur eigindi:", + "Test Loginname" : "Prófa innskráningarnafn", "Verify settings" : "Sannprófa stillingar", "1. Server" : "1. Þjónn", "%s. Server:" : "%s. Þjónn:", + "Add a new configuration" : "Bæta við nýrri uppsetningu", + "Delete the current configuration" : "Eyða núgildandi uppsetningu", "Host" : "Hýsill", "Port" : "Gátt", "Detect Port" : "Finna gátt", + "User DN" : "DN notanda", "Password" : "Lykilorð", + "Verify settings and count users" : "Sannprófa stillingar og telja notendur", "Saving" : "Vistun", "Back" : "Til baka", "Continue" : "Halda áfram", - "LDAP" : "LDAP", + "Please renew your password." : "Endurnýjaðu lykilorðið þitt", + "An internal error occurred." : "Innri villa kom upp.", + "Please try again or contact your administrator." : "Reyndu aftur eða hafðu samband við kerfisstjóra.", + "Current password" : "Núverandi lykilorð", + "New password" : "Nýtt lykilorð", + "Renew password" : "Endurnýja lykilorð", + "Wrong password. Reset it?" : "Rangt lykilorð. Endursetja?", + "Wrong password." : "Rangt lykilorð.", + "Cancel" : "Hætta við", + "Server" : "Þjónn", + "Users" : "Notendur", + "Login Attributes" : "Eigindi innskráningar", + "Groups" : "Hópar", "Expert" : "Snillingur", "Advanced" : "Ítarlegt", "Connection Settings" : "Valkostir tengingar ", - "in bytes" : "í bætum" + "Configuration Active" : "Uppsetning er virk", + "Disable Main Server" : "Gera aðalþjón óvirkan", + "Turn off SSL certificate validation." : "Slökkva á sannvottun SSL-skilríkja.", + "in seconds. A change empties the cache." : "í sekúndum. Breyting tæmir skyndiminnið.", + "Directory Settings" : "Stillingar möppu", + "Nested Groups" : "Faldaðir hópar", + "(New password is sent as plain text to LDAP)" : "(Nýtt lykilorð er sent sem hreinn texti til LDAP)", + "Special Attributes" : "Sérstök eigindi", + "Quota Field" : "Gagnasvið fyrir kvóta", + "Quota Default" : "Sjálfgefinn kvóti", + "Email Field" : "Gagnasvið fyrir netfang", + "Internal Username" : "Innra notandanafn", + "LDAP" : "LDAP" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/user_ldap/l10n/is.json b/apps/user_ldap/l10n/is.json index 3c04938290008..dd7d0b236fe5c 100644 --- a/apps/user_ldap/l10n/is.json +++ b/apps/user_ldap/l10n/is.json @@ -1,39 +1,101 @@ { "translations": { + "Failed to clear the mappings." : "Mistókst að hreinsa varpanir.", + "Failed to delete the server configuration" : "Mistókst að eyða uppsetningu þjónsins", + "Valid configuration, connection established!" : "Gild uppsetning, tengingu komið á!", + "Valid configuration, but binding failed. Please check the server settings and credentials." : "Uppsetningin er gild, en binding mistókst. Skoðaðu stillingar þjónsins og auðkenni.", + "Invalid configuration. Please have a look at the logs for further details." : "Uppsetningin er ógild. Skoðaðu atvikaskrárnar til að sjá nánari upplýsingar.", "No action specified" : "Engin aðgerð tiltekin", + "No configuration specified" : "Engin uppsetning tiltekin", "No data specified" : "Engin gögn tiltekin", + " Could not set configuration %s" : "Gat ekki sett uppsetningu %s", "Action does not exist" : "Aðgerð er ekki til", + "LDAP user and group backend" : "LDAP notandi og bakendi hóps", + "Renewing …" : "Endurnýja …", + "Very weak password" : "Mjög veikt lykilorð", + "Weak password" : "Veikt lykilorð", + "So-so password" : "Miðlungs lykilorð", + "Good password" : "Gott lykilorð", + "Strong password" : "Sterkt lykilorð", + "Testing configuration…" : "Prófa stillingar…", "Configuration incorrect" : "Röng uppsetning", + "Configuration incomplete" : "Ófullgerð uppsetning", "Configuration OK" : "Stillingar eru í lagi", "Select groups" : "Veldu hópa", + "Please check the credentials, they seem to be wrong." : "Athugaðu auðkennin, þau líta út fyrir að vera röng.", "{nthServer}. Server" : "{nthServer}. Þjónn", + "More than 1,000 directory entries available." : "Meira en 1,000 möppufærslur tiltækar.", + "Do you really want to delete the current Server Configuration?" : "Ertu viss um að þú viljir eyða núgildandi uppsetningu á þjóninum?", "Confirm Deletion" : "Staðfesta eyðingu", + "Mappings cleared successfully!" : "Það tókst að hreinsa varpanir!", + "Error while clearing the mappings." : "Villa við að hreinsa út varpanir.", + "Mode switch" : "Skipta um ham", "Select attributes" : "Veldu eigindi", + "User found and settings verified." : "Notandi fannst og stillingar yfirfarnar.", + "Password change rejected. Hint: " : "Breytingu á lykilorði hafnað. Ábending: ", + "Please login with the new password" : "Skráðu þig inn með nýja lykilorðinu", + "Your password will expire tomorrow." : "Lykilorðið þitt rennur út á morgun.", + "Your password will expire today." : "Lykilorðið þitt rennur út í dag.", + "_Your password will expire within %n day._::_Your password will expire within %n days._" : ["Lykilorðið þitt rennur út innan %n dags.","Lykilorðið þitt rennur út innan %n daga."], + "LDAP / AD integration" : "LDAP / AD samþætting", "_%s group found_::_%s groups found_" : ["%s hópur fannst","%s hópar fundust"], "_%s user found_::_%s users found_" : ["%s notandi fannst","%s notendur fundust"], + "Could not find the desired feature" : "Gat ekki fundið eiginleika sem óskað var eftir", "Invalid Host" : "Ógild vél", - "Server" : "Þjónn", - "Users" : "Notendur", - "Login Attributes" : "Eigindi innskráningar", - "Groups" : "Hópar", - "Test Configuration" : "Prúfa uppsetningu", + "Test Configuration" : "Prófa uppsetningu", "Help" : "Hjálp", + "Only from these groups:" : "Aðeins úr þessum hópum:", "Search groups" : "Leita í hópum", "Available groups" : "Tiltækir hópar", "Selected groups" : "Valdir hópar", + "Edit LDAP Query" : "Breyta LDAP-fyrirspurn", + "LDAP Filter:" : "LDAP sía:", + "Verify settings and count the groups" : "Sannprófa stillingar og telja hópa", + "LDAP / AD Username:" : "LDAP / AD notandanafn:", + "LDAP / AD Email Address:" : "LDAP / AD tölvupóstfang:", + "Other Attributes:" : "Önnur eigindi:", + "Test Loginname" : "Prófa innskráningarnafn", "Verify settings" : "Sannprófa stillingar", "1. Server" : "1. Þjónn", "%s. Server:" : "%s. Þjónn:", + "Add a new configuration" : "Bæta við nýrri uppsetningu", + "Delete the current configuration" : "Eyða núgildandi uppsetningu", "Host" : "Hýsill", "Port" : "Gátt", "Detect Port" : "Finna gátt", + "User DN" : "DN notanda", "Password" : "Lykilorð", + "Verify settings and count users" : "Sannprófa stillingar og telja notendur", "Saving" : "Vistun", "Back" : "Til baka", "Continue" : "Halda áfram", - "LDAP" : "LDAP", + "Please renew your password." : "Endurnýjaðu lykilorðið þitt", + "An internal error occurred." : "Innri villa kom upp.", + "Please try again or contact your administrator." : "Reyndu aftur eða hafðu samband við kerfisstjóra.", + "Current password" : "Núverandi lykilorð", + "New password" : "Nýtt lykilorð", + "Renew password" : "Endurnýja lykilorð", + "Wrong password. Reset it?" : "Rangt lykilorð. Endursetja?", + "Wrong password." : "Rangt lykilorð.", + "Cancel" : "Hætta við", + "Server" : "Þjónn", + "Users" : "Notendur", + "Login Attributes" : "Eigindi innskráningar", + "Groups" : "Hópar", "Expert" : "Snillingur", "Advanced" : "Ítarlegt", "Connection Settings" : "Valkostir tengingar ", - "in bytes" : "í bætum" + "Configuration Active" : "Uppsetning er virk", + "Disable Main Server" : "Gera aðalþjón óvirkan", + "Turn off SSL certificate validation." : "Slökkva á sannvottun SSL-skilríkja.", + "in seconds. A change empties the cache." : "í sekúndum. Breyting tæmir skyndiminnið.", + "Directory Settings" : "Stillingar möppu", + "Nested Groups" : "Faldaðir hópar", + "(New password is sent as plain text to LDAP)" : "(Nýtt lykilorð er sent sem hreinn texti til LDAP)", + "Special Attributes" : "Sérstök eigindi", + "Quota Field" : "Gagnasvið fyrir kvóta", + "Quota Default" : "Sjálfgefinn kvóti", + "Email Field" : "Gagnasvið fyrir netfang", + "Internal Username" : "Innra notandanafn", + "LDAP" : "LDAP" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/lv.js b/apps/user_ldap/l10n/lv.js index b671b52872968..8f6ae7d279f81 100644 --- a/apps/user_ldap/l10n/lv.js +++ b/apps/user_ldap/l10n/lv.js @@ -1,25 +1,75 @@ OC.L10N.register( "user_ldap", { + "Failed to clear the mappings." : "Neizdevās nodzēstu samērošanu.", "Failed to delete the server configuration" : "Neizdevās izdzēst servera konfigurāciju", - "The configuration is valid and the connection could be established!" : "Konfigurācija ir derīga un varēja izveidot savienojumu!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "Konfigurācija ir derīga, bet sasaiste neizdevās. Lūdzu, pārbaudiet servera iestatījumus un akreditācijas datus.", + "No action specified" : "Nav norādīta darbība", + "No configuration specified" : "Nav norādīta konfigurācija", + "No data specified" : "Nav norādīti dati", + " Could not set configuration %s" : "Nevarēja iestatīt konfigurāciju %s", + "Action does not exist" : "Darbība neeksistē", + "The Base DN appears to be wrong" : "DN bāze šķiet nepareiza", + "Testing configuration…" : "Konfigurācijas pārbaude...", + "Configuration incorrect" : "Nepareiza konfigurācija", + "Configuration incomplete" : "Nepilnīga konfigurācija", + "Configuration OK" : "Konfigurācija OK", "Select groups" : "Izvēlieties grupas", + "Select object classes" : "Atlasiet objektu klases", + "Please check the credentials, they seem to be wrong." : "Lūdzu, pārbaudiet akreditācijas datus, tie šķiet nepareizi.", + "Please specify the port, it could not be auto-detected." : "Lūdzu, norādiet portu, tas nevarēja būt noteikts automātiski.", + "Base DN could not be auto-detected, please revise credentials, host and port." : "DN bāzi nevarēja noteikt, lūdzu, pārskatiet datus, resursdatoru un portu.", + "Could not detect Base DN, please enter it manually." : "Nevarēja noteikt DN bāzi, lūdzu, ievadiet to manuāli.", + "{nthServer}. Server" : "{nthServer}. Serveris", + "No object found in the given Base DN. Please revise." : "Neviens objekts nav atrasts konkrētā DN bāzē. Lūdzu pārskatīt.", + "More than 1,000 directory entries available." : "Vairāk nekā 1,000 kataloga ieraksti ir pieejami.", + " entries available within the provided Base DN" : "ieraksti pieejami ar nosacījumu DN bāzē", + "An error occurred. Please check the Base DN, as well as connection settings and credentials." : "Radās kļūda. Lūdzu, pārbaudiet bāzes DN, kā arī savienojuma iestatījumus vai akreditācijas datus.", "Do you really want to delete the current Server Configuration?" : "Vai tiešām vēlaties dzēst pašreizējo servera konfigurāciju?", "Confirm Deletion" : "Apstiprināt dzēšanu", - "Users" : "Lietotāji", - "Groups" : "Grupas", + "Mappings cleared successfully!" : "Kartējumi notīrīta veiksmīgi!", + "Error while clearing the mappings." : "Kļūda, dzēšot kartējumus.", + "LDAP Operations error. Anonymous bind might not be allowed." : "LDAP operācijas kļūda. Anonīma sasaiste, iespējams, nav atļauta.", + "Select attributes" : "Atlasīt atribūtus", + "Password change rejected. Hint: " : "Paroles maiņas noraidīja. Padoms:", + "LDAP / AD integration" : "LDAP / AD integrācija", + "_%s group found_::_%s groups found_" : ["%s grupas atrastas","%s grupas atrastas","%s grupas atrastas"], + "_%s user found_::_%s users found_" : ["%s lietotāji atrasti","%s lietotāji atrasti","%s lietotāji atrasti"], + "Invalid Host" : "Nederīgs resursdators", "Test Configuration" : "Testa konfigurācija", "Help" : "Palīdzība", + "Only these object classes:" : "Tikai šo objektu kategorijas:", + "Only from these groups:" : "Tikai no šīm grupām:", + "Search groups" : "Meklēt grupas", + "Available groups" : "Pieejamās grupas", + "Selected groups" : "Izvēlētās grupas", + "Edit LDAP Query" : "Labot LDAP vaicājumu", + "LDAP Filter:" : "LDAP filtrs:", + "LDAP / AD Username:" : "LDAP / AD lietotājvārds:", + "LDAP / AD Email Address:" : "LDAP / AD e-pasta adrese:", + "Other Attributes:" : "Citi atribūti:", + "Test Loginname" : "Pārbaudiet lietotājvārdu", + "Verify settings" : "Pārbaudīt iestatījumus", + "1. Server" : "1. Serveris", + "%s. Server:" : "%s. Serveris:", "Host" : "Resursdators", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Var neiekļaut protokolu, izņemot, ja vajag SSL. Tad sākums ir ldaps://", "Port" : "Ports", + "Detect Port" : "Noteikt portu", "User DN" : "Lietotāja DN", "The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." : "Klienta lietotāja DN, ar ko veiks sasaisti, piemēram, uid=agent,dc=example,dc=com. Lai piekļūtu anonīmi, atstājiet DN un paroli tukšu.", "Password" : "Parole", "For anonymous access, leave DN and Password empty." : "Lai piekļūtu anonīmi, atstājiet DN un paroli tukšu.", "One Base DN per line" : "Viena bāzes DN rindā", - "You can specify Base DN for users and groups in the Advanced tab" : "Lietotājiem un grupām bāzes DN var norādīt cilnē “Paplašināti”", + "You can specify Base DN for users and groups in the Advanced tab" : "Lietotājiem un grupām var norādīt bāzes DN cilnē “Paplašināti”", + "Detect Base DN" : "Noteikt bāzes DN", + "Test Base DN" : "Testēt bāzes DN", + "Saving" : "Saglabā", + "Back" : "Atpakaļ", + "Continue" : "Turpināt", + "Server" : "Serveris", + "Users" : "Lietotāji", + "Login Attributes" : "Pieteikšanās atribūti", + "Groups" : "Grupas", + "Expert" : "Eksperts", "Advanced" : "Paplašināti", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Brīdinājums: PHP LDAP modulis nav uzinstalēts, aizmugure nedarbosies. Lūdzu, prasiet savam sistēmas administratoram kādu no tām deaktivēt.", "Connection Settings" : "Savienojuma iestatījumi", @@ -35,7 +85,7 @@ OC.L10N.register( "Directory Settings" : "Direktorijas iestatījumi", "User Display Name Field" : "Lietotāja redzamā vārda lauks", "Base User Tree" : "Bāzes lietotāju koks", - "One User Base DN per line" : "Viena lietotāju bāzes DN rindā", + "One User Base DN per line" : "Viens lietotājs bāzes DN rindā", "User Search Attributes" : "Lietotāju meklēšanas atribūts", "Optional; one attribute per line" : "Neobligāti; viens atribūts rindā", "Group Display Name Field" : "Grupas redzamā nosaukuma lauks", @@ -43,12 +93,18 @@ OC.L10N.register( "One Group Base DN per line" : "Viena grupu bāzes DN rindā", "Group Search Attributes" : "Grupu meklēšanas atribūts", "Group-Member association" : "Grupu piederības asociācija", + "Enable LDAP password changes per user" : "Iespējot LDAP paroles maiņu katram lietotājam", + "(New password is sent as plain text to LDAP)" : "(Jaunā parole tiek nosūtīta kā vienkāršs teksts ar LDAP)", "Special Attributes" : "Īpašie atribūti", "Quota Field" : "Kvotu lauks", "Quota Default" : "Kvotas noklusējums", - "in bytes" : "baitos", "Email Field" : "E-pasta lauks", "User Home Folder Naming Rule" : "Lietotāja mājas mapes nosaukšanas kārtula", - "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Atstāt tukšu lietotāja vārdam (noklusējuma). Citādi, norādi LDAP/AD atribūtu." + "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Atstāt tukšu lietotāja vārdam (noklusējuma). Citādi, norādi LDAP/AD atribūtu.", + "Internal Username" : "Iekšējais lietotājvārds", + "Override UUID detection" : "Ignorēt UUID noteikšanu", + "UUID Attribute for Users:" : "UUID atribūti lietotājiem:", + "UUID Attribute for Groups:" : "UUID atribūti grupām:", + "LDAP" : "LDAP" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"); diff --git a/apps/user_ldap/l10n/lv.json b/apps/user_ldap/l10n/lv.json index 44f2b7c048d5a..85f4f3722d372 100644 --- a/apps/user_ldap/l10n/lv.json +++ b/apps/user_ldap/l10n/lv.json @@ -1,23 +1,73 @@ { "translations": { + "Failed to clear the mappings." : "Neizdevās nodzēstu samērošanu.", "Failed to delete the server configuration" : "Neizdevās izdzēst servera konfigurāciju", - "The configuration is valid and the connection could be established!" : "Konfigurācija ir derīga un varēja izveidot savienojumu!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "Konfigurācija ir derīga, bet sasaiste neizdevās. Lūdzu, pārbaudiet servera iestatījumus un akreditācijas datus.", + "No action specified" : "Nav norādīta darbība", + "No configuration specified" : "Nav norādīta konfigurācija", + "No data specified" : "Nav norādīti dati", + " Could not set configuration %s" : "Nevarēja iestatīt konfigurāciju %s", + "Action does not exist" : "Darbība neeksistē", + "The Base DN appears to be wrong" : "DN bāze šķiet nepareiza", + "Testing configuration…" : "Konfigurācijas pārbaude...", + "Configuration incorrect" : "Nepareiza konfigurācija", + "Configuration incomplete" : "Nepilnīga konfigurācija", + "Configuration OK" : "Konfigurācija OK", "Select groups" : "Izvēlieties grupas", + "Select object classes" : "Atlasiet objektu klases", + "Please check the credentials, they seem to be wrong." : "Lūdzu, pārbaudiet akreditācijas datus, tie šķiet nepareizi.", + "Please specify the port, it could not be auto-detected." : "Lūdzu, norādiet portu, tas nevarēja būt noteikts automātiski.", + "Base DN could not be auto-detected, please revise credentials, host and port." : "DN bāzi nevarēja noteikt, lūdzu, pārskatiet datus, resursdatoru un portu.", + "Could not detect Base DN, please enter it manually." : "Nevarēja noteikt DN bāzi, lūdzu, ievadiet to manuāli.", + "{nthServer}. Server" : "{nthServer}. Serveris", + "No object found in the given Base DN. Please revise." : "Neviens objekts nav atrasts konkrētā DN bāzē. Lūdzu pārskatīt.", + "More than 1,000 directory entries available." : "Vairāk nekā 1,000 kataloga ieraksti ir pieejami.", + " entries available within the provided Base DN" : "ieraksti pieejami ar nosacījumu DN bāzē", + "An error occurred. Please check the Base DN, as well as connection settings and credentials." : "Radās kļūda. Lūdzu, pārbaudiet bāzes DN, kā arī savienojuma iestatījumus vai akreditācijas datus.", "Do you really want to delete the current Server Configuration?" : "Vai tiešām vēlaties dzēst pašreizējo servera konfigurāciju?", "Confirm Deletion" : "Apstiprināt dzēšanu", - "Users" : "Lietotāji", - "Groups" : "Grupas", + "Mappings cleared successfully!" : "Kartējumi notīrīta veiksmīgi!", + "Error while clearing the mappings." : "Kļūda, dzēšot kartējumus.", + "LDAP Operations error. Anonymous bind might not be allowed." : "LDAP operācijas kļūda. Anonīma sasaiste, iespējams, nav atļauta.", + "Select attributes" : "Atlasīt atribūtus", + "Password change rejected. Hint: " : "Paroles maiņas noraidīja. Padoms:", + "LDAP / AD integration" : "LDAP / AD integrācija", + "_%s group found_::_%s groups found_" : ["%s grupas atrastas","%s grupas atrastas","%s grupas atrastas"], + "_%s user found_::_%s users found_" : ["%s lietotāji atrasti","%s lietotāji atrasti","%s lietotāji atrasti"], + "Invalid Host" : "Nederīgs resursdators", "Test Configuration" : "Testa konfigurācija", "Help" : "Palīdzība", + "Only these object classes:" : "Tikai šo objektu kategorijas:", + "Only from these groups:" : "Tikai no šīm grupām:", + "Search groups" : "Meklēt grupas", + "Available groups" : "Pieejamās grupas", + "Selected groups" : "Izvēlētās grupas", + "Edit LDAP Query" : "Labot LDAP vaicājumu", + "LDAP Filter:" : "LDAP filtrs:", + "LDAP / AD Username:" : "LDAP / AD lietotājvārds:", + "LDAP / AD Email Address:" : "LDAP / AD e-pasta adrese:", + "Other Attributes:" : "Citi atribūti:", + "Test Loginname" : "Pārbaudiet lietotājvārdu", + "Verify settings" : "Pārbaudīt iestatījumus", + "1. Server" : "1. Serveris", + "%s. Server:" : "%s. Serveris:", "Host" : "Resursdators", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Var neiekļaut protokolu, izņemot, ja vajag SSL. Tad sākums ir ldaps://", "Port" : "Ports", + "Detect Port" : "Noteikt portu", "User DN" : "Lietotāja DN", "The DN of the client user with which the bind shall be done, e.g. uid=agent,dc=example,dc=com. For anonymous access, leave DN and Password empty." : "Klienta lietotāja DN, ar ko veiks sasaisti, piemēram, uid=agent,dc=example,dc=com. Lai piekļūtu anonīmi, atstājiet DN un paroli tukšu.", "Password" : "Parole", "For anonymous access, leave DN and Password empty." : "Lai piekļūtu anonīmi, atstājiet DN un paroli tukšu.", "One Base DN per line" : "Viena bāzes DN rindā", - "You can specify Base DN for users and groups in the Advanced tab" : "Lietotājiem un grupām bāzes DN var norādīt cilnē “Paplašināti”", + "You can specify Base DN for users and groups in the Advanced tab" : "Lietotājiem un grupām var norādīt bāzes DN cilnē “Paplašināti”", + "Detect Base DN" : "Noteikt bāzes DN", + "Test Base DN" : "Testēt bāzes DN", + "Saving" : "Saglabā", + "Back" : "Atpakaļ", + "Continue" : "Turpināt", + "Server" : "Serveris", + "Users" : "Lietotāji", + "Login Attributes" : "Pieteikšanās atribūti", + "Groups" : "Grupas", + "Expert" : "Eksperts", "Advanced" : "Paplašināti", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Brīdinājums: PHP LDAP modulis nav uzinstalēts, aizmugure nedarbosies. Lūdzu, prasiet savam sistēmas administratoram kādu no tām deaktivēt.", "Connection Settings" : "Savienojuma iestatījumi", @@ -33,7 +83,7 @@ "Directory Settings" : "Direktorijas iestatījumi", "User Display Name Field" : "Lietotāja redzamā vārda lauks", "Base User Tree" : "Bāzes lietotāju koks", - "One User Base DN per line" : "Viena lietotāju bāzes DN rindā", + "One User Base DN per line" : "Viens lietotājs bāzes DN rindā", "User Search Attributes" : "Lietotāju meklēšanas atribūts", "Optional; one attribute per line" : "Neobligāti; viens atribūts rindā", "Group Display Name Field" : "Grupas redzamā nosaukuma lauks", @@ -41,12 +91,18 @@ "One Group Base DN per line" : "Viena grupu bāzes DN rindā", "Group Search Attributes" : "Grupu meklēšanas atribūts", "Group-Member association" : "Grupu piederības asociācija", + "Enable LDAP password changes per user" : "Iespējot LDAP paroles maiņu katram lietotājam", + "(New password is sent as plain text to LDAP)" : "(Jaunā parole tiek nosūtīta kā vienkāršs teksts ar LDAP)", "Special Attributes" : "Īpašie atribūti", "Quota Field" : "Kvotu lauks", "Quota Default" : "Kvotas noklusējums", - "in bytes" : "baitos", "Email Field" : "E-pasta lauks", "User Home Folder Naming Rule" : "Lietotāja mājas mapes nosaukšanas kārtula", - "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Atstāt tukšu lietotāja vārdam (noklusējuma). Citādi, norādi LDAP/AD atribūtu." + "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Atstāt tukšu lietotāja vārdam (noklusējuma). Citādi, norādi LDAP/AD atribūtu.", + "Internal Username" : "Iekšējais lietotājvārds", + "Override UUID detection" : "Ignorēt UUID noteikšanu", + "UUID Attribute for Users:" : "UUID atribūti lietotājiem:", + "UUID Attribute for Groups:" : "UUID atribūti grupām:", + "LDAP" : "LDAP" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/pt_PT.js b/apps/user_ldap/l10n/pt_PT.js index 1d0b4481d95e2..81355c213d25a 100644 --- a/apps/user_ldap/l10n/pt_PT.js +++ b/apps/user_ldap/l10n/pt_PT.js @@ -139,12 +139,7 @@ OC.L10N.register( "Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have an internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage." : "O ownCloud usa nomes de utilizadores para guardar e atribuir (meta) dados. Para identificar com precisão os utilizadores, cada utilizador de LDAP tem um nome de utilizador interno. Isto requer um mapeamento entre o utilizador LDAP e o utilizador ownCloud. Adicionalmente, o DN é colocado em cache para reduzir a interação com LDAP, porém não é usado para identificação. Se o DN muda, essas alterações serão vistas pelo ownCloud. O nome interno do ownCloud é usado em todo o lado, no ownCloud. Limpar os mapeamentos deixará vestígios em todo o lado. A limpeza dos mapeamentos não é sensível à configuração, pois afeta todas as configurações de LDAP! Nunca limpe os mapeamentos num ambiente de produção, apenas o faça numa fase de testes ou experimental.", "Clear Username-LDAP User Mapping" : "Limpar mapeamento do utilizador-LDAP", "Clear Groupname-LDAP Group Mapping" : "Limpar o mapeamento do nome de grupo LDAP", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "O campo %uid está em falta. Este será substituído pelo utilizador do ownCloud quando for efectuado o pedido ao LDAP / AD.", - "Verify settings and count groups" : "Verificar condições e contar grupos", - "Add a new and blank configuration" : "Adicione uma nova configuração em branco", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Pode omitir o protocolo, excepto se necessitar de SSL. Neste caso, comece com ldaps://", "LDAP" : "LDAP", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Aviso: A aplicação user_ldap e user_webdavauth são incompativeis. A aplicação pode tornar-se instável. Por favor, peça ao seu administrador para desactivar uma das aplicações.", - "in bytes" : "em bytes" + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Aviso: A aplicação user_ldap e user_webdavauth são incompativeis. A aplicação pode tornar-se instável. Por favor, peça ao seu administrador para desactivar uma das aplicações." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/user_ldap/l10n/pt_PT.json b/apps/user_ldap/l10n/pt_PT.json index 32b97a0766348..5c0b22104bb82 100644 --- a/apps/user_ldap/l10n/pt_PT.json +++ b/apps/user_ldap/l10n/pt_PT.json @@ -137,12 +137,7 @@ "Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have an internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage." : "O ownCloud usa nomes de utilizadores para guardar e atribuir (meta) dados. Para identificar com precisão os utilizadores, cada utilizador de LDAP tem um nome de utilizador interno. Isto requer um mapeamento entre o utilizador LDAP e o utilizador ownCloud. Adicionalmente, o DN é colocado em cache para reduzir a interação com LDAP, porém não é usado para identificação. Se o DN muda, essas alterações serão vistas pelo ownCloud. O nome interno do ownCloud é usado em todo o lado, no ownCloud. Limpar os mapeamentos deixará vestígios em todo o lado. A limpeza dos mapeamentos não é sensível à configuração, pois afeta todas as configurações de LDAP! Nunca limpe os mapeamentos num ambiente de produção, apenas o faça numa fase de testes ou experimental.", "Clear Username-LDAP User Mapping" : "Limpar mapeamento do utilizador-LDAP", "Clear Groupname-LDAP Group Mapping" : "Limpar o mapeamento do nome de grupo LDAP", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "O campo %uid está em falta. Este será substituído pelo utilizador do ownCloud quando for efectuado o pedido ao LDAP / AD.", - "Verify settings and count groups" : "Verificar condições e contar grupos", - "Add a new and blank configuration" : "Adicione uma nova configuração em branco", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Pode omitir o protocolo, excepto se necessitar de SSL. Neste caso, comece com ldaps://", "LDAP" : "LDAP", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Aviso: A aplicação user_ldap e user_webdavauth são incompativeis. A aplicação pode tornar-se instável. Por favor, peça ao seu administrador para desactivar uma das aplicações.", - "in bytes" : "em bytes" + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Aviso: A aplicação user_ldap e user_webdavauth são incompativeis. A aplicação pode tornar-se instável. Por favor, peça ao seu administrador para desactivar uma das aplicações." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/sl.js b/apps/user_ldap/l10n/sl.js index cfc628cae30df..320d3d252a556 100644 --- a/apps/user_ldap/l10n/sl.js +++ b/apps/user_ldap/l10n/sl.js @@ -59,9 +59,7 @@ OC.L10N.register( "When logging in, %s will find the user based on the following attributes:" : "Pri prijavi bodo prek %s najdeni uporabniki na osnovi navedenih atributov:", "LDAP / AD Username:" : "Uporabniško ime LDAP / AD:", "LDAP / AD Email Address:" : "Elektronski naslov LDAP / AD:", - "Allows login against an email attribute. Mail and mailPrimaryAddress will be allowed." : "Dovoli prijavo z atributom elektronskega naslova. Dovoljena bosta naslova Mail and mailPrimaryAddress.", "Other Attributes:" : "Drugi atributi:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "Določi filter, ki bo uveljavljen ob poskusu prijave. %%uid zamenja uporabniško ime pri prijavi, na primer: \"uid=%%uid\"", "Test Loginname" : "Preizkusi prijavno ime", "Verify settings" : "Preveri nastavitve", "1. Server" : "1. strežnik", @@ -86,7 +84,6 @@ OC.L10N.register( "Saving" : "Poteka shranjevanje ...", "Back" : "Nazaj", "Continue" : "Nadaljuj", - "LDAP" : "LDAP", "Server" : "Strežnik", "Users" : "Uporabniki", "Login Attributes" : "Atributi prijave", @@ -140,12 +137,7 @@ OC.L10N.register( "Username-LDAP User Mapping" : "Uporabniška preslikava uporabniškega imena na LDAP", "Clear Username-LDAP User Mapping" : "Izbriši preslikavo uporabniškega imena na LDAP", "Clear Groupname-LDAP Group Mapping" : "Izbriši preslikavo skupine na LDAP", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "Manjka držalo %uid. Zamenjano bo z uporabniškim imenom pri poizvedbah LDAP / AD.", - "Verify settings and count groups" : "Preveri nastavitve in preštej skupine", - "Allows login against the LDAP / AD username, which is either uid or samaccountname and will be detected." : "Omogoča prijavo prek LDAP / AD, ki je ali UID ali ime računa, ki bo zaznano.", - "Add a new and blank configuration" : "In nova, privzeta nastavitev", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Protokol je lahko izpuščen, če ni posebej zahtevan SSL. V tem primeru se mora naslov začeti z ldaps://", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Opozorilo: določili user_ldap in user_webdavauth sta neskladni, kar lahko vpliva na delovanje sistema. O napaki pošljite poročilo skrbniku sistema in opozorite, da je treba eno izmed možnosti onemogočiti.", - "in bytes" : "v bajtih" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Opozorilo: določili user_ldap in user_webdavauth sta neskladni, kar lahko vpliva na delovanje sistema. O napaki pošljite poročilo skrbniku sistema in opozorite, da je treba eno izmed možnosti onemogočiti." }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/user_ldap/l10n/sl.json b/apps/user_ldap/l10n/sl.json index 6f5a5d9674cc8..15972f2de9de8 100644 --- a/apps/user_ldap/l10n/sl.json +++ b/apps/user_ldap/l10n/sl.json @@ -57,9 +57,7 @@ "When logging in, %s will find the user based on the following attributes:" : "Pri prijavi bodo prek %s najdeni uporabniki na osnovi navedenih atributov:", "LDAP / AD Username:" : "Uporabniško ime LDAP / AD:", "LDAP / AD Email Address:" : "Elektronski naslov LDAP / AD:", - "Allows login against an email attribute. Mail and mailPrimaryAddress will be allowed." : "Dovoli prijavo z atributom elektronskega naslova. Dovoljena bosta naslova Mail and mailPrimaryAddress.", "Other Attributes:" : "Drugi atributi:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "Določi filter, ki bo uveljavljen ob poskusu prijave. %%uid zamenja uporabniško ime pri prijavi, na primer: \"uid=%%uid\"", "Test Loginname" : "Preizkusi prijavno ime", "Verify settings" : "Preveri nastavitve", "1. Server" : "1. strežnik", @@ -84,7 +82,6 @@ "Saving" : "Poteka shranjevanje ...", "Back" : "Nazaj", "Continue" : "Nadaljuj", - "LDAP" : "LDAP", "Server" : "Strežnik", "Users" : "Uporabniki", "Login Attributes" : "Atributi prijave", @@ -138,12 +135,7 @@ "Username-LDAP User Mapping" : "Uporabniška preslikava uporabniškega imena na LDAP", "Clear Username-LDAP User Mapping" : "Izbriši preslikavo uporabniškega imena na LDAP", "Clear Groupname-LDAP Group Mapping" : "Izbriši preslikavo skupine na LDAP", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "Manjka držalo %uid. Zamenjano bo z uporabniškim imenom pri poizvedbah LDAP / AD.", - "Verify settings and count groups" : "Preveri nastavitve in preštej skupine", - "Allows login against the LDAP / AD username, which is either uid or samaccountname and will be detected." : "Omogoča prijavo prek LDAP / AD, ki je ali UID ali ime računa, ki bo zaznano.", - "Add a new and blank configuration" : "In nova, privzeta nastavitev", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Protokol je lahko izpuščen, če ni posebej zahtevan SSL. V tem primeru se mora naslov začeti z ldaps://", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Opozorilo: določili user_ldap in user_webdavauth sta neskladni, kar lahko vpliva na delovanje sistema. O napaki pošljite poročilo skrbniku sistema in opozorite, da je treba eno izmed možnosti onemogočiti.", - "in bytes" : "v bajtih" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Opozorilo: določili user_ldap in user_webdavauth sta neskladni, kar lahko vpliva na delovanje sistema. O napaki pošljite poročilo skrbniku sistema in opozorite, da je treba eno izmed možnosti onemogočiti." },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/th.js b/apps/user_ldap/l10n/th.js index b04775e1ab77c..cb9baadadd407 100644 --- a/apps/user_ldap/l10n/th.js +++ b/apps/user_ldap/l10n/th.js @@ -57,9 +57,7 @@ OC.L10N.register( "When logging in, %s will find the user based on the following attributes:" : "เมื่อเข้าสู่ระบบ %s จะได้พบกับผู้ใช้ตามลักษณะดังต่อไปนี้:", "LDAP / AD Username:" : "ชื่อผู้ใช้ LDAP/AD:", "LDAP / AD Email Address:" : "ที่อยู่อีเมล LDAP/AD:", - "Allows login against an email attribute. Mail and mailPrimaryAddress will be allowed." : "อนุญาตให้เข้าสู่ระบบด้วยอีเมล Mail และ mailPrimaryAddress จะได้รับอนุญาต", "Other Attributes:" : "คุณลักษณะอื่นๆ:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "กำหนดตัวกรองที่จะใช้ เมื่อพยายามเข้าสู่ระบบจะใช้ %%uid แทนชื่อผู้ใช้ในการดำเนินการเข้าสู่ระบบ ตัวอย่าง: \"uid=%%uid\"", "Test Loginname" : "ทดสอบชื่อที่ใช้ในการเข้าสู่ระบบ", "Verify settings" : "ตรวจสอบการตั้งค่า", "1. Server" : "1. เซิร์ฟเวอร์", @@ -85,7 +83,6 @@ OC.L10N.register( "Saving" : "บันทึก", "Back" : "ย้อนกลับ", "Continue" : "ดำเนินการต่อ", - "LDAP" : "LDAP", "Server" : "เซิร์ฟเวอร์", "Users" : "ผู้ใช้งาน", "Login Attributes" : "คุณลักษณะการเข้าสู่ระบบ", @@ -139,12 +136,7 @@ OC.L10N.register( "Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have an internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage." : "ชื่อผู้ใช้จะใช้ในการจัดเก็บและกำหนดข้อมูล (เมตา) เพื่อรู้จักกับผู้ใช้และสามารถระบุได้อย่างแม่นยำ แต่ละ LDAP จะมีชื่อผู้ใช้ภายใน จึงต้องทำ Mapping ให้กับผู้ใช้ LDAP ชื่อผู้ใช้ที่ถูกสร้างขึ้นจะถูกแมปเข้ากับ UUID ของผู้ใช้ LDAP นอกจากนี้ DN ก็จะถูกแคชเช่นกันเพื่อลดการทำงานร่วมกันของ LDAP แต่มันก็ไม่ได้ใช้เพื่อระบุตัวตน หากมีการเปลี่ยนแปลง DN การเปลี่ยนแปลงจะถูกพบในทันที ชื่อผู้ใช้ภายในจะถูกใช้กับทั้งหมด การล้างแมปไม่มีผลต่อการกำหนดค่า LDAP ทั้งหมด! \nและจะเกิดขึ้นเฉพาะในการทดสอบหรือขั้นตอนการทดลอง", "Clear Username-LDAP User Mapping" : "ล้าง Username-LDAP ผู้ใช้ Mapping", "Clear Groupname-LDAP Group Mapping" : "ล้าง Groupname-LDAP กลุ่ม Mapping", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "ตัวยึดตำแหน่ง %uid หายไป มันจะถูกแทนที่ด้วยชื่อที่ใช้ในการเข้าสู่ระบบเมื่อสอบถาม LDAP/AD", - "Verify settings and count groups" : "ตรวจสอบการตั้งค่าและจำนวนกลุ่มนับ", - "Allows login against the LDAP / AD username, which is either uid or samaccountname and will be detected." : "อนุญาตให้ผู้ใช้เข้าสู่ระบบ LDAP/AD ซึ่งเป็นทั้ง uid หรือ samAccountName และมันจะถูกตรวจพบ", - "Add a new and blank configuration" : "เพิ่มใหม่และการกำหนดค่าว่าง", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "คุณสามารถปล่อยช่องโปรโตคอลเว้นไว้ได้, ยกเว้นกรณีที่คุณต้องการใช้ SSL จากนั้นเริ่มต้นด้วย ldaps://", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "คำเตือน: แอพฯ user_ldap และ user_webdavauth เข้ากันไม่ได้ คุณอาจจะพบเหตุการณ์ที่ไม่คาดคิด กรุณาขอให้ผู้ดูแลระบบของคุณปิดการใช้งานบางอย่างของพวกเขา", - "in bytes" : "ในหน่วยไบต์" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "คำเตือน: แอพฯ user_ldap และ user_webdavauth เข้ากันไม่ได้ คุณอาจจะพบเหตุการณ์ที่ไม่คาดคิด กรุณาขอให้ผู้ดูแลระบบของคุณปิดการใช้งานบางอย่างของพวกเขา" }, "nplurals=1; plural=0;"); diff --git a/apps/user_ldap/l10n/th.json b/apps/user_ldap/l10n/th.json index 89e89ca3022d3..3119a67aea682 100644 --- a/apps/user_ldap/l10n/th.json +++ b/apps/user_ldap/l10n/th.json @@ -55,9 +55,7 @@ "When logging in, %s will find the user based on the following attributes:" : "เมื่อเข้าสู่ระบบ %s จะได้พบกับผู้ใช้ตามลักษณะดังต่อไปนี้:", "LDAP / AD Username:" : "ชื่อผู้ใช้ LDAP/AD:", "LDAP / AD Email Address:" : "ที่อยู่อีเมล LDAP/AD:", - "Allows login against an email attribute. Mail and mailPrimaryAddress will be allowed." : "อนุญาตให้เข้าสู่ระบบด้วยอีเมล Mail และ mailPrimaryAddress จะได้รับอนุญาต", "Other Attributes:" : "คุณลักษณะอื่นๆ:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "กำหนดตัวกรองที่จะใช้ เมื่อพยายามเข้าสู่ระบบจะใช้ %%uid แทนชื่อผู้ใช้ในการดำเนินการเข้าสู่ระบบ ตัวอย่าง: \"uid=%%uid\"", "Test Loginname" : "ทดสอบชื่อที่ใช้ในการเข้าสู่ระบบ", "Verify settings" : "ตรวจสอบการตั้งค่า", "1. Server" : "1. เซิร์ฟเวอร์", @@ -83,7 +81,6 @@ "Saving" : "บันทึก", "Back" : "ย้อนกลับ", "Continue" : "ดำเนินการต่อ", - "LDAP" : "LDAP", "Server" : "เซิร์ฟเวอร์", "Users" : "ผู้ใช้งาน", "Login Attributes" : "คุณลักษณะการเข้าสู่ระบบ", @@ -137,12 +134,7 @@ "Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have an internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage." : "ชื่อผู้ใช้จะใช้ในการจัดเก็บและกำหนดข้อมูล (เมตา) เพื่อรู้จักกับผู้ใช้และสามารถระบุได้อย่างแม่นยำ แต่ละ LDAP จะมีชื่อผู้ใช้ภายใน จึงต้องทำ Mapping ให้กับผู้ใช้ LDAP ชื่อผู้ใช้ที่ถูกสร้างขึ้นจะถูกแมปเข้ากับ UUID ของผู้ใช้ LDAP นอกจากนี้ DN ก็จะถูกแคชเช่นกันเพื่อลดการทำงานร่วมกันของ LDAP แต่มันก็ไม่ได้ใช้เพื่อระบุตัวตน หากมีการเปลี่ยนแปลง DN การเปลี่ยนแปลงจะถูกพบในทันที ชื่อผู้ใช้ภายในจะถูกใช้กับทั้งหมด การล้างแมปไม่มีผลต่อการกำหนดค่า LDAP ทั้งหมด! \nและจะเกิดขึ้นเฉพาะในการทดสอบหรือขั้นตอนการทดลอง", "Clear Username-LDAP User Mapping" : "ล้าง Username-LDAP ผู้ใช้ Mapping", "Clear Groupname-LDAP Group Mapping" : "ล้าง Groupname-LDAP กลุ่ม Mapping", - "The %uid placeholder is missing. It will be replaced with the login name when querying LDAP / AD." : "ตัวยึดตำแหน่ง %uid หายไป มันจะถูกแทนที่ด้วยชื่อที่ใช้ในการเข้าสู่ระบบเมื่อสอบถาม LDAP/AD", - "Verify settings and count groups" : "ตรวจสอบการตั้งค่าและจำนวนกลุ่มนับ", - "Allows login against the LDAP / AD username, which is either uid or samaccountname and will be detected." : "อนุญาตให้ผู้ใช้เข้าสู่ระบบ LDAP/AD ซึ่งเป็นทั้ง uid หรือ samAccountName และมันจะถูกตรวจพบ", - "Add a new and blank configuration" : "เพิ่มใหม่และการกำหนดค่าว่าง", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "คุณสามารถปล่อยช่องโปรโตคอลเว้นไว้ได้, ยกเว้นกรณีที่คุณต้องการใช้ SSL จากนั้นเริ่มต้นด้วย ldaps://", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "คำเตือน: แอพฯ user_ldap และ user_webdavauth เข้ากันไม่ได้ คุณอาจจะพบเหตุการณ์ที่ไม่คาดคิด กรุณาขอให้ผู้ดูแลระบบของคุณปิดการใช้งานบางอย่างของพวกเขา", - "in bytes" : "ในหน่วยไบต์" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "คำเตือน: แอพฯ user_ldap และ user_webdavauth เข้ากันไม่ได้ คุณอาจจะพบเหตุการณ์ที่ไม่คาดคิด กรุณาขอให้ผู้ดูแลระบบของคุณปิดการใช้งานบางอย่างของพวกเขา" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/uk.js b/apps/user_ldap/l10n/uk.js index 7bc2fbe8a3983..2bb85b2229f21 100644 --- a/apps/user_ldap/l10n/uk.js +++ b/apps/user_ldap/l10n/uk.js @@ -3,9 +3,6 @@ OC.L10N.register( { "Failed to clear the mappings." : "Не вдалося очистити відображення.", "Failed to delete the server configuration" : "Не вдалося видалити конфігурацію сервера", - "The configuration is valid and the connection could be established!" : "Конфігурація вірна і зв'язок може бути встановлений ​​!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "Конфігурація вірна, але встановити зв'язок не вдалося. Будь ласка, перевірте налаштування сервера і облікові дані.", - "The configuration is invalid. Please have a look at the logs for further details." : "Конфігурація є недійсною. Будь ласка, дивіться журнали для отримання додаткової інформації.", "No action specified" : "Ніяких дій не вказано", "No configuration specified" : "Немає конфігурації", "No data specified" : "Немає даних", @@ -26,12 +23,8 @@ OC.L10N.register( "User found and settings verified." : "Користувача знайдено і налаштування перевірені.", "_%s group found_::_%s groups found_" : [" %s група знайдена "," %s груп знайдено ","%s груп знайдено "], "_%s user found_::_%s users found_" : ["%s користувача знайдено","%s користувачів знайдено","%s користувачів знайдено"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "Не вдалося виявити ім'я користувача. Будь ласка, сформулюйте самі в розширених налаштуваннях LDAP.", "Could not find the desired feature" : "Не вдалося знайти потрібну функцію", "Invalid Host" : "Невірний Host", - "Server" : "Сервер", - "Users" : "Користувачі", - "Groups" : "Групи", "Test Configuration" : "Тестове налаштування", "Help" : "Допомога", "Groups meeting these criteria are available in %s:" : "Групи, що відповідають цим критеріям доступні в %s:", @@ -43,11 +36,9 @@ OC.L10N.register( "The filter specifies which LDAP groups shall have access to the %s instance." : "Фільтр визначає, які LDAP групи повинні мати доступ до %s примірника.", "LDAP / AD Email Address:" : "LDAP / AD Email адреса:", "Other Attributes:" : "Інші Атрибути:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "Визначає фільтр, який слід застосовувати при спробі входу.\n%%uid замінює ім'я користувача при вході в систему. Приклад: \"uid=%%uid\"", "1. Server" : "1. Сервер", "%s. Server:" : "%s. Сервер:", "Host" : "Хост", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Можна не вказувати протокол, якщо вам не потрібен SSL. Тоді почніть з ldaps://", "Port" : "Порт", "Detect Port" : "Визначити Порт", "User DN" : "DN Користувача", @@ -62,10 +53,11 @@ OC.L10N.register( "Saving" : "Збереження", "Back" : "Назад", "Continue" : "Продовжити", - "LDAP" : "LDAP", + "Server" : "Сервер", + "Users" : "Користувачі", + "Groups" : "Групи", "Expert" : "Експерт", "Advanced" : "Додатково", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Попередження: Застосунки user_ldap та user_webdavauth не сумісні. Ви можете зіткнутися з несподіваною поведінкою. Будь ласка, зверніться до системного адміністратора, щоб відключити одну з них.", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Увага: Потрібний модуль PHP LDAP не встановлено, базова програма працювати не буде. Будь ласка, зверніться до системного адміністратора, щоб встановити його.", "Connection Settings" : "Налаштування З'єднання", "Configuration Active" : "Налаштування Активне", @@ -99,12 +91,10 @@ OC.L10N.register( "Special Attributes" : "Спеціальні Атрибути", "Quota Field" : "Поле Квоти", "Quota Default" : "Квота за замовчанням", - "in bytes" : "в байтах", "Email Field" : "Поле E-mail", "User Home Folder Naming Rule" : "Правило іменування домашньої теки користувача", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Залиште порожнім для імені користувача (за замовчанням). Інакше, вкажіть атрибут LDAP/AD.", "Internal Username" : "Внутрішня Ім'я користувача", - "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. To achieve a similar behavior as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users." : "За замовчуванням внутрішнє ім'я користувача буде створено з атрибуту UUID. Таким чином ім'я користувача є унікальним і не потребує перетворення символів. Внутрішнє ім'я користувача може складатися лише з наступних символів: [A-Za-z0-9 _ @ -.]. Інші символи заміняються відповідними з таблиці ASCII або пропускаються. При збігу до імені буде додано або збільшено число. Внутрішнє ім'я користувача використовується для внутрішньої ідентифікації користувача. Це також ім'я за замовчуванням для домашньої теки користувача та частина віддалених URL, наприклад, для всіх сервісів *DAV. За допомогою цієї установки можна змінити поведінку за замовчуванням. Для досягнення поведінки, що була до OwnCloud 5, введіть атрибут ім'я користувача, що відображається, в наступне поле. Залиште порожнім для режиму за замовчуванням. Зміни будуть діяти тільки для нових підключень (доданих) користувачів LDAP.", "Internal Username Attribute:" : "Внутрішня Ім'я користувача, Атрибут:", "Override UUID detection" : "Перекрити вивід UUID ", "By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups." : "За замовчуванням ownCloud визначає атрибут UUID автоматично. Цей атрибут використовується для того, щоб достовірно ідентифікувати користувачів і групи LDAP. Також на підставі атрибута UUID створюється внутрішнє ім'я користувача, якщо вище не вказано інакше. Ви можете перевизначити це налаштування та вказати свій атрибут за вибором. Ви повинні упевнитися, що обраний вами атрибут може бути вибраний для користувачів і груп, а також те, що він унікальний. Залиште поле порожнім для поведінки за замовчуванням. Зміни вступлять в силу тільки для нових підключених (доданих) користувачів і груп LDAP.", @@ -113,6 +103,8 @@ OC.L10N.register( "Username-LDAP User Mapping" : "Картографія Імен користувачів-LDAP ", "Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have an internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage." : "ownCloud використовує імена користувачів для зберігання та призначення метаданих. Для точної ідентифікації та розпізнавання користувачів, кожен користувач LDAP буде мати своє внутрішнє ім'я користувача. Це вимагає прив'язки імені користувача ownCloud до користувача LDAP. При створенні ім'я користувача призначається ідентифікатором UUID користувача LDAP. Крім цього кешируєтся доменне ім'я (DN) для зменшення числа звернень до LDAP, однак воно не використовується для ідентифікації. Якщо доменне ім'я було змінено, про це стане відомо ownCloud. Внутрішнє ім'я ownCloud використовується повсюдно в ownCloud. Після скидання прив'язок в базі можуть зберегтися залишки старої інформації. Скидання прив'язок не прив'язане до конфігурації, воно вплине на всі LDAP підключення! Ні в якому разі не рекомендується скидати прив'язки якщо система вже знаходиться в експлуатації, тільки на етапі тестування.", "Clear Username-LDAP User Mapping" : "Очистити картографію Імен користувачів-LDAP", - "Clear Groupname-LDAP Group Mapping" : "Очистити картографію Імен груп-LDAP" + "Clear Groupname-LDAP Group Mapping" : "Очистити картографію Імен груп-LDAP", + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Попередження: Застосунки user_ldap та user_webdavauth не сумісні. Ви можете зіткнутися з несподіваною поведінкою. Будь ласка, зверніться до системного адміністратора, щоб відключити одну з них." }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/apps/user_ldap/l10n/uk.json b/apps/user_ldap/l10n/uk.json index 056dcd1917abf..b7fcbbf031ca5 100644 --- a/apps/user_ldap/l10n/uk.json +++ b/apps/user_ldap/l10n/uk.json @@ -1,9 +1,6 @@ { "translations": { "Failed to clear the mappings." : "Не вдалося очистити відображення.", "Failed to delete the server configuration" : "Не вдалося видалити конфігурацію сервера", - "The configuration is valid and the connection could be established!" : "Конфігурація вірна і зв'язок може бути встановлений ​​!", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "Конфігурація вірна, але встановити зв'язок не вдалося. Будь ласка, перевірте налаштування сервера і облікові дані.", - "The configuration is invalid. Please have a look at the logs for further details." : "Конфігурація є недійсною. Будь ласка, дивіться журнали для отримання додаткової інформації.", "No action specified" : "Ніяких дій не вказано", "No configuration specified" : "Немає конфігурації", "No data specified" : "Немає даних", @@ -24,12 +21,8 @@ "User found and settings verified." : "Користувача знайдено і налаштування перевірені.", "_%s group found_::_%s groups found_" : [" %s група знайдена "," %s груп знайдено ","%s груп знайдено "], "_%s user found_::_%s users found_" : ["%s користувача знайдено","%s користувачів знайдено","%s користувачів знайдено"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "Не вдалося виявити ім'я користувача. Будь ласка, сформулюйте самі в розширених налаштуваннях LDAP.", "Could not find the desired feature" : "Не вдалося знайти потрібну функцію", "Invalid Host" : "Невірний Host", - "Server" : "Сервер", - "Users" : "Користувачі", - "Groups" : "Групи", "Test Configuration" : "Тестове налаштування", "Help" : "Допомога", "Groups meeting these criteria are available in %s:" : "Групи, що відповідають цим критеріям доступні в %s:", @@ -41,11 +34,9 @@ "The filter specifies which LDAP groups shall have access to the %s instance." : "Фільтр визначає, які LDAP групи повинні мати доступ до %s примірника.", "LDAP / AD Email Address:" : "LDAP / AD Email адреса:", "Other Attributes:" : "Інші Атрибути:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "Визначає фільтр, який слід застосовувати при спробі входу.\n%%uid замінює ім'я користувача при вході в систему. Приклад: \"uid=%%uid\"", "1. Server" : "1. Сервер", "%s. Server:" : "%s. Сервер:", "Host" : "Хост", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "Можна не вказувати протокол, якщо вам не потрібен SSL. Тоді почніть з ldaps://", "Port" : "Порт", "Detect Port" : "Визначити Порт", "User DN" : "DN Користувача", @@ -60,10 +51,11 @@ "Saving" : "Збереження", "Back" : "Назад", "Continue" : "Продовжити", - "LDAP" : "LDAP", + "Server" : "Сервер", + "Users" : "Користувачі", + "Groups" : "Групи", "Expert" : "Експерт", "Advanced" : "Додатково", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Попередження: Застосунки user_ldap та user_webdavauth не сумісні. Ви можете зіткнутися з несподіваною поведінкою. Будь ласка, зверніться до системного адміністратора, щоб відключити одну з них.", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "Увага: Потрібний модуль PHP LDAP не встановлено, базова програма працювати не буде. Будь ласка, зверніться до системного адміністратора, щоб встановити його.", "Connection Settings" : "Налаштування З'єднання", "Configuration Active" : "Налаштування Активне", @@ -97,12 +89,10 @@ "Special Attributes" : "Спеціальні Атрибути", "Quota Field" : "Поле Квоти", "Quota Default" : "Квота за замовчанням", - "in bytes" : "в байтах", "Email Field" : "Поле E-mail", "User Home Folder Naming Rule" : "Правило іменування домашньої теки користувача", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Залиште порожнім для імені користувача (за замовчанням). Інакше, вкажіть атрибут LDAP/AD.", "Internal Username" : "Внутрішня Ім'я користувача", - "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. To achieve a similar behavior as before ownCloud 5 enter the user display name attribute in the following field. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users." : "За замовчуванням внутрішнє ім'я користувача буде створено з атрибуту UUID. Таким чином ім'я користувача є унікальним і не потребує перетворення символів. Внутрішнє ім'я користувача може складатися лише з наступних символів: [A-Za-z0-9 _ @ -.]. Інші символи заміняються відповідними з таблиці ASCII або пропускаються. При збігу до імені буде додано або збільшено число. Внутрішнє ім'я користувача використовується для внутрішньої ідентифікації користувача. Це також ім'я за замовчуванням для домашньої теки користувача та частина віддалених URL, наприклад, для всіх сервісів *DAV. За допомогою цієї установки можна змінити поведінку за замовчуванням. Для досягнення поведінки, що була до OwnCloud 5, введіть атрибут ім'я користувача, що відображається, в наступне поле. Залиште порожнім для режиму за замовчуванням. Зміни будуть діяти тільки для нових підключень (доданих) користувачів LDAP.", "Internal Username Attribute:" : "Внутрішня Ім'я користувача, Атрибут:", "Override UUID detection" : "Перекрити вивід UUID ", "By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups." : "За замовчуванням ownCloud визначає атрибут UUID автоматично. Цей атрибут використовується для того, щоб достовірно ідентифікувати користувачів і групи LDAP. Також на підставі атрибута UUID створюється внутрішнє ім'я користувача, якщо вище не вказано інакше. Ви можете перевизначити це налаштування та вказати свій атрибут за вибором. Ви повинні упевнитися, що обраний вами атрибут може бути вибраний для користувачів і груп, а також те, що він унікальний. Залиште поле порожнім для поведінки за замовчуванням. Зміни вступлять в силу тільки для нових підключених (доданих) користувачів і груп LDAP.", @@ -111,6 +101,8 @@ "Username-LDAP User Mapping" : "Картографія Імен користувачів-LDAP ", "Usernames are used to store and assign (meta) data. In order to precisely identify and recognize users, each LDAP user will have an internal username. This requires a mapping from username to LDAP user. The created username is mapped to the UUID of the LDAP user. Additionally the DN is cached as well to reduce LDAP interaction, but it is not used for identification. If the DN changes, the changes will be found. The internal username is used all over. Clearing the mappings will have leftovers everywhere. Clearing the mappings is not configuration sensitive, it affects all LDAP configurations! Never clear the mappings in a production environment, only in a testing or experimental stage." : "ownCloud використовує імена користувачів для зберігання та призначення метаданих. Для точної ідентифікації та розпізнавання користувачів, кожен користувач LDAP буде мати своє внутрішнє ім'я користувача. Це вимагає прив'язки імені користувача ownCloud до користувача LDAP. При створенні ім'я користувача призначається ідентифікатором UUID користувача LDAP. Крім цього кешируєтся доменне ім'я (DN) для зменшення числа звернень до LDAP, однак воно не використовується для ідентифікації. Якщо доменне ім'я було змінено, про це стане відомо ownCloud. Внутрішнє ім'я ownCloud використовується повсюдно в ownCloud. Після скидання прив'язок в базі можуть зберегтися залишки старої інформації. Скидання прив'язок не прив'язане до конфігурації, воно вплине на всі LDAP підключення! Ні в якому разі не рекомендується скидати прив'язки якщо система вже знаходиться в експлуатації, тільки на етапі тестування.", "Clear Username-LDAP User Mapping" : "Очистити картографію Імен користувачів-LDAP", - "Clear Groupname-LDAP Group Mapping" : "Очистити картографію Імен груп-LDAP" + "Clear Groupname-LDAP Group Mapping" : "Очистити картографію Імен груп-LDAP", + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "Попередження: Застосунки user_ldap та user_webdavauth не сумісні. Ви можете зіткнутися з несподіваною поведінкою. Будь ласка, зверніться до системного адміністратора, щоб відключити одну з них." },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/apps/user_ldap/l10n/zh_TW.js b/apps/user_ldap/l10n/zh_TW.js index a1d33015abf86..0f4118c24d7ab 100644 --- a/apps/user_ldap/l10n/zh_TW.js +++ b/apps/user_ldap/l10n/zh_TW.js @@ -3,10 +3,6 @@ OC.L10N.register( { "Failed to clear the mappings." : "清除映射失敗", "Failed to delete the server configuration" : "刪除伺服器設定時失敗", - "The configuration is invalid: anonymous bind is not allowed." : "設定檔無效: 不允許匿名使者", - "The configuration is valid and the connection could be established!" : "設定有效且連線可建立", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "設定有效但連線無法建立,請檢查伺服器設定與認證資料。", - "The configuration is invalid. Please have a look at the logs for further details." : "設定無效,更多細節請參閱 ownCloud 的記錄檔。", "No action specified" : "沒有指定操作", "No configuration specified" : "沒有指定設定", "No data specified" : "沒有指定資料", @@ -36,15 +32,12 @@ OC.L10N.register( "Switching the mode will enable automatic LDAP queries. Depending on your LDAP size they may take a while. Do you still want to switch the mode?" : "切換模式會使LDAP自動抓取資訊,抓取資訊的時間依您的LDAP大小而定,可能會花一點時間,您確定要切換模式?", "Mode switch" : "模式切換", "Select attributes" : "選擇屬性", - "User not found. Please check your login attributes and username. Effective filter (to copy-and-paste for command line validation):
" : "找不到使用者,請檢查您的登入資料以及使用者名稱。驗證(複製貼上到命令提示位元做認證):
", "User found and settings verified." : "使用者存在,設定值正確", - "An unspecified error occurred. Please check the settings and the log." : "發生預期之外的錯誤,請檢查設定和記錄檔", "A connection error to LDAP / AD occurred, please check host, port and credentials." : "連線到 LDAP/AD出現錯誤,請檢查主機,連接阜和驗證資訊", "Please provide a login name to test against" : "請提供登入姓名以便再次測試", "The group box was disabled, because the LDAP / AD server does not support memberOf." : "群組盒已經停用,LDAP/AD 伺服器並不支援", "_%s group found_::_%s groups found_" : ["找到 %s 群組"], "_%s user found_::_%s users found_" : ["找到 %s 使用者"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "無法偵測使用者的顯示名稱,請您自行在ldap設定中指定", "Could not find the desired feature" : "無法找到所需的功能", "Invalid Host" : "無效的Host", "Test Configuration" : "測試此設定", @@ -59,7 +52,6 @@ OC.L10N.register( "LDAP / AD Username:" : "LDAP / AD 使用者名稱:", "LDAP / AD Email Address:" : "LDAP / AD 電子郵件:", "Other Attributes:" : "其他屬性:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "試圖登入時會定義要套用的篩選器。登入過程中%%uid會取代使用者名稱。例如:\"uid=%%uid\"", "Test Loginname" : "測試登入姓名", "Verify settings" : "驗證設定", "1. Server" : "1. 伺服器", @@ -83,13 +75,11 @@ OC.L10N.register( "Saving" : "儲存", "Back" : "返回", "Continue" : "繼續", - "LDAP" : "LDAP", "Server" : "伺服器", "Users" : "使用者", "Login Attributes" : "登入的設定", "Groups" : "群組", "Advanced" : "進階", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "警告: 應用程式user_ldap和user_webdavauth互不相容。可能會造成無法預期的結果。請要求您的系統管理員將兩者其中之一停用。", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作,請要求您的系統管理員安裝模組。", "Connection Settings" : "連線設定", "Configuration Active" : "設定使用中", @@ -126,9 +116,7 @@ OC.L10N.register( "Override UUID detection" : "偵測覆寫UUID", "UUID Attribute for Users:" : "使用者的UUID值:", "UUID Attribute for Groups:" : "群組的UUID值:", - "Verify settings and count groups" : "驗證設定並計算群組數", - "Add a new and blank configuration" : "新增一個空白的設定檔", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "若您不需要 SSL 加密連線則不需輸入通訊協定,反之請輸入 ldaps://", - "in bytes" : "以位元組為單位" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "警告: 應用程式user_ldap和user_webdavauth互不相容。可能會造成無法預期的結果。請要求您的系統管理員將兩者其中之一停用。" }, "nplurals=1; plural=0;"); diff --git a/apps/user_ldap/l10n/zh_TW.json b/apps/user_ldap/l10n/zh_TW.json index 0275b15c270f0..b43aec23cd344 100644 --- a/apps/user_ldap/l10n/zh_TW.json +++ b/apps/user_ldap/l10n/zh_TW.json @@ -1,10 +1,6 @@ { "translations": { "Failed to clear the mappings." : "清除映射失敗", "Failed to delete the server configuration" : "刪除伺服器設定時失敗", - "The configuration is invalid: anonymous bind is not allowed." : "設定檔無效: 不允許匿名使者", - "The configuration is valid and the connection could be established!" : "設定有效且連線可建立", - "The configuration is valid, but the Bind failed. Please check the server settings and credentials." : "設定有效但連線無法建立,請檢查伺服器設定與認證資料。", - "The configuration is invalid. Please have a look at the logs for further details." : "設定無效,更多細節請參閱 ownCloud 的記錄檔。", "No action specified" : "沒有指定操作", "No configuration specified" : "沒有指定設定", "No data specified" : "沒有指定資料", @@ -34,15 +30,12 @@ "Switching the mode will enable automatic LDAP queries. Depending on your LDAP size they may take a while. Do you still want to switch the mode?" : "切換模式會使LDAP自動抓取資訊,抓取資訊的時間依您的LDAP大小而定,可能會花一點時間,您確定要切換模式?", "Mode switch" : "模式切換", "Select attributes" : "選擇屬性", - "User not found. Please check your login attributes and username. Effective filter (to copy-and-paste for command line validation):
" : "找不到使用者,請檢查您的登入資料以及使用者名稱。驗證(複製貼上到命令提示位元做認證):
", "User found and settings verified." : "使用者存在,設定值正確", - "An unspecified error occurred. Please check the settings and the log." : "發生預期之外的錯誤,請檢查設定和記錄檔", "A connection error to LDAP / AD occurred, please check host, port and credentials." : "連線到 LDAP/AD出現錯誤,請檢查主機,連接阜和驗證資訊", "Please provide a login name to test against" : "請提供登入姓名以便再次測試", "The group box was disabled, because the LDAP / AD server does not support memberOf." : "群組盒已經停用,LDAP/AD 伺服器並不支援", "_%s group found_::_%s groups found_" : ["找到 %s 群組"], "_%s user found_::_%s users found_" : ["找到 %s 使用者"], - "Could not detect user display name attribute. Please specify it yourself in advanced ldap settings." : "無法偵測使用者的顯示名稱,請您自行在ldap設定中指定", "Could not find the desired feature" : "無法找到所需的功能", "Invalid Host" : "無效的Host", "Test Configuration" : "測試此設定", @@ -57,7 +50,6 @@ "LDAP / AD Username:" : "LDAP / AD 使用者名稱:", "LDAP / AD Email Address:" : "LDAP / AD 電子郵件:", "Other Attributes:" : "其他屬性:", - "Defines the filter to apply, when login is attempted. %%uid replaces the username in the login action. Example: \"uid=%%uid\"" : "試圖登入時會定義要套用的篩選器。登入過程中%%uid會取代使用者名稱。例如:\"uid=%%uid\"", "Test Loginname" : "測試登入姓名", "Verify settings" : "驗證設定", "1. Server" : "1. 伺服器", @@ -81,13 +73,11 @@ "Saving" : "儲存", "Back" : "返回", "Continue" : "繼續", - "LDAP" : "LDAP", "Server" : "伺服器", "Users" : "使用者", "Login Attributes" : "登入的設定", "Groups" : "群組", "Advanced" : "進階", - "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "警告: 應用程式user_ldap和user_webdavauth互不相容。可能會造成無法預期的結果。請要求您的系統管理員將兩者其中之一停用。", "Warning: The PHP LDAP module is not installed, the backend will not work. Please ask your system administrator to install it." : "警告:沒有安裝 PHP LDAP 模組,後端系統將無法運作,請要求您的系統管理員安裝模組。", "Connection Settings" : "連線設定", "Configuration Active" : "設定使用中", @@ -124,9 +114,7 @@ "Override UUID detection" : "偵測覆寫UUID", "UUID Attribute for Users:" : "使用者的UUID值:", "UUID Attribute for Groups:" : "群組的UUID值:", - "Verify settings and count groups" : "驗證設定並計算群組數", - "Add a new and blank configuration" : "新增一個空白的設定檔", - "You can omit the protocol, except you require SSL. Then start with ldaps://" : "若您不需要 SSL 加密連線則不需輸入通訊協定,反之請輸入 ldaps://", - "in bytes" : "以位元組為單位" + "LDAP" : "LDAP", + "Warning: Apps user_ldap and user_webdavauth are incompatible. You may experience unexpected behavior. Please ask your system administrator to disable one of them." : "警告: 應用程式user_ldap和user_webdavauth互不相容。可能會造成無法預期的結果。請要求您的系統管理員將兩者其中之一停用。" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/workflowengine/l10n/ast.js b/apps/workflowengine/l10n/ast.js index 3ce0f9a8b0b9e..e246ee314ea4f 100644 --- a/apps/workflowengine/l10n/ast.js +++ b/apps/workflowengine/l10n/ast.js @@ -49,8 +49,6 @@ OC.L10N.register( "Add rule" : "Amestar regla", "Save" : "Guardar", "Saving…" : "Guardando...", - "Loading…" : "Cargando...", - "Successfully saved" : "Guardóse con ésitu", - "File mime type" : "Triba MIME de ficheru" + "Loading…" : "Cargando..." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/workflowengine/l10n/ast.json b/apps/workflowengine/l10n/ast.json index fa0fb0921b4b1..d0ce0d77cf99b 100644 --- a/apps/workflowengine/l10n/ast.json +++ b/apps/workflowengine/l10n/ast.json @@ -47,8 +47,6 @@ "Add rule" : "Amestar regla", "Save" : "Guardar", "Saving…" : "Guardando...", - "Loading…" : "Cargando...", - "Successfully saved" : "Guardóse con ésitu", - "File mime type" : "Triba MIME de ficheru" + "Loading…" : "Cargando..." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/workflowengine/l10n/ia.js b/apps/workflowengine/l10n/ia.js new file mode 100644 index 0000000000000..d99a235862baa --- /dev/null +++ b/apps/workflowengine/l10n/ia.js @@ -0,0 +1,46 @@ +OC.L10N.register( + "workflowengine", + { + "Saving failed:" : "Salveguardata falleva:", + "is" : "es", + "is not" : "non es", + "matches" : "corresponde", + "does not match" : "non corresponde", + "Example: {placeholder}" : "Exemplo: {placeholder}", + "File size (upload)" : "Dimension de file (incarga)", + "less" : "minus", + "less or equals" : "minus o equal", + "greater or equals" : "major o equal", + "greater" : "major", + "File system tag" : "Etiquetta de systema de file", + "is tagged with" : "es etiquettate con", + "is not tagged with" : "non es etiquettate con", + "Select tag…" : "Selectionar etiquetta...", + "Request remote address" : "Demandar adresse remote", + "matches IPv4" : "corresponde a IPv4", + "does not match IPv4" : "non corresponde a IPv4", + "matches IPv6" : "corresponde a IPv6", + "does not match IPv6" : "non corresponde a IPv6", + "Request time" : "Demandar tempore", + "between" : "inter", + "not between" : "non inter", + "Start" : "Initio", + "End" : "Fin", + "Select timezone…" : "Selectionar fuso horari ...", + "Request URL" : "Demandar URL", + "Predefined URLs" : "URLs predefinite", + "Files WebDAV" : "Files WebDAV", + "Sync clients" : "Synchronisar clientes", + "Android client" : "Cliente Android", + "iOS client" : "Cliente iOS", + "Desktop client" : "Cliente de Scriptorio", + "is member of" : "es membro de", + "is not member of" : "non es membro de", + "Open documentation" : "Aperir documentation", + "Add rule" : "Adder regula", + "Reset" : "Reinitialisar", + "Save" : "Salveguardar", + "Saving…" : "Salveguardante...", + "Loading…" : "Cargante..." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/workflowengine/l10n/ia.json b/apps/workflowengine/l10n/ia.json new file mode 100644 index 0000000000000..1ca7386e4f7e8 --- /dev/null +++ b/apps/workflowengine/l10n/ia.json @@ -0,0 +1,44 @@ +{ "translations": { + "Saving failed:" : "Salveguardata falleva:", + "is" : "es", + "is not" : "non es", + "matches" : "corresponde", + "does not match" : "non corresponde", + "Example: {placeholder}" : "Exemplo: {placeholder}", + "File size (upload)" : "Dimension de file (incarga)", + "less" : "minus", + "less or equals" : "minus o equal", + "greater or equals" : "major o equal", + "greater" : "major", + "File system tag" : "Etiquetta de systema de file", + "is tagged with" : "es etiquettate con", + "is not tagged with" : "non es etiquettate con", + "Select tag…" : "Selectionar etiquetta...", + "Request remote address" : "Demandar adresse remote", + "matches IPv4" : "corresponde a IPv4", + "does not match IPv4" : "non corresponde a IPv4", + "matches IPv6" : "corresponde a IPv6", + "does not match IPv6" : "non corresponde a IPv6", + "Request time" : "Demandar tempore", + "between" : "inter", + "not between" : "non inter", + "Start" : "Initio", + "End" : "Fin", + "Select timezone…" : "Selectionar fuso horari ...", + "Request URL" : "Demandar URL", + "Predefined URLs" : "URLs predefinite", + "Files WebDAV" : "Files WebDAV", + "Sync clients" : "Synchronisar clientes", + "Android client" : "Cliente Android", + "iOS client" : "Cliente iOS", + "Desktop client" : "Cliente de Scriptorio", + "is member of" : "es membro de", + "is not member of" : "non es membro de", + "Open documentation" : "Aperir documentation", + "Add rule" : "Adder regula", + "Reset" : "Reinitialisar", + "Save" : "Salveguardar", + "Saving…" : "Salveguardante...", + "Loading…" : "Cargante..." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/workflowengine/l10n/is.js b/apps/workflowengine/l10n/is.js index 9ffd85618c763..400a84f0252cb 100644 --- a/apps/workflowengine/l10n/is.js +++ b/apps/workflowengine/l10n/is.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Athugunin %s er ógild", "Check #%s does not exist" : "Athugunin #%s er ekki til", "Workflow" : "Vinnuferli", + "Files workflow engine" : "Verkferlavél skráa", "Open documentation" : "Opna hjálparskjöl", "Add rule group" : "Bæta við regluhópi", "Short rule description" : "Stutt lýsing á reglu", diff --git a/apps/workflowengine/l10n/is.json b/apps/workflowengine/l10n/is.json index 1cf06d2188230..2e17628bbc44b 100644 --- a/apps/workflowengine/l10n/is.json +++ b/apps/workflowengine/l10n/is.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Athugunin %s er ógild", "Check #%s does not exist" : "Athugunin #%s er ekki til", "Workflow" : "Vinnuferli", + "Files workflow engine" : "Verkferlavél skráa", "Open documentation" : "Opna hjálparskjöl", "Add rule group" : "Bæta við regluhópi", "Short rule description" : "Stutt lýsing á reglu", diff --git a/core/l10n/ast.js b/core/l10n/ast.js new file mode 100644 index 0000000000000..5b473d664409d --- /dev/null +++ b/core/l10n/ast.js @@ -0,0 +1,247 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Esbilla un ficheru, por favor.", + "File is too big" : "El ficheru ye pergrande", + "The selected file is not an image." : "El ficheru esbilláu nun ye una imaxe.", + "The selected file cannot be read." : "El ficheru esbilláu nun pue lleese.", + "Invalid file provided" : "Apurrióse un ficheru non válidu", + "No image or file provided" : "Nun s'apurrieron imáxenes o ficheros", + "Unknown filetype" : "Triba desconocida de ficheru", + "Invalid image" : "Imaxe non válida", + "An error occurred. Please contact your admin." : "Asocedió un fallu. Contauta col to alministrador, por favor.", + "No temporary profile picture available, try again" : "Nun hai disponible imaxe de perfil temporal dala, volvi tentalo", + "No crop data provided" : "Nun s'apurrió'l retayu de datos", + "State token does not match" : "El pase d'estáu nun concasa", + "Password reset is disabled" : "Ta desactiváu'l reaniciu de contraseñes", + "Couldn't reset password because the token is invalid" : "Nun pudo reaniciase la contraseña porque'l pase nun ye válidu", + "Couldn't reset password because the token is expired" : "Nun pudo reaniciase la contraseña porque'l caducó'l pase", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Nun pudo unviase'l corréu de reaniciu porque nun hai direición de corréu dala pa esti nome d'usuariu. Contauta col to alministrador, por favor.", + "%s password reset" : "%s restablecer contraseña", + "Password reset" : "Reaniciu de contrseña", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Primi nel botón de darréu pa reaniciar la to contraseña. Si nun solicitesti esto, entós inora esti corréu.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Primi nel botón de darréu pa reaniciar la to contraseña. Si nun solicitesti esto, entós inora esti corréu.", + "Couldn't send reset email. Please contact your administrator." : "Nun pudo unviase'l corréu de reaniciu. Contauta col to alministrador, por favor.", + "Couldn't send reset email. Please make sure your username is correct." : "Nun pudo unviase'l corréu. Asegurate que'l to nome d'usuariu seya correutu, por favor", + "Preparing update" : "Tresnando anovamientu", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Alvertencia d'igua:", + "Repair error: " : "Fallu d'igua:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Usa l'anovador en llinia de comandos porque l'anovamientu automáticu ta deshabilitáu nel config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Comprobando tabla %s", + "Turned on maintenance mode" : "Activóse'l mou de caltenimientu", + "Turned off maintenance mode" : "Desactivóse'l mou de caltenimientu", + "Maintenance mode is kept active" : "El mou caltenimientu sigue activu", + "Updating database schema" : "Anovando esquema de base de datos", + "Updated database" : "Base de datos anovada", + "Checked database schema update" : "Anovamientu del esquema de base de datos revisáu", + "Checking updates of apps" : "Comprobando anovamientu d'aplicaciones", + "Checked database schema update for apps" : "Anovamientu del esquema de base de datos p'aplicaciones revisáu", + "Updated \"%s\" to %s" : "Anováu \"%s\" a %s", + "Starting code integrity check" : "Aniciando comprobación integridá del códigu", + "Finished code integrity check" : "Finó la comprobación d'integridá del códigu", + "%s (incompatible)" : "%s (incompatible)", + "Following apps have been disabled: %s" : "Deshabilitáronse les aplicaciones de darréu: %s", + "Already up to date" : "Yá s'anovó", + "Search contacts …" : "Guetar contautos...", + "No contacts found" : "Nun s'alcontraron contautos", + "Show all contacts …" : "Amosar tolos contautos...", + "Loading your contacts …" : "Cargando los tos contautos...", + "Looking for {term} …" : "Guetando {term}...", + "There were problems with the code integrity check. More information…" : "Hebo problemes cola comprobación d'integridá del códigu. Más información…", + "No action available" : "Nun hai aiciones disponibles", + "Error fetching contact actions" : "Fallu diendo en cata de les aiciones de contautos", + "Settings" : "Axustes", + "Connection to server lost" : "Perdióse la conexón del sirvidor", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Fallu cargando la páxina, recargando en %n segundu","Fallu cargando la páxina, recargando en %n segundos"], + "Saving..." : "Guardando...", + "Dismiss" : "Encaboxar", + "This action requires you to confirm your password" : "Esta aición rique que confirmes la to contraseña", + "Authentication required" : "Ríquese l'autenticación", + "Password" : "Contraseña", + "Cancel" : "Encaboxar", + "Confirm" : "Confirmar", + "Failed to authenticate, try again" : "Falu al autenticar, volvi tentalo", + "seconds ago" : "hai segundos", + "Logging in …" : "Aniciando sesión...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Unviósete al corréu l'enllaz pa reaniciar la to contraseña. Si nun lu recibes nuna cantidá razonable de tiempu, comprueba les tos carpetes de corréu puxarra.
Si nun ta ehí, entruga al to alministrador llocal", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Los tos ficheros tán cifraos. Nun habrá mou de recuperar los datos dempués de reaniciar la to contraseña.
Si nun tas seguru de lo que facer, contautua col to alministrador enantes de siguir.
¿De xuru que quies siguir?", + "I know what I'm doing" : "Sé lo que toi faciendo", + "Password can not be changed. Please contact your administrator." : "Nun pue camudase la contraseña. Contauta col alministrador, por favor.", + "Reset password" : "Restablecer contraseña", + "No" : "Non", + "Yes" : "Sí", + "No files in here" : "Equí nun hai ficheros", + "Choose" : "Escoyer", + "Copy" : "Copiar", + "Error loading file picker template: {error}" : "Fallu cargando'l ficheru de plantía d'escoyeta: {error}", + "OK" : "Aceutar", + "Error loading message template: {error}" : "Fallu cargando'l mensaxe de la plantía: {error}", + "read-only" : "namái llectura", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflictu de ficheru","{count} conflictos de ficheru "], + "One file conflict" : "Conflictu nun ficheru", + "New Files" : "Ficheros nuevos", + "Already existing files" : "Ficheros yá esistentes", + "Which files do you want to keep?" : "¿Qué ficheros quies caltener?", + "If you select both versions, the copied file will have a number added to its name." : "Si seleiciones dambes versiones, el ficheru copiáu va tener un númberu amestáu al so nome", + "Continue" : "Continuar", + "(all selected)" : "(esbillao too)", + "({count} selected)" : "(esbillaos {count})", + "Error loading file exists template" : "Falu cargando plantía de ficheru esistente", + "Pending" : "Pendiente", + "Very weak password" : "Contraseña mui feble", + "Weak password" : "Contraseña feble", + "So-so password" : "Contraseña pasable", + "Good password" : "Contraseña bona", + "Strong password" : "Contraseña mui bona", + "Error occurred while checking server setup" : "Fallu entrín se comprobaba la configruación del sirvidor", + "Shared" : "Compartíu", + "Error setting expiration date" : "Fallu afitando la fecha de caducidá", + "The public link will expire no later than {days} days after it is created" : "L'enllaz públicu va caducar enantes de {days} díes dende la so creación", + "Set expiration date" : "Afitar la data de caducidá", + "Expiration" : "Caducidá", + "Expiration date" : "Data de caducidá", + "Choose a password for the public link" : "Escueyi una contraseña pal enllaz públicu", + "Copied!" : "¡Copióse!", + "Not supported!" : "¡Nun se sofita!", + "Press ⌘-C to copy." : "Primi ⌘-C pa copiar.", + "Press Ctrl-C to copy." : "Primi Ctrl-C pa copiar.", + "Resharing is not allowed" : "Recompartir nun ta permitíu", + "Share to {name}" : "Compartir con {name}", + "Share link" : "Compartir enllaz", + "Link" : "Enllaz", + "Password protect" : "Protexer con contraseña", + "Allow editing" : "Permitir edición", + "Email link to person" : "Enllaz de corréu-e a la persona", + "Send" : "Unviar", + "Read only" : "Namái llectura", + "Shared with you and the group {group} by {owner}" : "Compartíu contigo y col grupu {group} por {owner}", + "Shared with you by {owner}" : "Compartíu contigo por {owner}", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} compartió per enllaz", + "group" : "grupu", + "remote" : "remotu", + "email" : "corréu", + "Unshare" : "Dexar de compartir", + "Can edit" : "Pue editar", + "Can create" : "Pue crear", + "Can change" : "Pue camudar", + "Can delete" : "Pue desaniciar", + "Access control" : "Control d'accesu", + "Could not unshare" : "Nun pudo dexar de compartise", + "Error while sharing" : "Fallu mientres la compartición", + "Share details could not be loaded for this item." : "Nun pudieron cargase los detalles de la compartición pa esti elementu.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Precísase polo menos {count} caráuter pal auto-completáu","Precísense polo menos {count} caráuteres pal auto-completáu"], + "No users or groups found for {search}" : "Nun s'alcontraron usuarios o grupos pa {search}", + "No users found for {search}" : "Nun s'alcontraron usuarios pa {search}", + "An error occurred. Please try again" : "Asocedió un fallu. Volvi tentalo, por favor", + "{sharee} (group)" : "{sharee} (grupu)", + "{sharee} (email)" : "{sharee} (corréu)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Compartir", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Comparti con otra xente introduciendo un usuariu, grupu, ID de ñube federada o direición de corréu.", + "Share with other people by entering a user or group or a federated cloud ID." : "Comparti con otra xente introduciendo un usuariu, grupu o ID de ñube federada.", + "Share with other people by entering a user or group or an email address." : "Comparti con otra xente introduciendo un usuariu, grupu o direición de corréu.", + "Name or email address..." : "Nome o direición de corréu...", + "Name or federated cloud ID..." : "Nome o ID de ñube federada...", + "Name, federated cloud ID or email address..." : "Nome, ID de ñube federada o direición de corréu...", + "Name..." : "Nome...", + "Error" : "Fallu", + "Error removing share" : "Fallu desaniciando la compartición", + "Non-existing tag #{tag}" : "Etiqueta inesistente #{tag}", + "invisible" : "invisible", + "({scope})" : "({scope})", + "Delete" : "Desaniciar", + "Rename" : "Renomar", + "Collaborative tags" : "Etiquetes collaboratives", + "No tags found" : "Nun s'alcontraron etiquetes", + "unknown text" : "testu desconocíu", + "Hello world!" : "¡Hola mundu!", + "sunny" : "soleyero", + "Hello {name}, the weather is {weather}" : "Hola {name}, el tiempu ta {weather}", + "Hello {name}" : "Hola {name}", + "These are your search results" : "Estos son los tos resultaos de gueta", + "_download %n file_::_download %n files_" : ["baxar %n ficheru","baxar %n ficheros"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "L'anovamientu ta en cursu, dexar esta páxina quiciabes inerrumpa'l procesu en dellos entornos.", + "An error occurred." : "Asocedió un fallu", + "Please reload the page." : "Por favor, recarga la páxina", + "Continue to Nextcloud" : "Siguir con Nextcloud", + "Searching other places" : "Guetando otros llugares", + "No search results in other folders for {tag}{filter}{endtag}" : "Nun hai resultaos de gueta n'otres carpetes pa {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultáu de gueta n'otres carpetes","{count} resultaos de gueta n'otres carpetes"], + "Personal" : "Personal", + "Users" : "Usuarios", + "Apps" : "Aplicaciones", + "Admin" : "Alministrador", + "Help" : "Ayuda", + "Access forbidden" : "Accesu denegáu", + "File not found" : "Nun s'alcontró'l ficheru", + "The specified document has not been found on the server." : "Nun s'alcontró'l documentu especificáu nel sirvidor.", + "You can click here to return to %s." : "Pues primir equí pa volver a %s.", + "Internal Server Error" : "Fallu internu del sirvidor", + "More details can be found in the server log." : "Puen alcontrase más detalles nel rexistru del sirvidor.", + "Technical details" : "Detalle téunicos", + "Remote Address: %s" : "Direición reota: %s", + "Request ID: %s" : "ID de solicitú: %s", + "Type: %s" : "Triba: %s", + "Code: %s" : "Códigu: %s", + "Message: %s" : "Mensaxe: %s", + "File: %s" : "Ficheru: %s", + "Line: %s" : "Llinia: %s", + "Security warning" : "Alvertencia de seguranza", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "El to direutoriu de datos y ficheros seique ye accesible dende internet por mor qu'el ficheru .htaccess nun furrula.", + "Create an admin account" : "Crea una cuenta d'alministrador", + "Username" : "Nome d'usuariu", + "Storage & database" : "Almacenamientu y Base de datos", + "Data folder" : "Carpeta de datos", + "Configure the database" : "Configura la base de datos", + "Only %s is available." : "Namái ta disponible %s", + "For more details check out the documentation." : "Pa más detalles comprueba la documentación.", + "Database user" : "Usuariu de la base de datos", + "Database password" : "Contraseña de la base de datos", + "Database name" : "Nome de la base de datos", + "Database tablespace" : "Espaciu de tables de la base de datos", + "Database host" : "Agospiador de la base de datos", + "Performance warning" : "Alvertencia de rindimientu", + "SQLite will be used as database." : "SQLite usaráse como base de datos.", + "For larger installations we recommend to choose a different database backend." : "Pa instalaciones más grandes, aconseyamos escoyer un backend diferente de base de datos.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Especialmente al usar el veceru d'escritoriu. Pa la sincornización de ficheros nun s'aconseya.", + "Finish setup" : "Finar la configuración ", + "Finishing …" : "Finando...", + "Need help?" : "¿Precises ayuda?", + "See the documentation" : "Mira la documentación", + "More apps" : "Más aplicaciones", + "Search" : "Guetar", + "Confirm your password" : "Confirma la to contraseña", + "Server side authentication failed!" : "Falló l'autenticación nel sirvidor!", + "Please contact your administrator." : "Por favor, contauta col to alministrador", + "An internal error occurred." : "Asocedió un fallu internu.", + "Please try again or contact your administrator." : "Volvi tentalo o contauta col to alministrador, por favor.", + "Username or email" : "Nome d'usuariu o corréu", + "Log in" : "Aniciar sesión", + "Wrong password." : "Contraseña incorreuta", + "Stay logged in" : "Caltener sesión", + "Alternative Logins" : "Anicios de sesión alternativos", + "You are about to grant %s access to your %s account." : "Tas a pìques de conceder a %s l'accesu a la to cuenta %s.", + "App token" : "Pase d'aplicación", + "Alternative login using app token" : "Aniciu de sesión alternativu usando pase d'aplicación", + "Redirecting …" : "Redirixendo...", + "New password" : "Contraseña nueva", + "New Password" : "Contraseña nueva", + "Two-factor authentication" : "Autenticación en dos pasos", + "Use backup code" : "Usar códigu de respaldu", + "Error while validating your second factor" : "Fallu al validar el to pasu segundu", + "Add \"%s\" as trusted domain" : "Amestáu \"%s\" como dominiu de confianza", + "%s will be updated to version %s" : "%s anovaráse a la versión %s", + "These apps will be updated:" : "Anovaránse estes aplicaciones:", + "These incompatible apps will be disabled:" : "Deshabilitaránse estes aplicaciones incompletes:", + "The theme %s has been disabled." : "Deshabilitóse'l tema %s.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Enantes de siguir, asegúrate de que se fizo una copia de seguridá de la base de datos, la carpeta de configuración y la carpeta de datos.", + "Start update" : "Aniciar anovamientu", + "Detailed logs" : "Rexistros detallaos", + "Please use the command line updater because you have a big instance with more than 50 users." : "Usa l'anovador en llinia de comandos porque tienes una instancia grande con más de 50 usuarios.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Sé que si sigo faciendo l'anovamientu pela IU web pue escosar el tiempu de la solicitú y causar una perda de datos, pero teo un respaldu y sé cómo restaurar la mio instancia en casu de fallu.", + "This page will refresh itself when the %s instance is available again." : "Esta páxina refrescaráse sola cuando la instancia %s vuelva tar disponible.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Contauta col alministrador si esti problema sigui apaeciendo.", + "Thank you for your patience." : "Gracies pola to paciencia." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/ast.json b/core/l10n/ast.json new file mode 100644 index 0000000000000..3f82f353c4e5c --- /dev/null +++ b/core/l10n/ast.json @@ -0,0 +1,245 @@ +{ "translations": { + "Please select a file." : "Esbilla un ficheru, por favor.", + "File is too big" : "El ficheru ye pergrande", + "The selected file is not an image." : "El ficheru esbilláu nun ye una imaxe.", + "The selected file cannot be read." : "El ficheru esbilláu nun pue lleese.", + "Invalid file provided" : "Apurrióse un ficheru non válidu", + "No image or file provided" : "Nun s'apurrieron imáxenes o ficheros", + "Unknown filetype" : "Triba desconocida de ficheru", + "Invalid image" : "Imaxe non válida", + "An error occurred. Please contact your admin." : "Asocedió un fallu. Contauta col to alministrador, por favor.", + "No temporary profile picture available, try again" : "Nun hai disponible imaxe de perfil temporal dala, volvi tentalo", + "No crop data provided" : "Nun s'apurrió'l retayu de datos", + "State token does not match" : "El pase d'estáu nun concasa", + "Password reset is disabled" : "Ta desactiváu'l reaniciu de contraseñes", + "Couldn't reset password because the token is invalid" : "Nun pudo reaniciase la contraseña porque'l pase nun ye válidu", + "Couldn't reset password because the token is expired" : "Nun pudo reaniciase la contraseña porque'l caducó'l pase", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Nun pudo unviase'l corréu de reaniciu porque nun hai direición de corréu dala pa esti nome d'usuariu. Contauta col to alministrador, por favor.", + "%s password reset" : "%s restablecer contraseña", + "Password reset" : "Reaniciu de contrseña", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Primi nel botón de darréu pa reaniciar la to contraseña. Si nun solicitesti esto, entós inora esti corréu.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Primi nel botón de darréu pa reaniciar la to contraseña. Si nun solicitesti esto, entós inora esti corréu.", + "Couldn't send reset email. Please contact your administrator." : "Nun pudo unviase'l corréu de reaniciu. Contauta col to alministrador, por favor.", + "Couldn't send reset email. Please make sure your username is correct." : "Nun pudo unviase'l corréu. Asegurate que'l to nome d'usuariu seya correutu, por favor", + "Preparing update" : "Tresnando anovamientu", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Alvertencia d'igua:", + "Repair error: " : "Fallu d'igua:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Usa l'anovador en llinia de comandos porque l'anovamientu automáticu ta deshabilitáu nel config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Comprobando tabla %s", + "Turned on maintenance mode" : "Activóse'l mou de caltenimientu", + "Turned off maintenance mode" : "Desactivóse'l mou de caltenimientu", + "Maintenance mode is kept active" : "El mou caltenimientu sigue activu", + "Updating database schema" : "Anovando esquema de base de datos", + "Updated database" : "Base de datos anovada", + "Checked database schema update" : "Anovamientu del esquema de base de datos revisáu", + "Checking updates of apps" : "Comprobando anovamientu d'aplicaciones", + "Checked database schema update for apps" : "Anovamientu del esquema de base de datos p'aplicaciones revisáu", + "Updated \"%s\" to %s" : "Anováu \"%s\" a %s", + "Starting code integrity check" : "Aniciando comprobación integridá del códigu", + "Finished code integrity check" : "Finó la comprobación d'integridá del códigu", + "%s (incompatible)" : "%s (incompatible)", + "Following apps have been disabled: %s" : "Deshabilitáronse les aplicaciones de darréu: %s", + "Already up to date" : "Yá s'anovó", + "Search contacts …" : "Guetar contautos...", + "No contacts found" : "Nun s'alcontraron contautos", + "Show all contacts …" : "Amosar tolos contautos...", + "Loading your contacts …" : "Cargando los tos contautos...", + "Looking for {term} …" : "Guetando {term}...", + "There were problems with the code integrity check. More information…" : "Hebo problemes cola comprobación d'integridá del códigu. Más información…", + "No action available" : "Nun hai aiciones disponibles", + "Error fetching contact actions" : "Fallu diendo en cata de les aiciones de contautos", + "Settings" : "Axustes", + "Connection to server lost" : "Perdióse la conexón del sirvidor", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Fallu cargando la páxina, recargando en %n segundu","Fallu cargando la páxina, recargando en %n segundos"], + "Saving..." : "Guardando...", + "Dismiss" : "Encaboxar", + "This action requires you to confirm your password" : "Esta aición rique que confirmes la to contraseña", + "Authentication required" : "Ríquese l'autenticación", + "Password" : "Contraseña", + "Cancel" : "Encaboxar", + "Confirm" : "Confirmar", + "Failed to authenticate, try again" : "Falu al autenticar, volvi tentalo", + "seconds ago" : "hai segundos", + "Logging in …" : "Aniciando sesión...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Unviósete al corréu l'enllaz pa reaniciar la to contraseña. Si nun lu recibes nuna cantidá razonable de tiempu, comprueba les tos carpetes de corréu puxarra.
Si nun ta ehí, entruga al to alministrador llocal", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Los tos ficheros tán cifraos. Nun habrá mou de recuperar los datos dempués de reaniciar la to contraseña.
Si nun tas seguru de lo que facer, contautua col to alministrador enantes de siguir.
¿De xuru que quies siguir?", + "I know what I'm doing" : "Sé lo que toi faciendo", + "Password can not be changed. Please contact your administrator." : "Nun pue camudase la contraseña. Contauta col alministrador, por favor.", + "Reset password" : "Restablecer contraseña", + "No" : "Non", + "Yes" : "Sí", + "No files in here" : "Equí nun hai ficheros", + "Choose" : "Escoyer", + "Copy" : "Copiar", + "Error loading file picker template: {error}" : "Fallu cargando'l ficheru de plantía d'escoyeta: {error}", + "OK" : "Aceutar", + "Error loading message template: {error}" : "Fallu cargando'l mensaxe de la plantía: {error}", + "read-only" : "namái llectura", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} conflictu de ficheru","{count} conflictos de ficheru "], + "One file conflict" : "Conflictu nun ficheru", + "New Files" : "Ficheros nuevos", + "Already existing files" : "Ficheros yá esistentes", + "Which files do you want to keep?" : "¿Qué ficheros quies caltener?", + "If you select both versions, the copied file will have a number added to its name." : "Si seleiciones dambes versiones, el ficheru copiáu va tener un númberu amestáu al so nome", + "Continue" : "Continuar", + "(all selected)" : "(esbillao too)", + "({count} selected)" : "(esbillaos {count})", + "Error loading file exists template" : "Falu cargando plantía de ficheru esistente", + "Pending" : "Pendiente", + "Very weak password" : "Contraseña mui feble", + "Weak password" : "Contraseña feble", + "So-so password" : "Contraseña pasable", + "Good password" : "Contraseña bona", + "Strong password" : "Contraseña mui bona", + "Error occurred while checking server setup" : "Fallu entrín se comprobaba la configruación del sirvidor", + "Shared" : "Compartíu", + "Error setting expiration date" : "Fallu afitando la fecha de caducidá", + "The public link will expire no later than {days} days after it is created" : "L'enllaz públicu va caducar enantes de {days} díes dende la so creación", + "Set expiration date" : "Afitar la data de caducidá", + "Expiration" : "Caducidá", + "Expiration date" : "Data de caducidá", + "Choose a password for the public link" : "Escueyi una contraseña pal enllaz públicu", + "Copied!" : "¡Copióse!", + "Not supported!" : "¡Nun se sofita!", + "Press ⌘-C to copy." : "Primi ⌘-C pa copiar.", + "Press Ctrl-C to copy." : "Primi Ctrl-C pa copiar.", + "Resharing is not allowed" : "Recompartir nun ta permitíu", + "Share to {name}" : "Compartir con {name}", + "Share link" : "Compartir enllaz", + "Link" : "Enllaz", + "Password protect" : "Protexer con contraseña", + "Allow editing" : "Permitir edición", + "Email link to person" : "Enllaz de corréu-e a la persona", + "Send" : "Unviar", + "Read only" : "Namái llectura", + "Shared with you and the group {group} by {owner}" : "Compartíu contigo y col grupu {group} por {owner}", + "Shared with you by {owner}" : "Compartíu contigo por {owner}", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} compartió per enllaz", + "group" : "grupu", + "remote" : "remotu", + "email" : "corréu", + "Unshare" : "Dexar de compartir", + "Can edit" : "Pue editar", + "Can create" : "Pue crear", + "Can change" : "Pue camudar", + "Can delete" : "Pue desaniciar", + "Access control" : "Control d'accesu", + "Could not unshare" : "Nun pudo dexar de compartise", + "Error while sharing" : "Fallu mientres la compartición", + "Share details could not be loaded for this item." : "Nun pudieron cargase los detalles de la compartición pa esti elementu.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Precísase polo menos {count} caráuter pal auto-completáu","Precísense polo menos {count} caráuteres pal auto-completáu"], + "No users or groups found for {search}" : "Nun s'alcontraron usuarios o grupos pa {search}", + "No users found for {search}" : "Nun s'alcontraron usuarios pa {search}", + "An error occurred. Please try again" : "Asocedió un fallu. Volvi tentalo, por favor", + "{sharee} (group)" : "{sharee} (grupu)", + "{sharee} (email)" : "{sharee} (corréu)", + "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", + "Share" : "Compartir", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Comparti con otra xente introduciendo un usuariu, grupu, ID de ñube federada o direición de corréu.", + "Share with other people by entering a user or group or a federated cloud ID." : "Comparti con otra xente introduciendo un usuariu, grupu o ID de ñube federada.", + "Share with other people by entering a user or group or an email address." : "Comparti con otra xente introduciendo un usuariu, grupu o direición de corréu.", + "Name or email address..." : "Nome o direición de corréu...", + "Name or federated cloud ID..." : "Nome o ID de ñube federada...", + "Name, federated cloud ID or email address..." : "Nome, ID de ñube federada o direición de corréu...", + "Name..." : "Nome...", + "Error" : "Fallu", + "Error removing share" : "Fallu desaniciando la compartición", + "Non-existing tag #{tag}" : "Etiqueta inesistente #{tag}", + "invisible" : "invisible", + "({scope})" : "({scope})", + "Delete" : "Desaniciar", + "Rename" : "Renomar", + "Collaborative tags" : "Etiquetes collaboratives", + "No tags found" : "Nun s'alcontraron etiquetes", + "unknown text" : "testu desconocíu", + "Hello world!" : "¡Hola mundu!", + "sunny" : "soleyero", + "Hello {name}, the weather is {weather}" : "Hola {name}, el tiempu ta {weather}", + "Hello {name}" : "Hola {name}", + "These are your search results" : "Estos son los tos resultaos de gueta", + "_download %n file_::_download %n files_" : ["baxar %n ficheru","baxar %n ficheros"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "L'anovamientu ta en cursu, dexar esta páxina quiciabes inerrumpa'l procesu en dellos entornos.", + "An error occurred." : "Asocedió un fallu", + "Please reload the page." : "Por favor, recarga la páxina", + "Continue to Nextcloud" : "Siguir con Nextcloud", + "Searching other places" : "Guetando otros llugares", + "No search results in other folders for {tag}{filter}{endtag}" : "Nun hai resultaos de gueta n'otres carpetes pa {tag}{filter}{endtag}", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} resultáu de gueta n'otres carpetes","{count} resultaos de gueta n'otres carpetes"], + "Personal" : "Personal", + "Users" : "Usuarios", + "Apps" : "Aplicaciones", + "Admin" : "Alministrador", + "Help" : "Ayuda", + "Access forbidden" : "Accesu denegáu", + "File not found" : "Nun s'alcontró'l ficheru", + "The specified document has not been found on the server." : "Nun s'alcontró'l documentu especificáu nel sirvidor.", + "You can click here to return to %s." : "Pues primir equí pa volver a %s.", + "Internal Server Error" : "Fallu internu del sirvidor", + "More details can be found in the server log." : "Puen alcontrase más detalles nel rexistru del sirvidor.", + "Technical details" : "Detalle téunicos", + "Remote Address: %s" : "Direición reota: %s", + "Request ID: %s" : "ID de solicitú: %s", + "Type: %s" : "Triba: %s", + "Code: %s" : "Códigu: %s", + "Message: %s" : "Mensaxe: %s", + "File: %s" : "Ficheru: %s", + "Line: %s" : "Llinia: %s", + "Security warning" : "Alvertencia de seguranza", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "El to direutoriu de datos y ficheros seique ye accesible dende internet por mor qu'el ficheru .htaccess nun furrula.", + "Create an admin account" : "Crea una cuenta d'alministrador", + "Username" : "Nome d'usuariu", + "Storage & database" : "Almacenamientu y Base de datos", + "Data folder" : "Carpeta de datos", + "Configure the database" : "Configura la base de datos", + "Only %s is available." : "Namái ta disponible %s", + "For more details check out the documentation." : "Pa más detalles comprueba la documentación.", + "Database user" : "Usuariu de la base de datos", + "Database password" : "Contraseña de la base de datos", + "Database name" : "Nome de la base de datos", + "Database tablespace" : "Espaciu de tables de la base de datos", + "Database host" : "Agospiador de la base de datos", + "Performance warning" : "Alvertencia de rindimientu", + "SQLite will be used as database." : "SQLite usaráse como base de datos.", + "For larger installations we recommend to choose a different database backend." : "Pa instalaciones más grandes, aconseyamos escoyer un backend diferente de base de datos.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Especialmente al usar el veceru d'escritoriu. Pa la sincornización de ficheros nun s'aconseya.", + "Finish setup" : "Finar la configuración ", + "Finishing …" : "Finando...", + "Need help?" : "¿Precises ayuda?", + "See the documentation" : "Mira la documentación", + "More apps" : "Más aplicaciones", + "Search" : "Guetar", + "Confirm your password" : "Confirma la to contraseña", + "Server side authentication failed!" : "Falló l'autenticación nel sirvidor!", + "Please contact your administrator." : "Por favor, contauta col to alministrador", + "An internal error occurred." : "Asocedió un fallu internu.", + "Please try again or contact your administrator." : "Volvi tentalo o contauta col to alministrador, por favor.", + "Username or email" : "Nome d'usuariu o corréu", + "Log in" : "Aniciar sesión", + "Wrong password." : "Contraseña incorreuta", + "Stay logged in" : "Caltener sesión", + "Alternative Logins" : "Anicios de sesión alternativos", + "You are about to grant %s access to your %s account." : "Tas a pìques de conceder a %s l'accesu a la to cuenta %s.", + "App token" : "Pase d'aplicación", + "Alternative login using app token" : "Aniciu de sesión alternativu usando pase d'aplicación", + "Redirecting …" : "Redirixendo...", + "New password" : "Contraseña nueva", + "New Password" : "Contraseña nueva", + "Two-factor authentication" : "Autenticación en dos pasos", + "Use backup code" : "Usar códigu de respaldu", + "Error while validating your second factor" : "Fallu al validar el to pasu segundu", + "Add \"%s\" as trusted domain" : "Amestáu \"%s\" como dominiu de confianza", + "%s will be updated to version %s" : "%s anovaráse a la versión %s", + "These apps will be updated:" : "Anovaránse estes aplicaciones:", + "These incompatible apps will be disabled:" : "Deshabilitaránse estes aplicaciones incompletes:", + "The theme %s has been disabled." : "Deshabilitóse'l tema %s.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Enantes de siguir, asegúrate de que se fizo una copia de seguridá de la base de datos, la carpeta de configuración y la carpeta de datos.", + "Start update" : "Aniciar anovamientu", + "Detailed logs" : "Rexistros detallaos", + "Please use the command line updater because you have a big instance with more than 50 users." : "Usa l'anovador en llinia de comandos porque tienes una instancia grande con más de 50 usuarios.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Sé que si sigo faciendo l'anovamientu pela IU web pue escosar el tiempu de la solicitú y causar una perda de datos, pero teo un respaldu y sé cómo restaurar la mio instancia en casu de fallu.", + "This page will refresh itself when the %s instance is available again." : "Esta páxina refrescaráse sola cuando la instancia %s vuelva tar disponible.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Contauta col alministrador si esti problema sigui apaeciendo.", + "Thank you for your patience." : "Gracies pola to paciencia." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/core/l10n/bg.js b/core/l10n/bg.js new file mode 100644 index 0000000000000..488c6c0cfa80c --- /dev/null +++ b/core/l10n/bg.js @@ -0,0 +1,253 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Моля изберете файл.", + "File is too big" : "Файлът е твърде голям", + "The selected file is not an image." : "Избраният файл не е изображение.", + "The selected file cannot be read." : "Избраният файл не може да бъде отворен.", + "Invalid file provided" : "Предоставен е невалиден файл", + "No image or file provided" : "Не бяха доставени картинка или файл", + "Unknown filetype" : "Непознат тип файл", + "Invalid image" : "Невалидно изображение", + "An error occurred. Please contact your admin." : "Възникна неизвестна грешка. Свържете с администратора.", + "No temporary profile picture available, try again" : "Не е налична временна профилна снимка, опитайте отново", + "No crop data provided" : "Липсват данни за изрязването", + "No valid crop data provided" : "Липсват данни за изрязването", + "Crop is not square" : "Областта не е квадратна", + "Password reset is disabled" : "Възстановяването на парола е изключено", + "Couldn't reset password because the token is invalid" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е невалидна", + "Couldn't reset password because the token is expired" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е изтекла", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Имейлът за възстановяване на паролата не може да бъде изпратен защо потребителят няма имейл адрес. Свържете се с администратора.", + "%s password reset" : "Паролата на %s е променена", + "Password reset" : "Възстановяване на парола", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следния бутон, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следната връзка, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", + "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", + "Couldn't send reset email. Please make sure your username is correct." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, уверете се, че потребителското име е правилно.", + "Preparing update" : "Подготовка за актуализиране", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Предупреждение при поправка:", + "Repair error: " : "Грешка при поправка:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Моля използвайте съветникът за обновяване в команден ред, защото автоматичният е забранен в config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Проверка на таблица %s", + "Turned on maintenance mode" : "Режимът за поддръжка е включен", + "Turned off maintenance mode" : "Режимът за поддръжка е изключен", + "Maintenance mode is kept active" : "Режим на поддръжка се поддържа активен", + "Updating database schema" : "Актуализиране на схемата на базата данни", + "Updated database" : "Базата данни е обоновена", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни може да се актуализира (възможно е да отнеме повече време в зависимост от големината на базата данни)", + "Checked database schema update" : "Обновяването на схемата на базата данни е проверено", + "Checking updates of apps" : "Проверка на актуализациите за добавките", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни %s може да бъде актуализирана (това може да отнеме повече време в зависимост от големината на базата данни)", + "Checked database schema update for apps" : "Обновяването на схемата на базата данни за приложения е проверено", + "Updated \"%s\" to %s" : "Обновен \"%s\" до %s", + "Set log level to debug" : "Промени ниво на лог на дебъг", + "Reset log level" : "Възстанови ниво на лог", + "Starting code integrity check" : "Стартиране на проверка за цялостта на кода", + "Finished code integrity check" : "Приключена проверка за цялостта на кода", + "%s (incompatible)" : "%s (несъвместим)", + "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", + "Already up to date" : "Вече е актуална", + "Search contacts …" : "Търсене на контакти ...", + "No contacts found" : "Няма намерени контакти", + "Show all contacts …" : "Покажи всички контакти ...", + "Loading your contacts …" : "Зареждане на вашите контакти ...", + "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", + "Settings" : "Настройки", + "Connection to server lost" : "Връзката със сървъра е загубена", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Проблем при зареждане на страницата, презареждане след %n секунда","Проблем при зареждане на страницата, презареждане след %n секунди"], + "Saving..." : "Запазване...", + "Dismiss" : "Отхвърляне", + "This action requires you to confirm your password" : "Това действие изисква да потвърдите паролата си", + "Authentication required" : "Изисква удостоверяване", + "Password" : "Парола", + "Cancel" : "Отказ", + "Confirm" : "Потвърди", + "Failed to authenticate, try again" : "Грешка при удостоверяване, опитайте пак", + "seconds ago" : "преди секунди", + "Logging in …" : "Вписване ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Връзката за възстановяване на паролата беше изпратена до вашия имейл. Ако не я получите в разумен период от време, проверете спам и junk папките.
Ако не я откривате и там, се свържете с местния администратор.", + "I know what I'm doing" : "Знам какво правя", + "Password can not be changed. Please contact your administrator." : "Паролата не може да бъде промена. Моля, свържете се с администратора.", + "Reset password" : "Възстановяване на паролата", + "Sending email …" : "Изпращане на имейл ...", + "No" : "Не", + "Yes" : "Да", + "No files in here" : "Тук няма файлове", + "Choose" : "Избиране", + "Copy" : "Копиране", + "Move" : "Преместване", + "Error loading file picker template: {error}" : "Грешка при зареждането на шаблон за избор на файл: {error}", + "OK" : "ОК", + "Error loading message template: {error}" : "Грешка при зареждането на шаблон за съобщения: {error}", + "read-only" : "Само за четене", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} файлов конфликт","{count} файлови кофликта"], + "One file conflict" : "Един файлов конфликт", + "New Files" : "Нови файлове", + "Already existing files" : "Вече съществуващи файлове", + "Which files do you want to keep?" : "Кои файлове желете да запазите?", + "If you select both versions, the copied file will have a number added to its name." : "Ако изберете и двете версии, към името на копирания файл ще бъде добавено число.", + "Continue" : "Продължаване", + "(all selected)" : "(всички избрани)", + "({count} selected)" : "({count} избрани)", + "Error loading file exists template" : "Грешка при зареждането на шаблон за вече съществуващ файл", + "Pending" : "Чакащо", + "Copy to {folder}" : "Копирай в {folder}", + "Move to {folder}" : "Премести в {folder}", + "Very weak password" : "Много слаба парола", + "Weak password" : "Слаба парола", + "So-so password" : "Не особено добра парола", + "Good password" : "Добра парола", + "Strong password" : "Сигурна парола", + "Error occurred while checking server setup" : "Възникна грешка при проверката на настройките на сървъра.", + "Shared" : "Споделено", + "Shared with" : "Споделено с", + "Shared by" : "Споделено от", + "Error setting expiration date" : "Грешка при настройване на датата за изтичане", + "The public link will expire no later than {days} days after it is created" : "Общодостъпната връзка ще изтече не по-късно от {days} дни след създаването ѝ.", + "Set expiration date" : "Задаване на дата на изтичане", + "Expiration" : "Изтичане", + "Expiration date" : "Дата на изтичане", + "Choose a password for the public link" : "Изберете парола за общодостъпната връзка", + "Copied!" : "Копирано!", + "Not supported!" : "Не се поддържа!", + "Press ⌘-C to copy." : "За копиране натиснете ⌘-C.", + "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C.", + "Resharing is not allowed" : "Повторно споделяне не е разрешено.", + "Share link" : "Връзка за споделяне", + "Link" : "Връзка", + "Password protect" : "Защитено с парола", + "Allow editing" : "Позволяване на редактиране", + "Email link to person" : "Имейл връзка към човек", + "Send" : "Изпращане", + "Allow upload and editing" : "Позволи обновяване и редактиране", + "File drop (upload only)" : "Пускане на файл (качване само)", + "Shared with you and the group {group} by {owner}" : "Споделено от {owner} с вас и групата {group}", + "Shared with you by {owner}" : "Споделено с вас от {owner}", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} споделен с връзка", + "group" : "група", + "remote" : "отдалечен", + "email" : "имейл", + "shared by {sharer}" : "споделено от {sharer}", + "Unshare" : "Прекратяване на споделяне", + "Could not unshare" : "Споделянето не е прекратено", + "Error while sharing" : "Грешка при споделяне", + "Share details could not be loaded for this item." : "Данните за споделяне не могат да бъдат заредени", + "No users or groups found for {search}" : "Няма потребители или групи за {search}", + "No users found for {search}" : "Няма потребители за {search}", + "An error occurred. Please try again" : "Възникна грешка. Моля, опитайте отново.", + "{sharee} (group)" : "{sharee} (група)", + "{sharee} (remote)" : "{sharee} (отдалечен)", + "{sharee} (email)" : "{sharee} (email)", + "Share" : "Споделяне", + "Error" : "Грешка", + "Error removing share" : "Грешка при махане на споделяне", + "Non-existing tag #{tag}" : "Не-съществуващ етикет #{tag}", + "restricted" : "ограничен", + "invisible" : "невидим", + "({scope})" : "({scope})", + "Delete" : "Изтриване", + "Rename" : "Преименуване", + "Collaborative tags" : "Съвместни тагове", + "No tags found" : "Няма открити етикети", + "unknown text" : "непознат текст", + "Hello world!" : "Здравей Свят!", + "sunny" : "слънчево", + "Hello {name}, the weather is {weather}" : "Здравей {name}, времето е {weather}", + "Hello {name}" : "Здравейте, {name}", + "new" : "нов", + "_download %n file_::_download %n files_" : ["изтегли %n файл","изтегли %n файла"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Актуализирането е в процес, в някой среди - напускането на тази страница може да прекъсне процеса.", + "Update to {version}" : "Обнови до {version}", + "An error occurred." : "Възникна грешка.", + "Please reload the page." : "Моля, презаредете страницата.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Актуализацията беше неуспешна. За повече информация погледнете нашият пост покриващ този въпрос.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Обновяването беше неуспешно. Моля отнесете този проблем към Nextcloud общността.", + "Continue to Nextcloud" : "Продължете към Nextcloud", + "Searching other places" : "Търсене на друго място", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} търсен резултат в друга папка","{count} търсени резултати в други папки"], + "Personal" : "Лични", + "Users" : "Потребители", + "Apps" : "Приложения", + "Admin" : "Админ", + "Help" : "Помощ", + "Access forbidden" : "Достъпът е забранен", + "File not found" : "Файлът не е открит", + "The specified document has not been found on the server." : "Избраният документ не е намерен на сървъра.", + "You can click here to return to %s." : "Можете да натиснете тук, за да се върнете на %s.", + "Internal Server Error" : "Вътрешна системна грешка", + "More details can be found in the server log." : "Повече детайли могат да бъдат намерени в сървърния журнал.", + "Technical details" : "Технически детайли", + "Remote Address: %s" : "Отдалечен адрес: %s", + "Request ID: %s" : "ID на заявка: %s", + "Type: %s" : "Тип: %s", + "Code: %s" : "Код: %s", + "Message: %s" : "Съобщение: %s", + "File: %s" : "Файл: %s", + "Line: %s" : "Линия: %s", + "Trace" : "Проследяване на грешките", + "Security warning" : "Предупреждение за сигурност", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Вашата директория за данни и файлове Ви вероятно са достъпни от интернет, поради това, че файлът \".htaccess\" не функционира.", + "Create an admin account" : "Създаване на администраторски профил.", + "Username" : "Потребител", + "Storage & database" : "Хранилища и бази данни", + "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" : "Прегледайте документацията", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "За да функционира приложението изисква JavaScript. Моля, {linkstart}включете JavaScript{linkend} и презаредете страницата.", + "Search" : "Търсене", + "Confirm your password" : "Потвърдете паролата си", + "Server side authentication failed!" : "Удостоверяването от страна на сървъра е неуспешно!", + "Please contact your administrator." : "Моля, свържете се с администратора.", + "An internal error occurred." : "Възникна вътрешна грешка.", + "Please try again or contact your administrator." : "Опитайте отново или се свържете с администраотра.", + "Username or email" : "Потребител или имейл", + "Log in" : "Вписване", + "Wrong password." : "Грешна парола", + "Stay logged in" : "Остани вписан", + "Forgot password?" : "Забравена парола?", + "Alternative Logins" : "Алтернативни методи на вписване", + "Redirecting …" : "Пренасочване ...", + "New password" : "Нова парола", + "New Password" : "Нова парола", + "Two-factor authentication" : "Двуфакторно удостоверяване", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Повишената сигурност е активирана за профила ви. Моля удостоверете използвайки втори фактор.", + "Cancel log in" : "Откажи вписване", + "Use backup code" : "Използвай код за възстановяване", + "Error while validating your second factor" : "Грешка при валидиране на втория ви фактор", + "Access through untrusted domain" : "Достъп чрез ненадежден домейн", + "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", + "Add \"%s\" as trusted domain" : "Добави \"%s\" като сигурен домейн", + "App update required" : "Изисква се обновяване на добавката", + "%s will be updated to version %s" : "%s ще бъде обновен до версия %s", + "These apps will be updated:" : "Следните добавки ще бъдат обновени:", + "These incompatible apps will be disabled:" : "Следните несъвместими добавки ще бъдат деактивирани:", + "The theme %s has been disabled." : "Темата %s е изключена.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Моля, уверете се, че сте направили копия на базата данни, папките с настройки и данните, преди да продължите.", + "Start update" : "Начало на обновяването", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "За да избегнеш таймаутове при по-големи инсталации, можеш да изпълниш следните команди в инсталанционната директория:", + "Detailed logs" : "Подробни логове", + "Update needed" : "Нужно е обновяване", + "For help, see the documentation." : "За помощ, вижте документацията.", + "Upgrade via web on my own risk" : "Актуализиране чрез интернет на собствен риск", + "This %s instance is currently in maintenance mode, which may take a while." : "В момента този %s се обновява, а това може да отнеме време.", + "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", + "Thank you for your patience." : "Благодарим за търпението." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/bg.json b/core/l10n/bg.json new file mode 100644 index 0000000000000..a5b2c5bb7366c --- /dev/null +++ b/core/l10n/bg.json @@ -0,0 +1,251 @@ +{ "translations": { + "Please select a file." : "Моля изберете файл.", + "File is too big" : "Файлът е твърде голям", + "The selected file is not an image." : "Избраният файл не е изображение.", + "The selected file cannot be read." : "Избраният файл не може да бъде отворен.", + "Invalid file provided" : "Предоставен е невалиден файл", + "No image or file provided" : "Не бяха доставени картинка или файл", + "Unknown filetype" : "Непознат тип файл", + "Invalid image" : "Невалидно изображение", + "An error occurred. Please contact your admin." : "Възникна неизвестна грешка. Свържете с администратора.", + "No temporary profile picture available, try again" : "Не е налична временна профилна снимка, опитайте отново", + "No crop data provided" : "Липсват данни за изрязването", + "No valid crop data provided" : "Липсват данни за изрязването", + "Crop is not square" : "Областта не е квадратна", + "Password reset is disabled" : "Възстановяването на парола е изключено", + "Couldn't reset password because the token is invalid" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е невалидна", + "Couldn't reset password because the token is expired" : "Нулирането на паролата е невъзможно, защото връзката за удостоверение е изтекла", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Имейлът за възстановяване на паролата не може да бъде изпратен защо потребителят няма имейл адрес. Свържете се с администратора.", + "%s password reset" : "Паролата на %s е променена", + "Password reset" : "Възстановяване на парола", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следния бутон, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликнете върху следната връзка, за да възстановите паролата си. Ако не сте поискали възстановяване на паролата, игнорирайте този имейл.", + "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", + "Couldn't send reset email. Please make sure your username is correct." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, уверете се, че потребителското име е правилно.", + "Preparing update" : "Подготовка за актуализиране", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Предупреждение при поправка:", + "Repair error: " : "Грешка при поправка:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Моля използвайте съветникът за обновяване в команден ред, защото автоматичният е забранен в config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Проверка на таблица %s", + "Turned on maintenance mode" : "Режимът за поддръжка е включен", + "Turned off maintenance mode" : "Режимът за поддръжка е изключен", + "Maintenance mode is kept active" : "Режим на поддръжка се поддържа активен", + "Updating database schema" : "Актуализиране на схемата на базата данни", + "Updated database" : "Базата данни е обоновена", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни може да се актуализира (възможно е да отнеме повече време в зависимост от големината на базата данни)", + "Checked database schema update" : "Обновяването на схемата на базата данни е проверено", + "Checking updates of apps" : "Проверка на актуализациите за добавките", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Проверка дали схемата на базата данни %s може да бъде актуализирана (това може да отнеме повече време в зависимост от големината на базата данни)", + "Checked database schema update for apps" : "Обновяването на схемата на базата данни за приложения е проверено", + "Updated \"%s\" to %s" : "Обновен \"%s\" до %s", + "Set log level to debug" : "Промени ниво на лог на дебъг", + "Reset log level" : "Възстанови ниво на лог", + "Starting code integrity check" : "Стартиране на проверка за цялостта на кода", + "Finished code integrity check" : "Приключена проверка за цялостта на кода", + "%s (incompatible)" : "%s (несъвместим)", + "Following apps have been disabled: %s" : "Следната добавка беше изключена: %s", + "Already up to date" : "Вече е актуална", + "Search contacts …" : "Търсене на контакти ...", + "No contacts found" : "Няма намерени контакти", + "Show all contacts …" : "Покажи всички контакти ...", + "Loading your contacts …" : "Зареждане на вашите контакти ...", + "There were problems with the code integrity check. More information…" : "Има проблем с проверката за цялостта на кода. Повече информация…", + "Settings" : "Настройки", + "Connection to server lost" : "Връзката със сървъра е загубена", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Проблем при зареждане на страницата, презареждане след %n секунда","Проблем при зареждане на страницата, презареждане след %n секунди"], + "Saving..." : "Запазване...", + "Dismiss" : "Отхвърляне", + "This action requires you to confirm your password" : "Това действие изисква да потвърдите паролата си", + "Authentication required" : "Изисква удостоверяване", + "Password" : "Парола", + "Cancel" : "Отказ", + "Confirm" : "Потвърди", + "Failed to authenticate, try again" : "Грешка при удостоверяване, опитайте пак", + "seconds ago" : "преди секунди", + "Logging in …" : "Вписване ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Връзката за възстановяване на паролата беше изпратена до вашия имейл. Ако не я получите в разумен период от време, проверете спам и junk папките.
Ако не я откривате и там, се свържете с местния администратор.", + "I know what I'm doing" : "Знам какво правя", + "Password can not be changed. Please contact your administrator." : "Паролата не може да бъде промена. Моля, свържете се с администратора.", + "Reset password" : "Възстановяване на паролата", + "Sending email …" : "Изпращане на имейл ...", + "No" : "Не", + "Yes" : "Да", + "No files in here" : "Тук няма файлове", + "Choose" : "Избиране", + "Copy" : "Копиране", + "Move" : "Преместване", + "Error loading file picker template: {error}" : "Грешка при зареждането на шаблон за избор на файл: {error}", + "OK" : "ОК", + "Error loading message template: {error}" : "Грешка при зареждането на шаблон за съобщения: {error}", + "read-only" : "Само за четене", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} файлов конфликт","{count} файлови кофликта"], + "One file conflict" : "Един файлов конфликт", + "New Files" : "Нови файлове", + "Already existing files" : "Вече съществуващи файлове", + "Which files do you want to keep?" : "Кои файлове желете да запазите?", + "If you select both versions, the copied file will have a number added to its name." : "Ако изберете и двете версии, към името на копирания файл ще бъде добавено число.", + "Continue" : "Продължаване", + "(all selected)" : "(всички избрани)", + "({count} selected)" : "({count} избрани)", + "Error loading file exists template" : "Грешка при зареждането на шаблон за вече съществуващ файл", + "Pending" : "Чакащо", + "Copy to {folder}" : "Копирай в {folder}", + "Move to {folder}" : "Премести в {folder}", + "Very weak password" : "Много слаба парола", + "Weak password" : "Слаба парола", + "So-so password" : "Не особено добра парола", + "Good password" : "Добра парола", + "Strong password" : "Сигурна парола", + "Error occurred while checking server setup" : "Възникна грешка при проверката на настройките на сървъра.", + "Shared" : "Споделено", + "Shared with" : "Споделено с", + "Shared by" : "Споделено от", + "Error setting expiration date" : "Грешка при настройване на датата за изтичане", + "The public link will expire no later than {days} days after it is created" : "Общодостъпната връзка ще изтече не по-късно от {days} дни след създаването ѝ.", + "Set expiration date" : "Задаване на дата на изтичане", + "Expiration" : "Изтичане", + "Expiration date" : "Дата на изтичане", + "Choose a password for the public link" : "Изберете парола за общодостъпната връзка", + "Copied!" : "Копирано!", + "Not supported!" : "Не се поддържа!", + "Press ⌘-C to copy." : "За копиране натиснете ⌘-C.", + "Press Ctrl-C to copy." : "За копиране натиснете Ctrl-C.", + "Resharing is not allowed" : "Повторно споделяне не е разрешено.", + "Share link" : "Връзка за споделяне", + "Link" : "Връзка", + "Password protect" : "Защитено с парола", + "Allow editing" : "Позволяване на редактиране", + "Email link to person" : "Имейл връзка към човек", + "Send" : "Изпращане", + "Allow upload and editing" : "Позволи обновяване и редактиране", + "File drop (upload only)" : "Пускане на файл (качване само)", + "Shared with you and the group {group} by {owner}" : "Споделено от {owner} с вас и групата {group}", + "Shared with you by {owner}" : "Споделено с вас от {owner}", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} споделен с връзка", + "group" : "група", + "remote" : "отдалечен", + "email" : "имейл", + "shared by {sharer}" : "споделено от {sharer}", + "Unshare" : "Прекратяване на споделяне", + "Could not unshare" : "Споделянето не е прекратено", + "Error while sharing" : "Грешка при споделяне", + "Share details could not be loaded for this item." : "Данните за споделяне не могат да бъдат заредени", + "No users or groups found for {search}" : "Няма потребители или групи за {search}", + "No users found for {search}" : "Няма потребители за {search}", + "An error occurred. Please try again" : "Възникна грешка. Моля, опитайте отново.", + "{sharee} (group)" : "{sharee} (група)", + "{sharee} (remote)" : "{sharee} (отдалечен)", + "{sharee} (email)" : "{sharee} (email)", + "Share" : "Споделяне", + "Error" : "Грешка", + "Error removing share" : "Грешка при махане на споделяне", + "Non-existing tag #{tag}" : "Не-съществуващ етикет #{tag}", + "restricted" : "ограничен", + "invisible" : "невидим", + "({scope})" : "({scope})", + "Delete" : "Изтриване", + "Rename" : "Преименуване", + "Collaborative tags" : "Съвместни тагове", + "No tags found" : "Няма открити етикети", + "unknown text" : "непознат текст", + "Hello world!" : "Здравей Свят!", + "sunny" : "слънчево", + "Hello {name}, the weather is {weather}" : "Здравей {name}, времето е {weather}", + "Hello {name}" : "Здравейте, {name}", + "new" : "нов", + "_download %n file_::_download %n files_" : ["изтегли %n файл","изтегли %n файла"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Актуализирането е в процес, в някой среди - напускането на тази страница може да прекъсне процеса.", + "Update to {version}" : "Обнови до {version}", + "An error occurred." : "Възникна грешка.", + "Please reload the page." : "Моля, презаредете страницата.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Актуализацията беше неуспешна. За повече информация погледнете нашият пост покриващ този въпрос.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Обновяването беше неуспешно. Моля отнесете този проблем към Nextcloud общността.", + "Continue to Nextcloud" : "Продължете към Nextcloud", + "Searching other places" : "Търсене на друго място", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} търсен резултат в друга папка","{count} търсени резултати в други папки"], + "Personal" : "Лични", + "Users" : "Потребители", + "Apps" : "Приложения", + "Admin" : "Админ", + "Help" : "Помощ", + "Access forbidden" : "Достъпът е забранен", + "File not found" : "Файлът не е открит", + "The specified document has not been found on the server." : "Избраният документ не е намерен на сървъра.", + "You can click here to return to %s." : "Можете да натиснете тук, за да се върнете на %s.", + "Internal Server Error" : "Вътрешна системна грешка", + "More details can be found in the server log." : "Повече детайли могат да бъдат намерени в сървърния журнал.", + "Technical details" : "Технически детайли", + "Remote Address: %s" : "Отдалечен адрес: %s", + "Request ID: %s" : "ID на заявка: %s", + "Type: %s" : "Тип: %s", + "Code: %s" : "Код: %s", + "Message: %s" : "Съобщение: %s", + "File: %s" : "Файл: %s", + "Line: %s" : "Линия: %s", + "Trace" : "Проследяване на грешките", + "Security warning" : "Предупреждение за сигурност", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Вашата директория за данни и файлове Ви вероятно са достъпни от интернет, поради това, че файлът \".htaccess\" не функционира.", + "Create an admin account" : "Създаване на администраторски профил.", + "Username" : "Потребител", + "Storage & database" : "Хранилища и бази данни", + "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" : "Прегледайте документацията", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "За да функционира приложението изисква JavaScript. Моля, {linkstart}включете JavaScript{linkend} и презаредете страницата.", + "Search" : "Търсене", + "Confirm your password" : "Потвърдете паролата си", + "Server side authentication failed!" : "Удостоверяването от страна на сървъра е неуспешно!", + "Please contact your administrator." : "Моля, свържете се с администратора.", + "An internal error occurred." : "Възникна вътрешна грешка.", + "Please try again or contact your administrator." : "Опитайте отново или се свържете с администраотра.", + "Username or email" : "Потребител или имейл", + "Log in" : "Вписване", + "Wrong password." : "Грешна парола", + "Stay logged in" : "Остани вписан", + "Forgot password?" : "Забравена парола?", + "Alternative Logins" : "Алтернативни методи на вписване", + "Redirecting …" : "Пренасочване ...", + "New password" : "Нова парола", + "New Password" : "Нова парола", + "Two-factor authentication" : "Двуфакторно удостоверяване", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Повишената сигурност е активирана за профила ви. Моля удостоверете използвайки втори фактор.", + "Cancel log in" : "Откажи вписване", + "Use backup code" : "Използвай код за възстановяване", + "Error while validating your second factor" : "Грешка при валидиране на втория ви фактор", + "Access through untrusted domain" : "Достъп чрез ненадежден домейн", + "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Моля, свържете се с администратора. Ако сте администратор на текущата инстанция, конфигурирайте \"trusted_domains\" настройките в config/config.php. Примерна конфигурация е предоставена в config/config.sample.php.", + "Add \"%s\" as trusted domain" : "Добави \"%s\" като сигурен домейн", + "App update required" : "Изисква се обновяване на добавката", + "%s will be updated to version %s" : "%s ще бъде обновен до версия %s", + "These apps will be updated:" : "Следните добавки ще бъдат обновени:", + "These incompatible apps will be disabled:" : "Следните несъвместими добавки ще бъдат деактивирани:", + "The theme %s has been disabled." : "Темата %s е изключена.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Моля, уверете се, че сте направили копия на базата данни, папките с настройки и данните, преди да продължите.", + "Start update" : "Начало на обновяването", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "За да избегнеш таймаутове при по-големи инсталации, можеш да изпълниш следните команди в инсталанционната директория:", + "Detailed logs" : "Подробни логове", + "Update needed" : "Нужно е обновяване", + "For help, see the documentation." : "За помощ, вижте документацията.", + "Upgrade via web on my own risk" : "Актуализиране чрез интернет на собствен риск", + "This %s instance is currently in maintenance mode, which may take a while." : "В момента този %s се обновява, а това може да отнеме време.", + "This page will refresh itself when the %s instance is available again." : "Страницата ще се зареди автоматично, когато %s е отново на линия.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Свържете се със системния администратор ако това съобщение се задържи твърде дълго или се е появило неочаквано.", + "Thank you for your patience." : "Благодарим за търпението." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/core/l10n/he.js b/core/l10n/he.js new file mode 100644 index 0000000000000..150add7f9f633 --- /dev/null +++ b/core/l10n/he.js @@ -0,0 +1,209 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "יש לבחור קובץ.", + "File is too big" : "הקובץ גדול מדי", + "The selected file is not an image." : "הקובץ שנבחר אינו קובץ תמונה", + "The selected file cannot be read." : "לא ניתן לקרוא את הקובץ שנבחר", + "Invalid file provided" : "סופק קובץ לא חוקי", + "No image or file provided" : "לא סופקו תמונה או קובץ", + "Unknown filetype" : "סוג קובץ לא מוכר", + "Invalid image" : "תמונה לא חוקית", + "An error occurred. Please contact your admin." : "אירעה שגיאה. יש ליצור קשר עם המנהל שלך.", + "No temporary profile picture available, try again" : "לא קיימת תמונת פרופיל זמנית, יש לנסות שוב", + "No crop data provided" : "לא סופק מידע קיטום", + "No valid crop data provided" : "לא סופק מידע קיטום חוקי", + "Crop is not square" : "הקיטום אינו מרובע", + "State token does not match" : "קוד אימות מצב אינו תואם", + "Password reset is disabled" : "אין אפשרות לאפס סיסמה", + "Couldn't reset password because the token is invalid" : "לא ניתן לאפס סיסמא כיוון שמחרוזת האימות אינה חוקית", + "Couldn't reset password because the token is expired" : "לא ניתן לאפס סיסמא כיוון שמחרוזת האימות פגה תוקף", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני כיוון שלא מוגדר דואר אלקטרוני למשתמש זה. יש ליצור קשר עם מנהל.", + "%s password reset" : "%s הסיסמא אופסה", + "Password reset" : "איפוס סיסמה", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "יש ללחוץ על הכפתור הבא בכדי לאפס סיסמה, אם איפוס הסיסמה לא התבקש יש להתעלם מהודעה זו", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "יש ללחוץ על הקישור הבא בכדי לאפס סיסמה, אם איפוס הסיסמה לא התבקש יש להתעלם מהודעה זו", + "Reset your password" : "יש לאפס סיסמה", + "Couldn't send reset email. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לפנות למנהל שלך.", + "Couldn't send reset email. Please make sure your username is correct." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לוודא ששם המשתמש נכון.", + "Preparing update" : "מכין עדכון", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "אזהרת תיקון:", + "Repair error: " : "שגיאת תיקון:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "יש להשתמש בעדכון על בסיס שורת פקודה כיוון שעדכון אוטומטי מנוטרל בקובץ config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: בודק טבלה %s", + "Turned on maintenance mode" : "הפעלת מצב אחזקה", + "Turned off maintenance mode" : "כיבוי מצב אחזקה", + "Maintenance mode is kept active" : "מצב אחזקה נשמר פעיל", + "Updating database schema" : "עדכון סכימת מסד נתונים", + "Updated database" : "עדכון מסד נתונים", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "בודק אם סכימת מסד הנתונים ניתנת לעדכון (פעולה זו יכולה להמשך זמן רב תלוי בגודל מסד הנתונים)", + "Checked database schema update" : "עדכון סכימת מסד נתונים נבדק", + "Checking updates of apps" : "בדיקת עדכוני יישומים", + "Checking for update of app \"%s\" in appstore" : "בודק עדכונים עבור האפליקציות \"%s\" בחנות האפליקציות.", + "Update app \"%s\" from appstore" : "עדכן אפליקציה \"%s\" מחנות האפליקציות", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "בודק אם סכימת מסד הנתונים עבור %s ניתנת לעדכון (פעולה זו יכולה להמשך זמן רב תלוי בגודל מסד הנתונים)", + "Checked database schema update for apps" : "עדכון סכימת מסד נתונים ליישומים נבדק", + "Updated \"%s\" to %s" : "מעדכן \"%s\" ל- %s", + "Set log level to debug" : "קביעת רמת דיווח לתהליך ניפוי בשגיאות", + "Reset log level" : "קביעה מחדש לרמת דיווח", + "Starting code integrity check" : "התחלת בדיקת תקינות קוד", + "Finished code integrity check" : "סיום בדיקת תקינות קוד", + "%s (incompatible)" : "%s (לא תואם)", + "Following apps have been disabled: %s" : "היישומים הבאים נוטרלו: %s", + "Already up to date" : "כבר עדכני", + "There were problems with the code integrity check. More information…" : "קיימות בעיות עם בדיקת תקינות קוד. למידע נוסף…", + "Settings" : "הגדרות", + "Saving..." : "שמירה…", + "Dismiss" : "שחרור", + "Password" : "סיסמא", + "Cancel" : "ביטול", + "seconds ago" : "שניות", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "הקישור לאיפוס הסיסמא שלך נשלח אליך בדואר אלקטרוני. אם לא קיבלת את הקישור תוך זמן סביר, מוטב לבדוק את תיבת דואר הזבל/ספאם שלך.
אם ההודעה אינה שם, יש לשאול את המנהל המקומי שלך .", + "I know what I'm doing" : "אני יודע/ת מה אני עושה", + "Password can not be changed. Please contact your administrator." : "לא ניתן לשנות את הסיסמא. יש לפנות למנהל שלך.", + "Reset password" : "איפוס ססמה", + "No" : "לא", + "Yes" : "כן", + "Choose" : "בחירה", + "Error loading file picker template: {error}" : "שגיאה בטעינת תבנית בחירת הקבצים: {error}", + "Error loading message template: {error}" : "שגיאה בטעינת תבנית ההודעות: {error}", + "read-only" : "לקריאה בלבד", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} הנגשות קובץ","{count} התנגשויות קבצים"], + "One file conflict" : "התנגשות קובץ אחת", + "New Files" : "קבצים חדשים", + "Already existing files" : "קבצים קיימים כבר", + "Which files do you want to keep?" : "אילו קבצים ברצונך לשמור?", + "If you select both versions, the copied file will have a number added to its name." : "אם תבחר האפשרות לשמור את שתי הגרסאות, לשם קובץ המועתק יתווסף מספר.", + "Continue" : "המשך", + "(all selected)" : "(הכול נבחר)", + "({count} selected)" : "({count} נבחרו)", + "Error loading file exists template" : "שגיאה בטעינת קובץ תבנית קיימים", + "Very weak password" : "סיסמא מאוד חלשה", + "Weak password" : "סיסמא חלשה", + "So-so password" : "סיסמא ככה-ככה", + "Good password" : "סיסמא טובה", + "Strong password" : "סיסמא חזקה", + "Error occurred while checking server setup" : "שגיאה אירעה בזמן בדיקת התקנת השרת", + "Shared" : "שותף", + "Error setting expiration date" : "אירעה שגיאה בעת הגדרת תאריך התפוגה", + "The public link will expire no later than {days} days after it is created" : "הקישור הציבורי יפוג עד {days} ימים לאחר שנוצר", + "Set expiration date" : "הגדרת תאריך תפוגה", + "Expiration" : "תפוגה", + "Expiration date" : "תאריך התפוגה", + "Choose a password for the public link" : "בחירת סיסמא לקישור ציבורי", + "Resharing is not allowed" : "אסור לעשות שיתוף מחדש", + "Share link" : "קישור לשיתוף", + "Link" : "קישור", + "Password protect" : "הגנה בססמה", + "Allow editing" : "אישור עריכה", + "Email link to person" : "שליחת קישור בדוא״ל למשתמש", + "Send" : "שליחה", + "Shared with you and the group {group} by {owner}" : "שותף אתך ועם הקבוצה {group} שבבעלות {owner}", + "Shared with you by {owner}" : "שותף אתך על ידי {owner}", + "group" : "קבוצה", + "remote" : "נשלט מרחוק", + "Unshare" : "הסר שיתוף", + "Could not unshare" : "לא ניתן לבטל שיתוף", + "Error while sharing" : "שגיאה במהלך השיתוף", + "Share details could not be loaded for this item." : "לא ניתן היה לטעון מידע שיתוף לפריט זה", + "No users or groups found for {search}" : "לא אותרו משתמשים או קבוצות עבור {search}", + "No users found for {search}" : "לא אותרו משתמשים עבור {search}", + "An error occurred. Please try again" : "אירעה שגיאה. יש לנסות שנית", + "{sharee} (group)" : "{sharee} (קבוצה)", + "{sharee} (remote)" : "{sharee} (מרוחק)", + "Share" : "שתף", + "Error" : "שגיאה", + "Error removing share" : "שגיאה בזמן הסרת שיתוף", + "Non-existing tag #{tag}" : "תגית לא קיימת #{tag}", + "restricted" : "מוגבל", + "invisible" : "בלתי גלוי", + "({scope})" : "({scope})", + "Delete" : "מחיקה", + "Rename" : "שינוי שם", + "Collaborative tags" : "תגיות שיתופיות", + "unknown text" : "מלל לא מוכר", + "Hello world!" : "שלום עולם!", + "sunny" : "שמשי", + "Hello {name}, the weather is {weather}" : "שלום {name}, מזג האוויר הנו {weather}", + "Hello {name}" : "שלום {name}", + "new" : "חדש", + "_download %n file_::_download %n files_" : ["הורד %n קובץ","הורדו %n קבצים"], + "An error occurred." : "אירעה שגיאה.", + "Please reload the page." : "יש להעלות מחדש דף זה.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "העדכון בוצע בהצלחה. למידע נוסף ניתן לבדוק בהודעת הפורום שלנו המכסה נושא זו.", + "Searching other places" : "מחפש במקומות אחרים", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} תוצאת חיפוש בתיקייה אחרות","{count} תוצאות חיפוש בתיקיות אחרות"], + "Personal" : "אישי", + "Users" : "משתמשים", + "Apps" : "יישומים", + "Admin" : "מנהל", + "Help" : "עזרה", + "Access forbidden" : "הגישה נחסמה", + "File not found" : "קובץ לא נמצא", + "The specified document has not been found on the server." : "המסמך המבוקש לא נמצא על השרת.", + "You can click here to return to %s." : "ניתן ללחוץ כאן לחזרה אל %s.", + "Internal Server Error" : "שגיאה פנימית בשרת", + "More details can be found in the server log." : "פרטים נוספים ניתן למצוא בלוג של הרשת.", + "Technical details" : "פרטים טכנים", + "Remote Address: %s" : "כתובת מרוחקת: %s", + "Request ID: %s" : "מספר זיהוי מבוקש: %s", + "Type: %s" : "סוג: %s", + "Code: %s" : "קוד: %s", + "Message: %s" : "הודעה: %s", + "File: %s" : "קובץ: %s", + "Line: %s" : "שורה: %s", + "Trace" : "עקבות", + "Security warning" : "אזהרת אבטחה", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "תיקיית וקבצי המידע שלך כנראה נגישים מהאינטרנט מכיוון שקובץ ה.htaccess לא עובד.", + "Create an admin account" : "יצירת חשבון מנהל", + "Username" : "שם משתמש", + "Storage & database" : "אחסון ומסד נתונים", + "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" : "מרחב הכתובות של מסד הנתונים", + "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" : "יש לצפות במסמכי התיעוד", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "יישום זה דורש JavaScript לפעולה נכונה. יש {linkstart}לאפשר JavaScript{linkend} ולטעון את העמוד מחדש.", + "Search" : "חיפוש", + "Server side authentication failed!" : "אימות לצד שרת נכשל!", + "Please contact your administrator." : "יש ליצור קשר עם המנהל.", + "An internal error occurred." : "אירעה שגיאה פנימית.", + "Please try again or contact your administrator." : "יש לנסות שוב ליצור קשר עם המנהל שלך.", + "Username or email" : "שם משתמש או דואר אלקטרוני", + "Log in" : "כניסה", + "Wrong password." : "סיסמא שגוייה.", + "Stay logged in" : "השאר מחובר", + "Alternative Logins" : "כניסות אלטרנטיביות", + "New password" : "ססמה חדשה", + "New Password" : "סיסמא חדשה", + "Add \"%s\" as trusted domain" : "הוספת \"%s\" כשם מתחם / דומיין מהימן", + "App update required" : "נדרש עדכון יישום", + "%s will be updated to version %s" : "%s יעודכן לגרסה %s", + "These apps will be updated:" : "יישומים אלו יעודכנו:", + "These incompatible apps will be disabled:" : "יישומים לא תואמים ינוטרלו:", + "The theme %s has been disabled." : "ערכת הנושא %s נוטרלה.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "יש לוודא שמסד הנתונים, תיקיית config ותיקיית data גובו לפני ההמשך.", + "Start update" : "התחלת עדכון", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "למניעת פסקי זמן בהתקנות גדולות, ניתן במקום להריץ את הפקודה הבאה בתיקיית ההתקנה שלך:", + "Detailed logs" : "לוג פרטים", + "Update needed" : "עדכון נדרש", + "This %s instance is currently in maintenance mode, which may take a while." : "הפעלה %s זו כרגע במצב אחזקה, שתמשך זמן מה.", + "This page will refresh itself when the %s instance is available again." : "עמוד זה ירענן את עצמו כשהפעלת %s תהיה זמינה שוב.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "יש ליצור קשר עם מנהל המערכת אם הודעה שו נמשכת או מופיעה באופן בלתי צפוי. ", + "Thank you for your patience." : "תודה על הסבלנות." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/he.json b/core/l10n/he.json new file mode 100644 index 0000000000000..9b763d71fdebd --- /dev/null +++ b/core/l10n/he.json @@ -0,0 +1,207 @@ +{ "translations": { + "Please select a file." : "יש לבחור קובץ.", + "File is too big" : "הקובץ גדול מדי", + "The selected file is not an image." : "הקובץ שנבחר אינו קובץ תמונה", + "The selected file cannot be read." : "לא ניתן לקרוא את הקובץ שנבחר", + "Invalid file provided" : "סופק קובץ לא חוקי", + "No image or file provided" : "לא סופקו תמונה או קובץ", + "Unknown filetype" : "סוג קובץ לא מוכר", + "Invalid image" : "תמונה לא חוקית", + "An error occurred. Please contact your admin." : "אירעה שגיאה. יש ליצור קשר עם המנהל שלך.", + "No temporary profile picture available, try again" : "לא קיימת תמונת פרופיל זמנית, יש לנסות שוב", + "No crop data provided" : "לא סופק מידע קיטום", + "No valid crop data provided" : "לא סופק מידע קיטום חוקי", + "Crop is not square" : "הקיטום אינו מרובע", + "State token does not match" : "קוד אימות מצב אינו תואם", + "Password reset is disabled" : "אין אפשרות לאפס סיסמה", + "Couldn't reset password because the token is invalid" : "לא ניתן לאפס סיסמא כיוון שמחרוזת האימות אינה חוקית", + "Couldn't reset password because the token is expired" : "לא ניתן לאפס סיסמא כיוון שמחרוזת האימות פגה תוקף", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני כיוון שלא מוגדר דואר אלקטרוני למשתמש זה. יש ליצור קשר עם מנהל.", + "%s password reset" : "%s הסיסמא אופסה", + "Password reset" : "איפוס סיסמה", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "יש ללחוץ על הכפתור הבא בכדי לאפס סיסמה, אם איפוס הסיסמה לא התבקש יש להתעלם מהודעה זו", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "יש ללחוץ על הקישור הבא בכדי לאפס סיסמה, אם איפוס הסיסמה לא התבקש יש להתעלם מהודעה זו", + "Reset your password" : "יש לאפס סיסמה", + "Couldn't send reset email. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לפנות למנהל שלך.", + "Couldn't send reset email. Please make sure your username is correct." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לוודא ששם המשתמש נכון.", + "Preparing update" : "מכין עדכון", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "אזהרת תיקון:", + "Repair error: " : "שגיאת תיקון:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "יש להשתמש בעדכון על בסיס שורת פקודה כיוון שעדכון אוטומטי מנוטרל בקובץ config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: בודק טבלה %s", + "Turned on maintenance mode" : "הפעלת מצב אחזקה", + "Turned off maintenance mode" : "כיבוי מצב אחזקה", + "Maintenance mode is kept active" : "מצב אחזקה נשמר פעיל", + "Updating database schema" : "עדכון סכימת מסד נתונים", + "Updated database" : "עדכון מסד נתונים", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "בודק אם סכימת מסד הנתונים ניתנת לעדכון (פעולה זו יכולה להמשך זמן רב תלוי בגודל מסד הנתונים)", + "Checked database schema update" : "עדכון סכימת מסד נתונים נבדק", + "Checking updates of apps" : "בדיקת עדכוני יישומים", + "Checking for update of app \"%s\" in appstore" : "בודק עדכונים עבור האפליקציות \"%s\" בחנות האפליקציות.", + "Update app \"%s\" from appstore" : "עדכן אפליקציה \"%s\" מחנות האפליקציות", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "בודק אם סכימת מסד הנתונים עבור %s ניתנת לעדכון (פעולה זו יכולה להמשך זמן רב תלוי בגודל מסד הנתונים)", + "Checked database schema update for apps" : "עדכון סכימת מסד נתונים ליישומים נבדק", + "Updated \"%s\" to %s" : "מעדכן \"%s\" ל- %s", + "Set log level to debug" : "קביעת רמת דיווח לתהליך ניפוי בשגיאות", + "Reset log level" : "קביעה מחדש לרמת דיווח", + "Starting code integrity check" : "התחלת בדיקת תקינות קוד", + "Finished code integrity check" : "סיום בדיקת תקינות קוד", + "%s (incompatible)" : "%s (לא תואם)", + "Following apps have been disabled: %s" : "היישומים הבאים נוטרלו: %s", + "Already up to date" : "כבר עדכני", + "There were problems with the code integrity check. More information…" : "קיימות בעיות עם בדיקת תקינות קוד. למידע נוסף…", + "Settings" : "הגדרות", + "Saving..." : "שמירה…", + "Dismiss" : "שחרור", + "Password" : "סיסמא", + "Cancel" : "ביטול", + "seconds ago" : "שניות", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "הקישור לאיפוס הסיסמא שלך נשלח אליך בדואר אלקטרוני. אם לא קיבלת את הקישור תוך זמן סביר, מוטב לבדוק את תיבת דואר הזבל/ספאם שלך.
אם ההודעה אינה שם, יש לשאול את המנהל המקומי שלך .", + "I know what I'm doing" : "אני יודע/ת מה אני עושה", + "Password can not be changed. Please contact your administrator." : "לא ניתן לשנות את הסיסמא. יש לפנות למנהל שלך.", + "Reset password" : "איפוס ססמה", + "No" : "לא", + "Yes" : "כן", + "Choose" : "בחירה", + "Error loading file picker template: {error}" : "שגיאה בטעינת תבנית בחירת הקבצים: {error}", + "Error loading message template: {error}" : "שגיאה בטעינת תבנית ההודעות: {error}", + "read-only" : "לקריאה בלבד", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} הנגשות קובץ","{count} התנגשויות קבצים"], + "One file conflict" : "התנגשות קובץ אחת", + "New Files" : "קבצים חדשים", + "Already existing files" : "קבצים קיימים כבר", + "Which files do you want to keep?" : "אילו קבצים ברצונך לשמור?", + "If you select both versions, the copied file will have a number added to its name." : "אם תבחר האפשרות לשמור את שתי הגרסאות, לשם קובץ המועתק יתווסף מספר.", + "Continue" : "המשך", + "(all selected)" : "(הכול נבחר)", + "({count} selected)" : "({count} נבחרו)", + "Error loading file exists template" : "שגיאה בטעינת קובץ תבנית קיימים", + "Very weak password" : "סיסמא מאוד חלשה", + "Weak password" : "סיסמא חלשה", + "So-so password" : "סיסמא ככה-ככה", + "Good password" : "סיסמא טובה", + "Strong password" : "סיסמא חזקה", + "Error occurred while checking server setup" : "שגיאה אירעה בזמן בדיקת התקנת השרת", + "Shared" : "שותף", + "Error setting expiration date" : "אירעה שגיאה בעת הגדרת תאריך התפוגה", + "The public link will expire no later than {days} days after it is created" : "הקישור הציבורי יפוג עד {days} ימים לאחר שנוצר", + "Set expiration date" : "הגדרת תאריך תפוגה", + "Expiration" : "תפוגה", + "Expiration date" : "תאריך התפוגה", + "Choose a password for the public link" : "בחירת סיסמא לקישור ציבורי", + "Resharing is not allowed" : "אסור לעשות שיתוף מחדש", + "Share link" : "קישור לשיתוף", + "Link" : "קישור", + "Password protect" : "הגנה בססמה", + "Allow editing" : "אישור עריכה", + "Email link to person" : "שליחת קישור בדוא״ל למשתמש", + "Send" : "שליחה", + "Shared with you and the group {group} by {owner}" : "שותף אתך ועם הקבוצה {group} שבבעלות {owner}", + "Shared with you by {owner}" : "שותף אתך על ידי {owner}", + "group" : "קבוצה", + "remote" : "נשלט מרחוק", + "Unshare" : "הסר שיתוף", + "Could not unshare" : "לא ניתן לבטל שיתוף", + "Error while sharing" : "שגיאה במהלך השיתוף", + "Share details could not be loaded for this item." : "לא ניתן היה לטעון מידע שיתוף לפריט זה", + "No users or groups found for {search}" : "לא אותרו משתמשים או קבוצות עבור {search}", + "No users found for {search}" : "לא אותרו משתמשים עבור {search}", + "An error occurred. Please try again" : "אירעה שגיאה. יש לנסות שנית", + "{sharee} (group)" : "{sharee} (קבוצה)", + "{sharee} (remote)" : "{sharee} (מרוחק)", + "Share" : "שתף", + "Error" : "שגיאה", + "Error removing share" : "שגיאה בזמן הסרת שיתוף", + "Non-existing tag #{tag}" : "תגית לא קיימת #{tag}", + "restricted" : "מוגבל", + "invisible" : "בלתי גלוי", + "({scope})" : "({scope})", + "Delete" : "מחיקה", + "Rename" : "שינוי שם", + "Collaborative tags" : "תגיות שיתופיות", + "unknown text" : "מלל לא מוכר", + "Hello world!" : "שלום עולם!", + "sunny" : "שמשי", + "Hello {name}, the weather is {weather}" : "שלום {name}, מזג האוויר הנו {weather}", + "Hello {name}" : "שלום {name}", + "new" : "חדש", + "_download %n file_::_download %n files_" : ["הורד %n קובץ","הורדו %n קבצים"], + "An error occurred." : "אירעה שגיאה.", + "Please reload the page." : "יש להעלות מחדש דף זה.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "העדכון בוצע בהצלחה. למידע נוסף ניתן לבדוק בהודעת הפורום שלנו המכסה נושא זו.", + "Searching other places" : "מחפש במקומות אחרים", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} תוצאת חיפוש בתיקייה אחרות","{count} תוצאות חיפוש בתיקיות אחרות"], + "Personal" : "אישי", + "Users" : "משתמשים", + "Apps" : "יישומים", + "Admin" : "מנהל", + "Help" : "עזרה", + "Access forbidden" : "הגישה נחסמה", + "File not found" : "קובץ לא נמצא", + "The specified document has not been found on the server." : "המסמך המבוקש לא נמצא על השרת.", + "You can click here to return to %s." : "ניתן ללחוץ כאן לחזרה אל %s.", + "Internal Server Error" : "שגיאה פנימית בשרת", + "More details can be found in the server log." : "פרטים נוספים ניתן למצוא בלוג של הרשת.", + "Technical details" : "פרטים טכנים", + "Remote Address: %s" : "כתובת מרוחקת: %s", + "Request ID: %s" : "מספר זיהוי מבוקש: %s", + "Type: %s" : "סוג: %s", + "Code: %s" : "קוד: %s", + "Message: %s" : "הודעה: %s", + "File: %s" : "קובץ: %s", + "Line: %s" : "שורה: %s", + "Trace" : "עקבות", + "Security warning" : "אזהרת אבטחה", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "תיקיית וקבצי המידע שלך כנראה נגישים מהאינטרנט מכיוון שקובץ ה.htaccess לא עובד.", + "Create an admin account" : "יצירת חשבון מנהל", + "Username" : "שם משתמש", + "Storage & database" : "אחסון ומסד נתונים", + "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" : "מרחב הכתובות של מסד הנתונים", + "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" : "יש לצפות במסמכי התיעוד", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "יישום זה דורש JavaScript לפעולה נכונה. יש {linkstart}לאפשר JavaScript{linkend} ולטעון את העמוד מחדש.", + "Search" : "חיפוש", + "Server side authentication failed!" : "אימות לצד שרת נכשל!", + "Please contact your administrator." : "יש ליצור קשר עם המנהל.", + "An internal error occurred." : "אירעה שגיאה פנימית.", + "Please try again or contact your administrator." : "יש לנסות שוב ליצור קשר עם המנהל שלך.", + "Username or email" : "שם משתמש או דואר אלקטרוני", + "Log in" : "כניסה", + "Wrong password." : "סיסמא שגוייה.", + "Stay logged in" : "השאר מחובר", + "Alternative Logins" : "כניסות אלטרנטיביות", + "New password" : "ססמה חדשה", + "New Password" : "סיסמא חדשה", + "Add \"%s\" as trusted domain" : "הוספת \"%s\" כשם מתחם / דומיין מהימן", + "App update required" : "נדרש עדכון יישום", + "%s will be updated to version %s" : "%s יעודכן לגרסה %s", + "These apps will be updated:" : "יישומים אלו יעודכנו:", + "These incompatible apps will be disabled:" : "יישומים לא תואמים ינוטרלו:", + "The theme %s has been disabled." : "ערכת הנושא %s נוטרלה.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "יש לוודא שמסד הנתונים, תיקיית config ותיקיית data גובו לפני ההמשך.", + "Start update" : "התחלת עדכון", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "למניעת פסקי זמן בהתקנות גדולות, ניתן במקום להריץ את הפקודה הבאה בתיקיית ההתקנה שלך:", + "Detailed logs" : "לוג פרטים", + "Update needed" : "עדכון נדרש", + "This %s instance is currently in maintenance mode, which may take a while." : "הפעלה %s זו כרגע במצב אחזקה, שתמשך זמן מה.", + "This page will refresh itself when the %s instance is available again." : "עמוד זה ירענן את עצמו כשהפעלת %s תהיה זמינה שוב.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "יש ליצור קשר עם מנהל המערכת אם הודעה שו נמשכת או מופיעה באופן בלתי צפוי. ", + "Thank you for your patience." : "תודה על הסבלנות." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/core/l10n/id.js b/core/l10n/id.js new file mode 100644 index 0000000000000..017a34badb8da --- /dev/null +++ b/core/l10n/id.js @@ -0,0 +1,235 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Pilih berkas", + "File is too big" : "Berkas terlalu besar", + "The selected file is not an image." : "Berkas yang dipilih bukanlah sebuah gambar.", + "The selected file cannot be read." : "Berkas yang dipilih tidak bisa dibaca.", + "Invalid file provided" : "Berkas yang diberikan tidak sah", + "No image or file provided" : "Tidak ada gambar atau berkas yang disediakan", + "Unknown filetype" : "Tipe berkas tidak dikenal", + "Invalid image" : "Gambar tidak sah", + "An error occurred. Please contact your admin." : "Terjadi kesalahan. Silakan hubungi admin Anda.", + "No temporary profile picture available, try again" : "Tidak ada gambar profil sementara yang tersedia, coba lagi", + "No crop data provided" : "Tidak ada data krop tersedia", + "No valid crop data provided" : "Tidak ada data valid untuk dipangkas", + "Crop is not square" : "Pangkas ini tidak persegi", + "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang kata sandi karena token tidak sah", + "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang kata sandi karena token telah kadaluarsa", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Tidak dapat mengirim email karena tidak ada alamat email untuk nama pengguna ini. Silahkan hubungi administrator Anda.", + "%s password reset" : "%s kata sandi disetel ulang", + "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim email setel ulang. Silakan hubungi administrator Anda.", + "Couldn't send reset email. Please make sure your username is correct." : "Tidak dapat menyetel ulang email. Mohon pastikan nama pengguna Anda benar.", + "Preparing update" : "Mempersiapkan pembaruan", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Peringatan perbaikan:", + "Repair error: " : "Kesalahan perbaikan:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Gunakan pembaruan di command line karena pembaruan otomatis di nonaktifkan di config.php. ", + "[%d / %d]: Checking table %s" : "[%d / %d]: Mengecek tabel %s", + "Turned on maintenance mode" : "Hidupkan mode perawatan", + "Turned off maintenance mode" : "Matikan mode perawatan", + "Maintenance mode is kept active" : "Mode Pemeliharaan masih aktif", + "Updating database schema" : "Memperbarui skema basis data", + "Updated database" : "Basis data terbaru", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema basis data dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", + "Checked database schema update" : "Pembaruan skema basis data terperiksa", + "Checking updates of apps" : "Memeriksa pembaruan aplikasi", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema untuk %s dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", + "Checked database schema update for apps" : "Pembaruan skema basis data terperiksa untuk aplikasi", + "Updated \"%s\" to %s" : "Terbaru \"%s\" sampai %s", + "Set log level to debug" : "Atur log level ke debug", + "Reset log level" : "Atur ulang log level", + "Starting code integrity check" : "Memulai pengecekan integritas kode", + "Finished code integrity check" : "Pengecekan integritas kode selesai", + "%s (incompatible)" : "%s (tidak kompatibel)", + "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", + "Already up to date" : "Sudah yang terbaru", + "There were problems with the code integrity check. More information…" : "Ada permasalahan dengan pengecekan integrasi kode. Informasi selanjutnya…", + "Settings" : "Pengaturan", + "Connection to server lost" : "Koneksi ke server gagal", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Tidak dapat memuat laman, muat ulang dalam %n detik"], + "Saving..." : "Menyimpan...", + "Dismiss" : "Buang", + "This action requires you to confirm your password" : "Aksi ini membutuhkan konfirmasi kata sandi Anda", + "Authentication required" : "Diperlukan otentikasi", + "Password" : "Kata Sandi", + "Cancel" : "Batal", + "Confirm" : "Konfirmasi", + "Failed to authenticate, try again" : "Gagal mengotentikasi, coba lagi", + "seconds ago" : "beberapa detik yang lalu", + "Logging in …" : "Log masuk...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang kata sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah kata sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", + "I know what I'm doing" : "Saya tahu apa yang saya lakukan", + "Password can not be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda", + "Reset password" : "Setel ulang kata sandi", + "No" : "Tidak", + "Yes" : "Ya", + "No files in here" : "Tidak ada berkas disini", + "Choose" : "Pilih", + "Copy" : "Salin", + "Error loading file picker template: {error}" : "Kesalahan saat memuat templat berkas pemilih: {error}", + "Error loading message template: {error}" : "Kesalahan memuat templat pesan: {error}", + "read-only" : "hanya-baca", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} berkas konflik"], + "One file conflict" : "Satu berkas konflik", + "New Files" : "Berkas Baru", + "Already existing files" : "Berkas sudah ada", + "Which files do you want to keep?" : "Berkas mana yang ingin anda pertahankan?", + "If you select both versions, the copied file will have a number added to its name." : "Jika anda memilih kedua versi, berkas yang disalin akan memiliki nomor yang ditambahkan sesuai namanya.", + "Continue" : "Lanjutkan", + "(all selected)" : "(semua terpilih)", + "({count} selected)" : "({count} terpilih)", + "Error loading file exists template" : "Kesalahan memuat templat berkas yang sudah ada", + "Pending" : "Terutnda", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", + "Error occurred while checking server setup" : "Kesalahan tidak terduga saat memeriksa setelan server", + "Shared" : "Dibagikan", + "Error setting expiration date" : "Kesalahan saat mengatur tanggal kedaluwarsa", + "The public link will expire no later than {days} days after it is created" : "Tautan publik akan kadaluarsa tidak lebih dari {days} hari setelah ini dibuat", + "Set expiration date" : "Atur tanggal kedaluwarsa", + "Expiration" : "Kedaluwarsa", + "Expiration date" : "Tanggal kedaluwarsa", + "Choose a password for the public link" : "Tetapkan kata sandi untuk tautan publik", + "Copied!" : "Tersalin!", + "Not supported!" : "Tidak didukung!", + "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", + "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", + "Resharing is not allowed" : "Berbagi ulang tidak diizinkan", + "Share link" : "Bagikan tautan", + "Link" : "Tautan", + "Password protect" : "Lindungi dengan kata sandi", + "Allow editing" : "Izinkan penyuntingan", + "Email link to person" : "Emailkan tautan ini ke orang", + "Send" : "Kirim", + "Allow upload and editing" : "Izinkan pengunggahan dan penyuntingan", + "File drop (upload only)" : "Berkas jatuh (hanya unggah)", + "Shared with you and the group {group} by {owner}" : "Dibagikan dengan anda dan grup {group} oleh {owner}", + "Shared with you by {owner}" : "Dibagikan dengan anda oleh {owner}", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} dibagikan lewat tautan", + "group" : "grup", + "remote" : "remote", + "email" : "surel", + "Unshare" : "Batalkan berbagi", + "Could not unshare" : "Tidak dapat membatalkan pembagian", + "Error while sharing" : "Kesalahan saat membagikan", + "Share details could not be loaded for this item." : "Rincian berbagi tidak dapat dimuat untuk item ini.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Sekurangnya {count} karakter dibutuhkan untuk autocompletion"], + "This list is maybe truncated - please refine your search term to see more results." : "Daftar ini mungkin terpotong - harap sari kata pencarian anda untuk melihat hasil yang lebih.", + "No users or groups found for {search}" : "Tidak ada pengguna atau grup ditemukan untuk {search}", + "No users found for {search}" : "Tidak ada pengguna ditemukan untuk {search}", + "An error occurred. Please try again" : "Terjadi kesalahan. Silakan coba lagi", + "{sharee} (group)" : "{sharee} (grup)", + "{sharee} (remote)" : "{sharee} (remote)", + "{sharee} (email)" : "{sharee} (surel)", + "Share" : "Bagikan", + "Error" : "Kesalahan", + "Error removing share" : "Terjadi kesalahan saat menghapus pembagian", + "Non-existing tag #{tag}" : "Tag tidak ada #{tag}", + "restricted" : "terbatas", + "invisible" : "tersembunyi", + "({scope})" : "({scope})", + "Delete" : "Hapus", + "Rename" : "Ubah nama", + "Collaborative tags" : "Tag kolaboratif", + "No tags found" : "Tag tidak ditemukan", + "unknown text" : "teks tidak diketahui", + "Hello world!" : "Halo dunia!", + "sunny" : "cerah", + "Hello {name}, the weather is {weather}" : "Halo {name}, saat ini {weather}", + "Hello {name}" : "Halo {name}", + "new" : "baru", + "_download %n file_::_download %n files_" : ["unduh %n berkas"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Pembaruan sedang dalam proses, meninggalkan halaman ini mungkin dapat mengganggu proses di beberapa lingkungan.", + "Update to {version}" : "Perbarui ke {version}", + "An error occurred." : "Terjadi kesalahan.", + "Please reload the page." : "Silakan muat ulang halaman.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Pembaruan gagal. Untuk informasi berikutnya cek posting di forum yang mencakup masalah kami.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Pembaruan gagal. Laporkan masalah ini ke komunitas Nextcloud.", + "Continue to Nextcloud" : "Lanjutkan ke Nextcloud", + "Searching other places" : "Mencari tempat lainnya", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} hasil pencarian di folder lain"], + "Personal" : "Pribadi", + "Users" : "Pengguna", + "Apps" : "Aplikasi", + "Admin" : "Admin", + "Help" : "Bantuan", + "Access forbidden" : "Akses ditolak", + "File not found" : "Berkas tidak ditemukan", + "The specified document has not been found on the server." : "Dokumen yang diminta tidak tersedia pada server.", + "You can click here to return to %s." : "Anda dapat klik disini unutk kembali ke %s.", + "Internal Server Error" : "Kesalahan Server Internal", + "More details can be found in the server log." : "Rincian lebih lengkap dapat ditemukan di log server.", + "Technical details" : "Rincian teknis", + "Remote Address: %s" : "Alamat remote: %s", + "Request ID: %s" : "ID Permintaan: %s", + "Type: %s" : "Tipe: %s", + "Code: %s" : "Kode: %s", + "Message: %s" : "Pesan: %s", + "File: %s" : "Berkas: %s", + "Line: %s" : "Baris: %s", + "Trace" : "Jejak", + "Security warning" : "Peringatan keamanan", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Kemungkinan direktori data dan berkas anda dapat diakses dari internet karena berkas .htaccess tidak berfungsi.", + "Create an admin account" : "Buat sebuah akun admin", + "Username" : "Nama pengguna", + "Storage & database" : "Penyimpanan & Basis data", + "Data folder" : "Folder data", + "Configure the database" : "Konfigurasikan basis data", + "Only %s is available." : "Hanya %s yang tersedia", + "Install and activate additional PHP modules to choose other database types." : "Pasang dan aktifkan modul PHP tambahan untuk memilih tipe basis data lainnya.", + "For more details check out the documentation." : "Untuk lebih rinci, periksa pada dokumentasi.", + "Database user" : "Pengguna basis data", + "Database password" : "Kata sandi basis data", + "Database name" : "Nama basis data", + "Database tablespace" : "Tablespace basis data", + "Database host" : "Host basis data", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Harap tentukan nomor port beserta nama host (contoh., localhost:5432).", + "Performance warning" : "Peringatan kinerja", + "SQLite will be used as database." : "SQLite akan digunakan sebagai basis data.", + "For larger installations we recommend to choose a different database backend." : "Untuk instalasi yang lebih besar, kami menyarankan untuk memilih backend basis data yang berbeda.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Terutama saat menggunakan klien desktop untuk sinkronisasi berkas, penggunaan SQLite tidak disarankan.", + "Finish setup" : "Selesaikan instalasi", + "Finishing …" : "Menyelesaikan ...", + "Need help?" : "Butuh bantuan?", + "See the documentation" : "Lihat dokumentasi", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Aplikasi ini memerlukan JavaScript untuk dapat beroperasi dengan benar. Mohon {linkstart}aktifkan JavaScript{linkend} dan muat ulang halaman ini.", + "Search" : "Cari", + "Confirm your password" : "Konfirmasi kata sandi Anda", + "Server side authentication failed!" : "Otentikasi dari sisi server gagal!", + "Please contact your administrator." : "Silahkan hubungi administrator anda.", + "An internal error occurred." : "Terjadi kesalahan internal.", + "Please try again or contact your administrator." : "Mohon coba lagi atau hubungi administrator Anda.", + "Username or email" : "Nama pengguna atau email", + "Log in" : "Masuk", + "Wrong password." : "Sandi salah.", + "Stay logged in" : "Tetap masuk", + "Alternative Logins" : "Cara Alternatif untuk Masuk", + "New password" : "Kata sandi baru", + "New Password" : "Kata sandi Baru", + "Two-factor authentication" : "Otentikasi Two-factor", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Keamanan tambahan diaktifkan untuk akun anda. Harap otentikasi menggunakan faktor kedua.", + "Cancel log in" : "Batalkan masuk log", + "Use backup code" : "Gunakan kode cadangan", + "Error while validating your second factor" : "Galat ketika memvalidasi faktor kedua anda", + "Add \"%s\" as trusted domain" : "tambahkan \"%s\" sebagai domain terpercaya", + "App update required" : "Diperlukan perbarui aplikasi", + "%s will be updated to version %s" : "%s akan diperbaarui ke versi %s", + "These apps will be updated:" : "Aplikasi berikut akan diperbarui:", + "These incompatible apps will be disabled:" : "Aplikasi yang tidak kompatibel berikut akan dinonaktifkan:", + "The theme %s has been disabled." : "Tema %s telah dinonaktfkan.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pastikan bahwa basis data, folder konfig, dan folder data telah dicadangkan sebelum melanjutkan.", + "Start update" : "Jalankan pembaruan", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Untuk menghindari waktu habis dengan instalasi yang lebih besar, Anda bisa menjalankan perintah berikut dari direktori instalasi Anda:", + "Detailed logs" : "Log detail", + "Update needed" : "Pembaruan dibutuhkan", + "This %s instance is currently in maintenance mode, which may take a while." : "Instansi %s ini sedang dalam modus pemeliharaan, mungkin memerlukan beberapa saat.", + "This page will refresh itself when the %s instance is available again." : "Halaman ini akan disegarkan dengan sendiri saat instansi %s tersebut tersedia kembali.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Hubungi administrator sistem anda jika pesan ini terus muncul atau muncul tiba-tiba.", + "Thank you for your patience." : "Terima kasih atas kesabaran anda." +}, +"nplurals=1; plural=0;"); diff --git a/core/l10n/id.json b/core/l10n/id.json new file mode 100644 index 0000000000000..7e0ded96f4e00 --- /dev/null +++ b/core/l10n/id.json @@ -0,0 +1,233 @@ +{ "translations": { + "Please select a file." : "Pilih berkas", + "File is too big" : "Berkas terlalu besar", + "The selected file is not an image." : "Berkas yang dipilih bukanlah sebuah gambar.", + "The selected file cannot be read." : "Berkas yang dipilih tidak bisa dibaca.", + "Invalid file provided" : "Berkas yang diberikan tidak sah", + "No image or file provided" : "Tidak ada gambar atau berkas yang disediakan", + "Unknown filetype" : "Tipe berkas tidak dikenal", + "Invalid image" : "Gambar tidak sah", + "An error occurred. Please contact your admin." : "Terjadi kesalahan. Silakan hubungi admin Anda.", + "No temporary profile picture available, try again" : "Tidak ada gambar profil sementara yang tersedia, coba lagi", + "No crop data provided" : "Tidak ada data krop tersedia", + "No valid crop data provided" : "Tidak ada data valid untuk dipangkas", + "Crop is not square" : "Pangkas ini tidak persegi", + "Couldn't reset password because the token is invalid" : "Tidak dapat menyetel ulang kata sandi karena token tidak sah", + "Couldn't reset password because the token is expired" : "Tidak dapat menyetel ulang kata sandi karena token telah kadaluarsa", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Tidak dapat mengirim email karena tidak ada alamat email untuk nama pengguna ini. Silahkan hubungi administrator Anda.", + "%s password reset" : "%s kata sandi disetel ulang", + "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim email setel ulang. Silakan hubungi administrator Anda.", + "Couldn't send reset email. Please make sure your username is correct." : "Tidak dapat menyetel ulang email. Mohon pastikan nama pengguna Anda benar.", + "Preparing update" : "Mempersiapkan pembaruan", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Peringatan perbaikan:", + "Repair error: " : "Kesalahan perbaikan:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Gunakan pembaruan di command line karena pembaruan otomatis di nonaktifkan di config.php. ", + "[%d / %d]: Checking table %s" : "[%d / %d]: Mengecek tabel %s", + "Turned on maintenance mode" : "Hidupkan mode perawatan", + "Turned off maintenance mode" : "Matikan mode perawatan", + "Maintenance mode is kept active" : "Mode Pemeliharaan masih aktif", + "Updating database schema" : "Memperbarui skema basis data", + "Updated database" : "Basis data terbaru", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema basis data dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", + "Checked database schema update" : "Pembaruan skema basis data terperiksa", + "Checking updates of apps" : "Memeriksa pembaruan aplikasi", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Memeriksa apakah skema untuk %s dapat diperbarui (dapat memerlukan waktu yang lama tergantung pada ukuran basis data)", + "Checked database schema update for apps" : "Pembaruan skema basis data terperiksa untuk aplikasi", + "Updated \"%s\" to %s" : "Terbaru \"%s\" sampai %s", + "Set log level to debug" : "Atur log level ke debug", + "Reset log level" : "Atur ulang log level", + "Starting code integrity check" : "Memulai pengecekan integritas kode", + "Finished code integrity check" : "Pengecekan integritas kode selesai", + "%s (incompatible)" : "%s (tidak kompatibel)", + "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", + "Already up to date" : "Sudah yang terbaru", + "There were problems with the code integrity check. More information…" : "Ada permasalahan dengan pengecekan integrasi kode. Informasi selanjutnya…", + "Settings" : "Pengaturan", + "Connection to server lost" : "Koneksi ke server gagal", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Tidak dapat memuat laman, muat ulang dalam %n detik"], + "Saving..." : "Menyimpan...", + "Dismiss" : "Buang", + "This action requires you to confirm your password" : "Aksi ini membutuhkan konfirmasi kata sandi Anda", + "Authentication required" : "Diperlukan otentikasi", + "Password" : "Kata Sandi", + "Cancel" : "Batal", + "Confirm" : "Konfirmasi", + "Failed to authenticate, try again" : "Gagal mengotentikasi, coba lagi", + "seconds ago" : "beberapa detik yang lalu", + "Logging in …" : "Log masuk...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "Sebuah tautan untuk setel ulang kata sandi Anda telah dikirim ke email Anda. Jika Anda tidak menerima dalam jangka waktu yang wajar, periksa folder spam/sampah Anda.
Jika tidak ada, tanyakan pada administrator Anda.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.
If you are not sure what to do, please contact your administrator before you continue.
Do you really want to continue?" : "Berkas anda terenkripsi. Tidak ada jalan untuk mendapatkan kembali data anda setelah kata sandi disetel ulang.
Jika anda tidak yakin, harap hubungi administrator anda sebelum melanjutkannya.
Apa anda ingin melanjutkannya?", + "I know what I'm doing" : "Saya tahu apa yang saya lakukan", + "Password can not be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda", + "Reset password" : "Setel ulang kata sandi", + "No" : "Tidak", + "Yes" : "Ya", + "No files in here" : "Tidak ada berkas disini", + "Choose" : "Pilih", + "Copy" : "Salin", + "Error loading file picker template: {error}" : "Kesalahan saat memuat templat berkas pemilih: {error}", + "Error loading message template: {error}" : "Kesalahan memuat templat pesan: {error}", + "read-only" : "hanya-baca", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} berkas konflik"], + "One file conflict" : "Satu berkas konflik", + "New Files" : "Berkas Baru", + "Already existing files" : "Berkas sudah ada", + "Which files do you want to keep?" : "Berkas mana yang ingin anda pertahankan?", + "If you select both versions, the copied file will have a number added to its name." : "Jika anda memilih kedua versi, berkas yang disalin akan memiliki nomor yang ditambahkan sesuai namanya.", + "Continue" : "Lanjutkan", + "(all selected)" : "(semua terpilih)", + "({count} selected)" : "({count} terpilih)", + "Error loading file exists template" : "Kesalahan memuat templat berkas yang sudah ada", + "Pending" : "Terutnda", + "Very weak password" : "Kata sandi sangat lemah", + "Weak password" : "Kata sandi lemah", + "So-so password" : "Kata sandi lumayan", + "Good password" : "Kata sandi baik", + "Strong password" : "Kata sandi kuat", + "Error occurred while checking server setup" : "Kesalahan tidak terduga saat memeriksa setelan server", + "Shared" : "Dibagikan", + "Error setting expiration date" : "Kesalahan saat mengatur tanggal kedaluwarsa", + "The public link will expire no later than {days} days after it is created" : "Tautan publik akan kadaluarsa tidak lebih dari {days} hari setelah ini dibuat", + "Set expiration date" : "Atur tanggal kedaluwarsa", + "Expiration" : "Kedaluwarsa", + "Expiration date" : "Tanggal kedaluwarsa", + "Choose a password for the public link" : "Tetapkan kata sandi untuk tautan publik", + "Copied!" : "Tersalin!", + "Not supported!" : "Tidak didukung!", + "Press ⌘-C to copy." : "Tekan ⌘-C untuk menyalin.", + "Press Ctrl-C to copy." : "Tekan Ctrl-C untuk menyalin.", + "Resharing is not allowed" : "Berbagi ulang tidak diizinkan", + "Share link" : "Bagikan tautan", + "Link" : "Tautan", + "Password protect" : "Lindungi dengan kata sandi", + "Allow editing" : "Izinkan penyuntingan", + "Email link to person" : "Emailkan tautan ini ke orang", + "Send" : "Kirim", + "Allow upload and editing" : "Izinkan pengunggahan dan penyuntingan", + "File drop (upload only)" : "Berkas jatuh (hanya unggah)", + "Shared with you and the group {group} by {owner}" : "Dibagikan dengan anda dan grup {group} oleh {owner}", + "Shared with you by {owner}" : "Dibagikan dengan anda oleh {owner}", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} dibagikan lewat tautan", + "group" : "grup", + "remote" : "remote", + "email" : "surel", + "Unshare" : "Batalkan berbagi", + "Could not unshare" : "Tidak dapat membatalkan pembagian", + "Error while sharing" : "Kesalahan saat membagikan", + "Share details could not be loaded for this item." : "Rincian berbagi tidak dapat dimuat untuk item ini.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Sekurangnya {count} karakter dibutuhkan untuk autocompletion"], + "This list is maybe truncated - please refine your search term to see more results." : "Daftar ini mungkin terpotong - harap sari kata pencarian anda untuk melihat hasil yang lebih.", + "No users or groups found for {search}" : "Tidak ada pengguna atau grup ditemukan untuk {search}", + "No users found for {search}" : "Tidak ada pengguna ditemukan untuk {search}", + "An error occurred. Please try again" : "Terjadi kesalahan. Silakan coba lagi", + "{sharee} (group)" : "{sharee} (grup)", + "{sharee} (remote)" : "{sharee} (remote)", + "{sharee} (email)" : "{sharee} (surel)", + "Share" : "Bagikan", + "Error" : "Kesalahan", + "Error removing share" : "Terjadi kesalahan saat menghapus pembagian", + "Non-existing tag #{tag}" : "Tag tidak ada #{tag}", + "restricted" : "terbatas", + "invisible" : "tersembunyi", + "({scope})" : "({scope})", + "Delete" : "Hapus", + "Rename" : "Ubah nama", + "Collaborative tags" : "Tag kolaboratif", + "No tags found" : "Tag tidak ditemukan", + "unknown text" : "teks tidak diketahui", + "Hello world!" : "Halo dunia!", + "sunny" : "cerah", + "Hello {name}, the weather is {weather}" : "Halo {name}, saat ini {weather}", + "Hello {name}" : "Halo {name}", + "new" : "baru", + "_download %n file_::_download %n files_" : ["unduh %n berkas"], + "The update is in progress, leaving this page might interrupt the process in some environments." : "Pembaruan sedang dalam proses, meninggalkan halaman ini mungkin dapat mengganggu proses di beberapa lingkungan.", + "Update to {version}" : "Perbarui ke {version}", + "An error occurred." : "Terjadi kesalahan.", + "Please reload the page." : "Silakan muat ulang halaman.", + "The update was unsuccessful. For more information check our forum post covering this issue." : "Pembaruan gagal. Untuk informasi berikutnya cek posting di forum yang mencakup masalah kami.", + "The update was unsuccessful. Please report this issue to the Nextcloud community." : "Pembaruan gagal. Laporkan masalah ini ke komunitas Nextcloud.", + "Continue to Nextcloud" : "Lanjutkan ke Nextcloud", + "Searching other places" : "Mencari tempat lainnya", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} hasil pencarian di folder lain"], + "Personal" : "Pribadi", + "Users" : "Pengguna", + "Apps" : "Aplikasi", + "Admin" : "Admin", + "Help" : "Bantuan", + "Access forbidden" : "Akses ditolak", + "File not found" : "Berkas tidak ditemukan", + "The specified document has not been found on the server." : "Dokumen yang diminta tidak tersedia pada server.", + "You can click here to return to %s." : "Anda dapat klik disini unutk kembali ke %s.", + "Internal Server Error" : "Kesalahan Server Internal", + "More details can be found in the server log." : "Rincian lebih lengkap dapat ditemukan di log server.", + "Technical details" : "Rincian teknis", + "Remote Address: %s" : "Alamat remote: %s", + "Request ID: %s" : "ID Permintaan: %s", + "Type: %s" : "Tipe: %s", + "Code: %s" : "Kode: %s", + "Message: %s" : "Pesan: %s", + "File: %s" : "Berkas: %s", + "Line: %s" : "Baris: %s", + "Trace" : "Jejak", + "Security warning" : "Peringatan keamanan", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Kemungkinan direktori data dan berkas anda dapat diakses dari internet karena berkas .htaccess tidak berfungsi.", + "Create an admin account" : "Buat sebuah akun admin", + "Username" : "Nama pengguna", + "Storage & database" : "Penyimpanan & Basis data", + "Data folder" : "Folder data", + "Configure the database" : "Konfigurasikan basis data", + "Only %s is available." : "Hanya %s yang tersedia", + "Install and activate additional PHP modules to choose other database types." : "Pasang dan aktifkan modul PHP tambahan untuk memilih tipe basis data lainnya.", + "For more details check out the documentation." : "Untuk lebih rinci, periksa pada dokumentasi.", + "Database user" : "Pengguna basis data", + "Database password" : "Kata sandi basis data", + "Database name" : "Nama basis data", + "Database tablespace" : "Tablespace basis data", + "Database host" : "Host basis data", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Harap tentukan nomor port beserta nama host (contoh., localhost:5432).", + "Performance warning" : "Peringatan kinerja", + "SQLite will be used as database." : "SQLite akan digunakan sebagai basis data.", + "For larger installations we recommend to choose a different database backend." : "Untuk instalasi yang lebih besar, kami menyarankan untuk memilih backend basis data yang berbeda.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Terutama saat menggunakan klien desktop untuk sinkronisasi berkas, penggunaan SQLite tidak disarankan.", + "Finish setup" : "Selesaikan instalasi", + "Finishing …" : "Menyelesaikan ...", + "Need help?" : "Butuh bantuan?", + "See the documentation" : "Lihat dokumentasi", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Aplikasi ini memerlukan JavaScript untuk dapat beroperasi dengan benar. Mohon {linkstart}aktifkan JavaScript{linkend} dan muat ulang halaman ini.", + "Search" : "Cari", + "Confirm your password" : "Konfirmasi kata sandi Anda", + "Server side authentication failed!" : "Otentikasi dari sisi server gagal!", + "Please contact your administrator." : "Silahkan hubungi administrator anda.", + "An internal error occurred." : "Terjadi kesalahan internal.", + "Please try again or contact your administrator." : "Mohon coba lagi atau hubungi administrator Anda.", + "Username or email" : "Nama pengguna atau email", + "Log in" : "Masuk", + "Wrong password." : "Sandi salah.", + "Stay logged in" : "Tetap masuk", + "Alternative Logins" : "Cara Alternatif untuk Masuk", + "New password" : "Kata sandi baru", + "New Password" : "Kata sandi Baru", + "Two-factor authentication" : "Otentikasi Two-factor", + "Enhanced security is enabled for your account. Please authenticate using a second factor." : "Keamanan tambahan diaktifkan untuk akun anda. Harap otentikasi menggunakan faktor kedua.", + "Cancel log in" : "Batalkan masuk log", + "Use backup code" : "Gunakan kode cadangan", + "Error while validating your second factor" : "Galat ketika memvalidasi faktor kedua anda", + "Add \"%s\" as trusted domain" : "tambahkan \"%s\" sebagai domain terpercaya", + "App update required" : "Diperlukan perbarui aplikasi", + "%s will be updated to version %s" : "%s akan diperbaarui ke versi %s", + "These apps will be updated:" : "Aplikasi berikut akan diperbarui:", + "These incompatible apps will be disabled:" : "Aplikasi yang tidak kompatibel berikut akan dinonaktifkan:", + "The theme %s has been disabled." : "Tema %s telah dinonaktfkan.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Pastikan bahwa basis data, folder konfig, dan folder data telah dicadangkan sebelum melanjutkan.", + "Start update" : "Jalankan pembaruan", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Untuk menghindari waktu habis dengan instalasi yang lebih besar, Anda bisa menjalankan perintah berikut dari direktori instalasi Anda:", + "Detailed logs" : "Log detail", + "Update needed" : "Pembaruan dibutuhkan", + "This %s instance is currently in maintenance mode, which may take a while." : "Instansi %s ini sedang dalam modus pemeliharaan, mungkin memerlukan beberapa saat.", + "This page will refresh itself when the %s instance is available again." : "Halaman ini akan disegarkan dengan sendiri saat instansi %s tersebut tersedia kembali.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Hubungi administrator sistem anda jika pesan ini terus muncul atau muncul tiba-tiba.", + "Thank you for your patience." : "Terima kasih atas kesabaran anda." +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/core/l10n/is.js b/core/l10n/is.js index 441a8128f3ddc..9d476ffc38f15 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Leita í tengiliðum ", "No contacts found" : "Engir tengiliðir fundust", "Show all contacts …" : "Birta alla tengiliði ...", + "Could not load your contacts" : "Gat ekki hlaðið inn tengiliðalistanum þínum", "Loading your contacts …" : "Hleð inn tengiliðalistum ...", "Looking for {term} …" : "Leita að {term} …", "There were problems with the code integrity check. More information…" : "Það komu upp vandamál með athugun á áreiðanleika kóða. Nánari upplýsingar…", @@ -79,6 +80,7 @@ OC.L10N.register( "I know what I'm doing" : "Ég veit hvað ég er að gera", "Password can not be changed. Please contact your administrator." : "Ekki er hægt að breyta lykilorði. Hafðu samband við kerfisstjóra.", "Reset password" : "Endursetja lykilorð", + "Sending email …" : "Sendi tölvupóst ...", "No" : "Nei", "Yes" : "Já", "No files in here" : "Engar skrár hér", @@ -107,8 +109,25 @@ OC.L10N.register( "So-so password" : "Miðlungs lykilorð", "Good password" : "Gott lykilorð", "Strong password" : "Sterkt lykilorð", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Vefþjónninn er ekki enn sett upp á réttan hátt til að leyfa skráasamstillingu því WebDAV viðmótið virðist vera skemmt.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "Vefþjónninn þinn er ekki uppsettur þannig að hann geti leyst \"{url}\". Frekari upplýsingar er að finna í hjálparskjölum okkar.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the Internet to enjoy all features." : "Þessi þjónn er ekki með virka nettengingu: ekki náðis tenging við fjölmarga endapunkta. Þetta þýðir að sumir eiginleikar eins og að virkja ytri gagnageymslu, tilkynningar um uppfærslur eða uppsetningu á forritum þriðja aðila, mun ekki virka. Fjartengdur aðgangur að skrám og sending tilkynninga í tölvupósti virka líklega ekki heldur. Við leggjum til að internettenging sé virkjuð fyrir þennan vefþjón ef þú vilt hafa alla eiginleika tiltæka.", + "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Ekkert skyndiminni (cache) hefur verið stillt. Til að auka afköst ættirðu að setja upp skyndiminni (með memcache) ef það er tiltækt. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom er ekki lesanlegt af PHP sem er mjög óráðlegt af öryggisástæðum. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Þú ert að keyra PHP {version}. Við hvetjum þig til að uppfæra PHP útgáfuna til að njóta afkastaaukningar og öryggisuppfærslna frá PHP Group um leið og dreifingin þín styður það.", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "Þú ert núna að keyra PHP 5.6. Núverandi aðalútgáfa Nextcloud er sú síðasta sem mun virka á PHP 5.6. Mælt er með því að uppfæra PHP í útgáfu 7.0+ til að eiga möguleika á að uppfæra í Nextcloud 14.", + "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud. Further information can be found in the documentation." : "Uppsetning gagnstæðs milliþjónshauss (reverse proxy header) er röng, eða að þú ert að tengjast Nextcloud frá treystum milliþjóni Ef þú ert ekki að tengjast Nextcloud frá treystum milliþjóni, þá er þetta er öryggisvandamál og getur leyft árásaraðilum að dulbúa IP-vistfang þeirra sem sýnilegt Nextcloud. Nánari upplýsingar má finna í hjálparskjölum okkar.", "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 memcached wiki about both modules." : "Memcached er sett upp sem dreift skyndiminni, en hinsvegar er ranga PHP-einingin \"memcache\" uppsett. \\OC\\Memcache\\Memcached styður einungis \"memcached\" en ekki \"memcache\". Skoðaðu memcached wiki-síðurnar um báðar einingarnar.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Sumar skrár hafa ekki staðist áreiðanleikaprófun. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar. (Listi yfir ógildar skrár… / Endurskanna…)", + "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP-uppsetningin er ekki með stuðning við Free Type. Þetta mun valda því að notendamyndir og stillingaviðmót virki ekki.", "Error occurred while checking server setup" : "Villa kom upp við athugun á uppsetningu þjóns", + "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", + "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP-hausinn er ekki stilltur á \"{expected}\". Þetta er möguleg áhætta varðandi öryggi og gagnaleynd, við mælum með því að laga þessa stillingu.", + "The \"{header}\" HTTP header is not set to \"{expected}\". Some features might not work correctly, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP-hausinn er ekki stilltur á \"{expected}\". Einhverjir eiginleikar gætu virkað ekki rétt, við mælum með því að laga þessa stillingu.", + "The \"Strict-Transport-Security\" HTTP header is not set to at least \"{seconds}\" seconds. For enhanced security, it is recommended to enable HSTS as described in the security tips." : "\"Strict-Transport-Security\" HTTP-hausinn er ekki stilltur á að minnsa kosti \"{seconds}\" sekúndur. Fyrir aukið öryggi mælum við með því að virkja HSTS eins og lýst er í öryggisleiðbeiningum.", + "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : " Þú ert að tengjast þessu vefsvæði með HTTP. Við mælum eindregið með að þú stillir þjóninn á að krefjast HTTPS í staðinn eins og lýst er í öryggisleiðbeiningunum okkar.", "Shared" : "Deilt", "Shared with" : "Deilt með", "Shared by" : "Deilt af", @@ -257,8 +276,10 @@ OC.L10N.register( "Username or email" : "Notandanafn eða tölvupóstur", "Log in" : "Skrá inn", "Wrong password." : "Rangt lykilorð.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Við urðum vör við margar misheppnaðar innskráningar í röð frá IP-vistfanginu þínu. Þar með verður næsta innskráning tafin (throttled) um 30 sekúndur.", "Stay logged in" : "Haldast skráður inn", "Forgot password?" : "Gleymdirðu lykilorði?", + "Back to log in" : "Til baka í innskráningu", "Alternative Logins" : "Aðrar innskráningar", "Account access" : "Aðgangur að notandaaðgangi", "You are about to grant %s access to your %s account." : "Þú ert að fara að leyfa %s aðgang að %s notandaaðgangnum þínum.", @@ -294,6 +315,35 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Þessi %s er nú í viðhaldsham, sem getur tekið smá stund.", "This page will refresh itself when the %s instance is available again." : "Þessi síða mun uppfæra sig þegar %s er í boði á ný.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hafðu samband við kerfisstjóra ef þessi skilaboð eru viðvarandi eða birtust óvænt.", - "Thank you for your patience." : "Þakka þér fyrir biðlundina." + "Thank you for your patience." : "Þakka þér fyrir biðlundina.", + "%s (3rdparty)" : "%s (frá 3. aðila)", + "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vefþjónninn er ekki enn sett upp á réttan hátt til að leyfa skráasamstillingu því WebDAV viðmótið virðist vera skemmt.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Vefþjónninn þinn er ekki uppsettur þannig að hann geti leyst \"{url}\". Frekari upplýsingar er að finna í hjálparskjölum okkar.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Þessi þjónn er ekki með virka nettengingu: ekki náðis tenging við fjölmarga endapunkta. Þetta þýðir að sumir eiginleikar eins og að virkja ytri gagnageymslu, tilkynningar um uppfærslur eða uppsetningu á forritum þriðja aðila, mun ekki virka. Fjartengdur aðgangur að skrám og sending tilkynninga í tölvupósti virka líklega ekki heldur. Við leggjum til að internettenging sé virkjuð fyrir þennan vefþjón ef þú vilt hafa alla eiginleika tiltæka.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ekkert skyndiminni (cache) hefur verið stillt. Til að auka afköst ættirðu að setja upp skyndiminni (með memcache) ef það er tiltækt. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ekki lesanlegt af PHP sem er mjög óráðlegt af öryggisástæðum. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Þú ert að keyra PHP {version}. Við hvetjum þig til að uppfæra PHP útgáfuna til að njóta afkastaaukningar og öryggisuppfærslna frá PHP Group um leið og dreifingin þín styður það.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Uppsetning gagnstæðs milliþjónshauss (reverse proxy header) er röng, eða að þú ert að tengjast Nextcloud frá treystum milliþjóni Ef þú ert ekki að tengjast Nextcloud frá treystum milliþjóni, þá er þetta er öryggisvandamál og getur leyft árásaraðilum að dulbúa IP-vistfang þeirra sem sýnilegt Nextcloud. Nánari upplýsingar má finna í hjálparskjölum okkar.", + "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 memcached wiki about both modules." : "Memcached er sett upp sem dreift skyndiminni, en hinsvegar er ranga PHP-einingin \"memcache\" uppsett. \\OC\\Memcache\\Memcached styður einungis \"memcached\" en ekki \"memcache\". Skoðaðu memcached wiki-síðurnar um báðar einingarnar.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sumar skrár hafa ekki staðist áreiðanleikaprófun. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar. (Listi yfir ógildar skrár… / Endurskanna…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", + "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." : "\"{header}\" HTTP-haus er ekki stilltur til jafns við \"{expected}\". Þetta er möguleg áhætta varðandi öryggi og gagnaleynd, við mælum með því að laga þessa stillingu.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP-hausinn er ekki stilltur á að minnsa kosti \"{seconds}\" sekúndur. Fyrir aukið öryggi mælum við með því að virkja HSTS eins og lýst er í öryggisleiðbeiningum.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : " Þú ert að tengjast þessu vefsvæði með HTTP. Við mælum eindregið með að þú stillir þjóninn á að krefjast HTTPS í staðinn eins og lýst er í öryggisleiðbeiningunum okkar.", + "Shared with {recipients}" : "Deilt með {recipients}", + "The server encountered an internal error and was unable to complete your request." : "Innri villa kom upp á þjóninum og ekki náðist að afgreiða beiðnina.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Hafðu samband við kerfisstjóra ef þessi villa birtist oft aftur, láttu þá tæknilegu upplýsingarnar hér að neðan fylgja með.", + "For information how to properly configure your server, please see the documentation." : "Til að fá upplýsingar hvernig á að stilla miðlara almennilega, skaltu skoða hjálparskjölin.", + "This action requires you to confirm your password:" : "Þessi aðgerð krefst þess að þú staðfestir lykilorðið þitt:", + "Wrong password. Reset it?" : "Rangt lykilorð. Endursetja það?", + "You are about to grant \"%s\" access to your %s account." : "Þú ert að fara að leyfa \"%s\" aðgang að %s notandaaðgangnum þínum.", + "You are accessing the server from an untrusted domain." : "Þú ert að tengjast þjóninum frá ótreystu léni.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Hafðu samband við kerfisstjóra. Ef þú ert stjórnandi á þessu tilviki, stilltu \"trusted_domains\" setninguna í config/config.php. Dæmi um stillingar má sjá í config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Það fer eftir stillingum þínum, sem stjórnandi þá gætir þú einnig notað hnappinn hér fyrir neðan til að treysta þessu léni.", + "For help, see the documentation." : "Til að fá hjálp er best að skoða fyrst hjálparskjölin.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP-uppsetningin er ekki með stuðning við 'freetype'. Þetta mun valda því að notendamyndir og stillingaviðmót virki ekki." }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/core/l10n/is.json b/core/l10n/is.json index 9ecdbf0291185..fa833ade1985e 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -54,6 +54,7 @@ "Search contacts …" : "Leita í tengiliðum ", "No contacts found" : "Engir tengiliðir fundust", "Show all contacts …" : "Birta alla tengiliði ...", + "Could not load your contacts" : "Gat ekki hlaðið inn tengiliðalistanum þínum", "Loading your contacts …" : "Hleð inn tengiliðalistum ...", "Looking for {term} …" : "Leita að {term} …", "There were problems with the code integrity check. More information…" : "Það komu upp vandamál með athugun á áreiðanleika kóða. Nánari upplýsingar…", @@ -77,6 +78,7 @@ "I know what I'm doing" : "Ég veit hvað ég er að gera", "Password can not be changed. Please contact your administrator." : "Ekki er hægt að breyta lykilorði. Hafðu samband við kerfisstjóra.", "Reset password" : "Endursetja lykilorð", + "Sending email …" : "Sendi tölvupóst ...", "No" : "Nei", "Yes" : "Já", "No files in here" : "Engar skrár hér", @@ -105,8 +107,25 @@ "So-so password" : "Miðlungs lykilorð", "Good password" : "Gott lykilorð", "Strong password" : "Sterkt lykilorð", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "Vefþjónninn er ekki enn sett upp á réttan hátt til að leyfa skráasamstillingu því WebDAV viðmótið virðist vera skemmt.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "Vefþjónninn þinn er ekki uppsettur þannig að hann geti leyst \"{url}\". Frekari upplýsingar er að finna í hjálparskjölum okkar.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the Internet to enjoy all features." : "Þessi þjónn er ekki með virka nettengingu: ekki náðis tenging við fjölmarga endapunkta. Þetta þýðir að sumir eiginleikar eins og að virkja ytri gagnageymslu, tilkynningar um uppfærslur eða uppsetningu á forritum þriðja aðila, mun ekki virka. Fjartengdur aðgangur að skrám og sending tilkynninga í tölvupósti virka líklega ekki heldur. Við leggjum til að internettenging sé virkjuð fyrir þennan vefþjón ef þú vilt hafa alla eiginleika tiltæka.", + "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Ekkert skyndiminni (cache) hefur verið stillt. Til að auka afköst ættirðu að setja upp skyndiminni (með memcache) ef það er tiltækt. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom er ekki lesanlegt af PHP sem er mjög óráðlegt af öryggisástæðum. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Þú ert að keyra PHP {version}. Við hvetjum þig til að uppfæra PHP útgáfuna til að njóta afkastaaukningar og öryggisuppfærslna frá PHP Group um leið og dreifingin þín styður það.", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "Þú ert núna að keyra PHP 5.6. Núverandi aðalútgáfa Nextcloud er sú síðasta sem mun virka á PHP 5.6. Mælt er með því að uppfæra PHP í útgáfu 7.0+ til að eiga möguleika á að uppfæra í Nextcloud 14.", + "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud. Further information can be found in the documentation." : "Uppsetning gagnstæðs milliþjónshauss (reverse proxy header) er röng, eða að þú ert að tengjast Nextcloud frá treystum milliþjóni Ef þú ert ekki að tengjast Nextcloud frá treystum milliþjóni, þá er þetta er öryggisvandamál og getur leyft árásaraðilum að dulbúa IP-vistfang þeirra sem sýnilegt Nextcloud. Nánari upplýsingar má finna í hjálparskjölum okkar.", "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 memcached wiki about both modules." : "Memcached er sett upp sem dreift skyndiminni, en hinsvegar er ranga PHP-einingin \"memcache\" uppsett. \\OC\\Memcache\\Memcached styður einungis \"memcached\" en ekki \"memcache\". Skoðaðu memcached wiki-síðurnar um báðar einingarnar.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Sumar skrár hafa ekki staðist áreiðanleikaprófun. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar. (Listi yfir ógildar skrár… / Endurskanna…)", + "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP-uppsetningin er ekki með stuðning við Free Type. Þetta mun valda því að notendamyndir og stillingaviðmót virki ekki.", "Error occurred while checking server setup" : "Villa kom upp við athugun á uppsetningu þjóns", + "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", + "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP-hausinn er ekki stilltur á \"{expected}\". Þetta er möguleg áhætta varðandi öryggi og gagnaleynd, við mælum með því að laga þessa stillingu.", + "The \"{header}\" HTTP header is not set to \"{expected}\". Some features might not work correctly, as it is recommended to adjust this setting accordingly." : "\"{header}\" HTTP-hausinn er ekki stilltur á \"{expected}\". Einhverjir eiginleikar gætu virkað ekki rétt, við mælum með því að laga þessa stillingu.", + "The \"Strict-Transport-Security\" HTTP header is not set to at least \"{seconds}\" seconds. For enhanced security, it is recommended to enable HSTS as described in the security tips." : "\"Strict-Transport-Security\" HTTP-hausinn er ekki stilltur á að minnsa kosti \"{seconds}\" sekúndur. Fyrir aukið öryggi mælum við með því að virkja HSTS eins og lýst er í öryggisleiðbeiningum.", + "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : " Þú ert að tengjast þessu vefsvæði með HTTP. Við mælum eindregið með að þú stillir þjóninn á að krefjast HTTPS í staðinn eins og lýst er í öryggisleiðbeiningunum okkar.", "Shared" : "Deilt", "Shared with" : "Deilt með", "Shared by" : "Deilt af", @@ -255,8 +274,10 @@ "Username or email" : "Notandanafn eða tölvupóstur", "Log in" : "Skrá inn", "Wrong password." : "Rangt lykilorð.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Við urðum vör við margar misheppnaðar innskráningar í röð frá IP-vistfanginu þínu. Þar með verður næsta innskráning tafin (throttled) um 30 sekúndur.", "Stay logged in" : "Haldast skráður inn", "Forgot password?" : "Gleymdirðu lykilorði?", + "Back to log in" : "Til baka í innskráningu", "Alternative Logins" : "Aðrar innskráningar", "Account access" : "Aðgangur að notandaaðgangi", "You are about to grant %s access to your %s account." : "Þú ert að fara að leyfa %s aðgang að %s notandaaðgangnum þínum.", @@ -292,6 +313,35 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Þessi %s er nú í viðhaldsham, sem getur tekið smá stund.", "This page will refresh itself when the %s instance is available again." : "Þessi síða mun uppfæra sig þegar %s er í boði á ný.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Hafðu samband við kerfisstjóra ef þessi skilaboð eru viðvarandi eða birtust óvænt.", - "Thank you for your patience." : "Þakka þér fyrir biðlundina." + "Thank you for your patience." : "Þakka þér fyrir biðlundina.", + "%s (3rdparty)" : "%s (frá 3. aðila)", + "There was an error loading your contacts" : "Það kom upp villa við að hlaða inn tengiliðunum þínum", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vefþjónninn er ekki enn sett upp á réttan hátt til að leyfa skráasamstillingu því WebDAV viðmótið virðist vera skemmt.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Vefþjónninn þinn er ekki uppsettur þannig að hann geti leyst \"{url}\". Frekari upplýsingar er að finna í hjálparskjölum okkar.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Þessi þjónn er ekki með virka nettengingu: ekki náðis tenging við fjölmarga endapunkta. Þetta þýðir að sumir eiginleikar eins og að virkja ytri gagnageymslu, tilkynningar um uppfærslur eða uppsetningu á forritum þriðja aðila, mun ekki virka. Fjartengdur aðgangur að skrám og sending tilkynninga í tölvupósti virka líklega ekki heldur. Við leggjum til að internettenging sé virkjuð fyrir þennan vefþjón ef þú vilt hafa alla eiginleika tiltæka.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Ekkert skyndiminni (cache) hefur verið stillt. Til að auka afköst ættirðu að setja upp skyndiminni (með memcache) ef það er tiltækt. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ekki lesanlegt af PHP sem er mjög óráðlegt af öryggisástæðum. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Þú ert að keyra PHP {version}. Við hvetjum þig til að uppfæra PHP útgáfuna til að njóta afkastaaukningar og öryggisuppfærslna frá PHP Group um leið og dreifingin þín styður það.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Uppsetning gagnstæðs milliþjónshauss (reverse proxy header) er röng, eða að þú ert að tengjast Nextcloud frá treystum milliþjóni Ef þú ert ekki að tengjast Nextcloud frá treystum milliþjóni, þá er þetta er öryggisvandamál og getur leyft árásaraðilum að dulbúa IP-vistfang þeirra sem sýnilegt Nextcloud. Nánari upplýsingar má finna í hjálparskjölum okkar.", + "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 memcached wiki about both modules." : "Memcached er sett upp sem dreift skyndiminni, en hinsvegar er ranga PHP-einingin \"memcache\" uppsett. \\OC\\Memcache\\Memcached styður einungis \"memcached\" en ekki \"memcache\". Skoðaðu memcached wiki-síðurnar um báðar einingarnar.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sumar skrár hafa ekki staðist áreiðanleikaprófun. Hægt er að finna nánari upplýsingar um þetta í hjálparskjölum okkar. (Listi yfir ógildar skrár… / Endurskanna…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ekki rétt uppsett. Fyrir betri afköst mælum við með því að nota eftirfarandi stillingar í php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-fallið \"set_time_limit\" er ekki tiltækt. Þetta gæti valdið því að skriftur stöðvist í miðri keyrslu og skemmi uppsetninguna þína. Við mælumst til þess að þetta fall sé gert virkt.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Gagnamappan og skrárnar þínar eru líklega aðgengilegar öllum af internetinu vegna þess að .htaccess skrá er ekki virk. Við mælum eindregið með að þú stillir vefþjóninn þinn á þann hátt að gagnamappa er ekki lengur aðgengileg eða þú færir gagnamöppu út fyrir skjalarót vefþjóns.", + "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." : "\"{header}\" HTTP-haus er ekki stilltur til jafns við \"{expected}\". Þetta er möguleg áhætta varðandi öryggi og gagnaleynd, við mælum með því að laga þessa stillingu.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\" HTTP-hausinn er ekki stilltur á að minnsa kosti \"{seconds}\" sekúndur. Fyrir aukið öryggi mælum við með því að virkja HSTS eins og lýst er í öryggisleiðbeiningum.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : " Þú ert að tengjast þessu vefsvæði með HTTP. Við mælum eindregið með að þú stillir þjóninn á að krefjast HTTPS í staðinn eins og lýst er í öryggisleiðbeiningunum okkar.", + "Shared with {recipients}" : "Deilt með {recipients}", + "The server encountered an internal error and was unable to complete your request." : "Innri villa kom upp á þjóninum og ekki náðist að afgreiða beiðnina.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Hafðu samband við kerfisstjóra ef þessi villa birtist oft aftur, láttu þá tæknilegu upplýsingarnar hér að neðan fylgja með.", + "For information how to properly configure your server, please see the documentation." : "Til að fá upplýsingar hvernig á að stilla miðlara almennilega, skaltu skoða hjálparskjölin.", + "This action requires you to confirm your password:" : "Þessi aðgerð krefst þess að þú staðfestir lykilorðið þitt:", + "Wrong password. Reset it?" : "Rangt lykilorð. Endursetja það?", + "You are about to grant \"%s\" access to your %s account." : "Þú ert að fara að leyfa \"%s\" aðgang að %s notandaaðgangnum þínum.", + "You are accessing the server from an untrusted domain." : "Þú ert að tengjast þjóninum frá ótreystu léni.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Hafðu samband við kerfisstjóra. Ef þú ert stjórnandi á þessu tilviki, stilltu \"trusted_domains\" setninguna í config/config.php. Dæmi um stillingar má sjá í config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Það fer eftir stillingum þínum, sem stjórnandi þá gætir þú einnig notað hnappinn hér fyrir neðan til að treysta þessu léni.", + "For help, see the documentation." : "Til að fá hjálp er best að skoða fyrst hjálparskjölin.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "PHP-uppsetningin er ekki með stuðning við 'freetype'. Þetta mun valda því að notendamyndir og stillingaviðmót virki ekki." },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/core/l10n/th.js b/core/l10n/th.js new file mode 100644 index 0000000000000..427dcc443214a --- /dev/null +++ b/core/l10n/th.js @@ -0,0 +1,187 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "กรุณาเลือกแฟ้ม", + "File is too big" : "ไฟล์มีขนาดใหญ่เกินไป", + "Invalid file provided" : "ระบุไฟล์ไม่ถูกต้อง", + "No image or file provided" : "ไม่มีรูปภาพหรือไฟล์ที่ระบุ", + "Unknown filetype" : "ไม่รู้จักชนิดของไฟล์", + "Invalid image" : "รูปภาพไม่ถูกต้อง", + "An error occurred. Please contact your admin." : "เกิดข้อผิดพลาด กรุณาติดต่อผู้ดูแลระบบของคุณ", + "No temporary profile picture available, try again" : "ไม่มีรูปภาพโปรไฟล์ชั่วคราว กรุณาลองใหม่อีกครั้ง", + "No crop data provided" : "ไม่มีการครอบตัดข้อมูลที่ระบุ", + "No valid crop data provided" : "ไม่ได้ระบุข้อมูลการครอบตัดที่ถูกต้อง", + "Crop is not square" : "การครอบตัดไม่เป็นสี่เหลี่ยม", + "Couldn't reset password because the token is invalid" : "ไม่สามารถตั้งรหัสผ่านใหม่เพราะโทเค็นไม่ถูกต้อง", + "Couldn't reset password because the token is expired" : "ไม่สามารถตั้งค่ารหัสผ่านเพราะโทเค็นหมดอายุ", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "ไม่สามารถส่งการตั้งค่าไปยังอีเมลเพราะไม่มีที่อยู่อีเมลสำหรับผู้ใช้นี้ กรุณาติดต่อผู้ดูแลระบบ", + "%s password reset" : "%s ตั้งรหัสผ่านใหม่", + "Couldn't send reset email. Please contact your administrator." : "ไม่สามารถส่งข้อมูลการตั้งค่าไปยังอีเมลของคุณ กรุณาติดต่อผู้ดูแลระบบ", + "Couldn't send reset email. Please make sure your username is correct." : "ไม่สามารถส่งข้อมูลการตั้งค่าไปยังอีเมลของคุณ กรุณาตรวจสอบชื่อผู้ใช้ของคุณให้ถูกต้อง", + "Preparing update" : "เตรียมอัพเดท", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "เตือนการซ่อมแซม:", + "Repair error: " : "เกิดข้อผิดพลาดในการซ่อมแซม:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "กรุณาใช้คำสั่งการปรับปรุงเพราะการปรับปรุงอัตโนมัติถูกปิดใช้งานใน config.php", + "[%d / %d]: Checking table %s" : "[%d / %d]: กำลังตรวจสอบตาราง %s", + "Turned on maintenance mode" : "เปิดโหมดการบำรุงรักษา", + "Turned off maintenance mode" : "ปิดโหมดการบำรุงรักษา", + "Maintenance mode is kept active" : "โหมดการบำรุงรักษาจะถูกเก็บไว้ใช้งาน", + "Updating database schema" : "กำลังอัพเดทฐานข้อมูล schema", + "Updated database" : "อัพเดทฐานข้อมูลเรียบร้อยแล้ว", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "กำลังตรวจสอบว่าฐานข้อมูล schema สามารถอัพเดทได้หรือไม่ (นี้อาจใช้เวลานานขึ้นอยู่กับขนาดของฐานข้อมูล)", + "Checked database schema update" : "Schema อัพเดตของฐานข้อมูลถูกตรวจสอบ", + "Checking updates of apps" : "กำลังตรวจสอบการอัพเดทแอพพลิเคชัน", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "กำลังตรวจสอบว่าฐานข้อมูลสำหรับ schema สำหรับ %s ว่าสามารถอัพเดทได้หรือไม่ (นี้จะใช้เวลานานขึ้นอยู่กับขนาดของฐานข้อมูล)", + "Checked database schema update for apps" : "Schema อัพเดตของฐานข้อมูลสำหรับแอพฯ", + "Updated \"%s\" to %s" : "อัพเดท \"%s\" ไปยัง %s", + "Set log level to debug" : "ตั้งค่าระดับบันทึกเพื่อแก้ปัญหา", + "Reset log level" : "ตั้งค่าระดับบันทึกใหม่", + "Starting code integrity check" : "กำลังเริ่มต้นรหัสตรวจสอบความสมบูรณ์", + "Finished code integrity check" : "ตรวจสอบความสมบูรณ์ของรหัสเสร็จสิ้น", + "%s (incompatible)" : "%s (เข้ากันไม่ได้)", + "Following apps have been disabled: %s" : "แอพฯดังต่อไปนี้ถูกปิดการใช้งาน: %s", + "Already up to date" : "มีอยู่แล้วถึงวันที่", + "There were problems with the code integrity check. More information…" : "มีปัญหาเกี่ยวกับการตรวจสอบความสมบูรณ์ของรหัส รายละเอียดเพิ่มเติม...", + "Settings" : "ตั้งค่า", + "Saving..." : "กำลังบันทึกข้อมูล...", + "Dismiss" : "ยกเลิก", + "Password" : "รหัสผ่าน", + "Cancel" : "ยกเลิก", + "seconds ago" : "วินาที ก่อนหน้านี้", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "ลิงค์ที่ใช้สำหรับตั้งค่ารหัสผ่านใหม่ ของคุณ ได้ถูกส่งไปยังอีเมลของคุณ หากคุณยังไม่ได้รับอีกเมล ลองไปดูที่โฟลเดอร์ สแปม/ถังขยะ ในอีเมลของคุณ
ทั้งนี้หากหาอีเมลไม่พบกรุณาติดต่อผู้ดูแลระบบ", + "I know what I'm doing" : "ฉันรู้ว่าฉันกำลังทำอะไรอยู่", + "Password can not be changed. Please contact your administrator." : "หากคุณไม่สามารถเปลี่ยนแปลงรหัสผ่าน กรุณาติดต่อผู้ดูแลระบบ", + "Reset password" : "เปลี่ยนรหัสผ่านใหม่", + "No" : "ไม่ตกลง", + "Yes" : "ตกลง", + "Choose" : "เลือก", + "Error loading file picker template: {error}" : "เกิดข้อผิดพลาดขณะกำลังโหลดไฟล์เทมเพลต: {error}", + "Error loading message template: {error}" : "เกิดข้อผิดพลาดขณะกำลังโหลดเทมเพลต: {error} ", + "read-only" : "อ่านอย่างเดียว", + "_{count} file conflict_::_{count} file conflicts_" : ["ไฟล์มีปัญหา {count} ไฟล์"], + "One file conflict" : "มีหนึ่งไฟล์ที่มีปัญหา", + "New Files" : "วางทับไฟล์เดิม", + "Already existing files" : "เขียนไฟล์ใหม่", + "Which files do you want to keep?" : "คุณต้องการเก็บไฟล์?", + "If you select both versions, the copied file will have a number added to its name." : "เลือกวางทับไฟล์เดิมหรือ เขียนไฟล์ใหม่จะเพิ่มตัวเลขไปยังชื่อของมัน", + "Continue" : "ดำเนินการต่อ", + "(all selected)" : "(เลือกทั้งหมด)", + "({count} selected)" : "(เลือกจำนวน {count})", + "Error loading file exists template" : "เกิดข้อผิดพลาดขณะโหลดไฟล์เทมเพลตที่มีอยู่", + "Very weak password" : "รหัสผ่านระดับต่ำมาก", + "Weak password" : "รหัสผ่านระดับต่ำ", + "So-so password" : "รหัสผ่านระดับปกติ", + "Good password" : "รหัสผ่านระดับดี", + "Strong password" : "รหัสผ่านระดับดีมาก", + "Error occurred while checking server setup" : "เกิดข้อผิดพลาดขณะที่ทำการตรวจสอบการติดตั้งเซิร์ฟเวอร์", + "Shared" : "แชร์แล้ว", + "Error setting expiration date" : "เกิดข้อผิดพลาดในการตั้งค่าวันที่หมดอายุ", + "The public link will expire no later than {days} days after it is created" : "ลิงค์สาธารณะจะหมดอายุภายใน {days} วัน หลังจากที่มันถูกสร้างขึ้น", + "Set expiration date" : "กำหนดวันที่หมดอายุ", + "Expiration" : "การหมดอายุ", + "Expiration date" : "วันที่หมดอายุ", + "Choose a password for the public link" : "เลือกรหัสผ่านสำหรับลิงค์สาธารณะ", + "Resharing is not allowed" : "ไม่อนุญาตให้แชร์ข้อมูลที่ซ้ำกัน", + "Share link" : "แชร์ลิงค์", + "Link" : "ลิงค์", + "Password protect" : "ป้องกันด้วยรหัสผ่าน", + "Allow editing" : "อนุญาตให้แก้ไข", + "Email link to person" : "ส่งลิงก์ให้ทางอีเมล", + "Send" : "ส่ง", + "Shared with you and the group {group} by {owner}" : "ได้แชร์ให้กับคุณ และกลุ่ม {group} โดย {owner}", + "Shared with you by {owner}" : "ถูกแชร์ให้กับคุณโดย {owner}", + "group" : "กลุ่มผู้ใช้งาน", + "remote" : "รีโมท", + "Unshare" : "ยกเลิกการแชร์", + "Could not unshare" : "ไม่สามารถยกเลิกการแชร์ได้", + "Error while sharing" : "เกิดข้อผิดพลาดขณะกำลังแชร์ข้อมูล", + "Share details could not be loaded for this item." : "รายละเอียดการแชร์ไม่สามารถโหลดสำหรับรายการนี้", + "{sharee} (remote)" : "{sharee} (รีโมท)", + "Share" : "แชร์", + "Error" : "ข้อผิดพลาด", + "Error removing share" : "พบข้อผิดพลาดในรายการที่แชร์ออก", + "Non-existing tag #{tag}" : "ไม่มีแท็กนี้อยู่ #{tag}", + "invisible" : "จะมองไม่เห็น", + "({scope})" : "({scope})", + "Delete" : "ลบ", + "Rename" : "เปลี่ยนชื่อ", + "unknown text" : "ข้อความที่ไม่รู้จัก", + "Hello world!" : "สวัสดีทุกคน!", + "sunny" : "แดดมาก", + "Hello {name}, the weather is {weather}" : "สวัสดี {name} สภาพอากาศวันนี้มี {weather}", + "Hello {name}" : "สวัสดี {name}", + "_download %n file_::_download %n files_" : ["ดาวน์โหลด %n ไฟล์"], + "An error occurred." : "เกิดข้อผิดพลาด", + "Please reload the page." : "โปรดโหลดหน้าเว็บใหม่", + "Searching other places" : "กำลังค้นหาสถานที่อื่นๆ", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["ค้นหาพบ {count} ผลลัพธ์ในโฟลเดอร์อื่นๆ"], + "Personal" : "ส่วนตัว", + "Users" : "ผู้ใช้งาน", + "Apps" : "แอปฯ", + "Admin" : "ผู้ดูแล", + "Help" : "ช่วยเหลือ", + "Access forbidden" : "การเข้าถึงถูกหวงห้าม", + "File not found" : "ไม่พบไฟล์", + "The specified document has not been found on the server." : "ไม่พบเอกสารที่ระบุบนเซิร์ฟเวอร์", + "You can click here to return to %s." : "คุณสามารถคลิกที่นี่เพื่อกลับไปยัง %s", + "Internal Server Error" : "เกิดข้อผิดพลาดภายในเซิร์ฟเวอร์", + "More details can be found in the server log." : "รายละเอียดเพิ่มเติมสามารถดูได้ที่บันทึกของระบบเซิร์ฟเวอร์", + "Technical details" : "รายละเอียดทางเทคนิค", + "Remote Address: %s" : "ที่อยู่รีโมท: %s", + "Request ID: %s" : "คำขอ ID: %s", + "Type: %s" : "ชนิด: %s", + "Code: %s" : "โค้ด: %s", + "Message: %s" : "ข้อความ: %s", + "File: %s" : "ไฟล์: %s", + "Line: %s" : "ไลน์: %s", + "Trace" : "ร่องรอย", + "Security warning" : "คำเตือนการรักษาความปลอดภัย", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "ข้อมูลไดเรกทอรีและไฟล์ของคุณ อาจไม่สามารถเข้าถึงได้จากอินเทอร์เน็ตเพราะ htaccess ไฟล์ไม่ทำงาน", + "Create an admin account" : "สร้าง บัญชีผู้ดูแลระบบ", + "Username" : "ชื่อผู้ใช้งาน", + "Storage & database" : "พื้นที่จัดเก็บข้อมูลและฐานข้อมูล", + "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" : "พื้นที่ตารางในฐานข้อมูล", + "Database host" : "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" : "ดูได้จากเอกสาร", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "โปรแกรมนี้ต้องการ JavaScript สำหรับการดำเนินงานที่ถูกต้อง กรุณา {linkstart}เปิดใช้งาน JavaScript{linkend} และโหลดหน้าเว็บ", + "Search" : "ค้นหา", + "Server side authentication failed!" : "การรับรองความถูกต้องจากเซิร์ฟเวอร์ล้มเหลว!", + "Please contact your administrator." : "กรุณาติดต่อผู้ดูแลระบบ", + "Please try again or contact your administrator." : "โปรดลองอีกครั้งหรือติดต่อผู้ดูแลระบบ", + "Log in" : "เข้าสู่ระบบ", + "Wrong password." : "รหัสผ่านผิดพลาด", + "Stay logged in" : "จดจำฉัน", + "Alternative Logins" : "ทางเลือกการเข้าสู่ระบบ", + "New password" : "รหัสผ่านใหม่", + "New Password" : "รหัสผ่านใหม่", + "Add \"%s\" as trusted domain" : "ได้เพิ่ม \"%s\" เป็นโดเมนที่เชื่อถือ", + "App update required" : "จำเป้นต้องอัพเดทแอพฯ", + "%s will be updated to version %s" : "%s จะถูกอัพเดทเป็นเวอร์ชัน %s", + "These apps will be updated:" : "แอพพลิเคชันเหล่านี้จะถูกอัพเดท:", + "These incompatible apps will be disabled:" : "แอพพลิเคชันเหล่านี้เข้ากันไม่ได้จะถูกปิดการใช้งาน:", + "The theme %s has been disabled." : "ธีม %s จะถูกปิดการใช้งาน:", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "โปรดตรวจสอบฐานข้อมูล การตั้งค่าโฟลเดอร์และโฟลเดอร์ข้อมูลจะถูกสำรองไว้ก่อนดำเนินการ", + "Start update" : "เริ่มต้นอัพเดท", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "เพื่อหลีกเลี่ยงการหมดเวลากับการติดตั้งขนาดใหญ่ คุณสามารถเรียกใช้คำสั่งต่อไปนี้จากไดเรกทอรีการติดตั้งของคุณ:", + "This %s instance is currently in maintenance mode, which may take a while." : "%s กำลังอยู่ในโหมดการบำรุงรักษาซึ่งอาจใช้เวลาสักครู่", + "This page will refresh itself when the %s instance is available again." : "หน้านี้จะรีเฟรชตัวเองเมื่อ %s สามารถใช้ได้อีกครั้ง", + "Contact your system administrator if this message persists or appeared unexpectedly." : "ติดต่อผู้ดูแลระบบของคุณหากข้อความนี้ยังคงมีอยู่หรือปรากฏโดยไม่คาดคิด", + "Thank you for your patience." : "ขอบคุณสำหรับความอดทนของคุณ เราจะนำความคิดเห็นของท่านมาปรับปรุงระบบให้ดียิ่งขึ้น" +}, +"nplurals=1; plural=0;"); diff --git a/core/l10n/th.json b/core/l10n/th.json new file mode 100644 index 0000000000000..4418f328891b3 --- /dev/null +++ b/core/l10n/th.json @@ -0,0 +1,185 @@ +{ "translations": { + "Please select a file." : "กรุณาเลือกแฟ้ม", + "File is too big" : "ไฟล์มีขนาดใหญ่เกินไป", + "Invalid file provided" : "ระบุไฟล์ไม่ถูกต้อง", + "No image or file provided" : "ไม่มีรูปภาพหรือไฟล์ที่ระบุ", + "Unknown filetype" : "ไม่รู้จักชนิดของไฟล์", + "Invalid image" : "รูปภาพไม่ถูกต้อง", + "An error occurred. Please contact your admin." : "เกิดข้อผิดพลาด กรุณาติดต่อผู้ดูแลระบบของคุณ", + "No temporary profile picture available, try again" : "ไม่มีรูปภาพโปรไฟล์ชั่วคราว กรุณาลองใหม่อีกครั้ง", + "No crop data provided" : "ไม่มีการครอบตัดข้อมูลที่ระบุ", + "No valid crop data provided" : "ไม่ได้ระบุข้อมูลการครอบตัดที่ถูกต้อง", + "Crop is not square" : "การครอบตัดไม่เป็นสี่เหลี่ยม", + "Couldn't reset password because the token is invalid" : "ไม่สามารถตั้งรหัสผ่านใหม่เพราะโทเค็นไม่ถูกต้อง", + "Couldn't reset password because the token is expired" : "ไม่สามารถตั้งค่ารหัสผ่านเพราะโทเค็นหมดอายุ", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "ไม่สามารถส่งการตั้งค่าไปยังอีเมลเพราะไม่มีที่อยู่อีเมลสำหรับผู้ใช้นี้ กรุณาติดต่อผู้ดูแลระบบ", + "%s password reset" : "%s ตั้งรหัสผ่านใหม่", + "Couldn't send reset email. Please contact your administrator." : "ไม่สามารถส่งข้อมูลการตั้งค่าไปยังอีเมลของคุณ กรุณาติดต่อผู้ดูแลระบบ", + "Couldn't send reset email. Please make sure your username is correct." : "ไม่สามารถส่งข้อมูลการตั้งค่าไปยังอีเมลของคุณ กรุณาตรวจสอบชื่อผู้ใช้ของคุณให้ถูกต้อง", + "Preparing update" : "เตรียมอัพเดท", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "เตือนการซ่อมแซม:", + "Repair error: " : "เกิดข้อผิดพลาดในการซ่อมแซม:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "กรุณาใช้คำสั่งการปรับปรุงเพราะการปรับปรุงอัตโนมัติถูกปิดใช้งานใน config.php", + "[%d / %d]: Checking table %s" : "[%d / %d]: กำลังตรวจสอบตาราง %s", + "Turned on maintenance mode" : "เปิดโหมดการบำรุงรักษา", + "Turned off maintenance mode" : "ปิดโหมดการบำรุงรักษา", + "Maintenance mode is kept active" : "โหมดการบำรุงรักษาจะถูกเก็บไว้ใช้งาน", + "Updating database schema" : "กำลังอัพเดทฐานข้อมูล schema", + "Updated database" : "อัพเดทฐานข้อมูลเรียบร้อยแล้ว", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "กำลังตรวจสอบว่าฐานข้อมูล schema สามารถอัพเดทได้หรือไม่ (นี้อาจใช้เวลานานขึ้นอยู่กับขนาดของฐานข้อมูล)", + "Checked database schema update" : "Schema อัพเดตของฐานข้อมูลถูกตรวจสอบ", + "Checking updates of apps" : "กำลังตรวจสอบการอัพเดทแอพพลิเคชัน", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "กำลังตรวจสอบว่าฐานข้อมูลสำหรับ schema สำหรับ %s ว่าสามารถอัพเดทได้หรือไม่ (นี้จะใช้เวลานานขึ้นอยู่กับขนาดของฐานข้อมูล)", + "Checked database schema update for apps" : "Schema อัพเดตของฐานข้อมูลสำหรับแอพฯ", + "Updated \"%s\" to %s" : "อัพเดท \"%s\" ไปยัง %s", + "Set log level to debug" : "ตั้งค่าระดับบันทึกเพื่อแก้ปัญหา", + "Reset log level" : "ตั้งค่าระดับบันทึกใหม่", + "Starting code integrity check" : "กำลังเริ่มต้นรหัสตรวจสอบความสมบูรณ์", + "Finished code integrity check" : "ตรวจสอบความสมบูรณ์ของรหัสเสร็จสิ้น", + "%s (incompatible)" : "%s (เข้ากันไม่ได้)", + "Following apps have been disabled: %s" : "แอพฯดังต่อไปนี้ถูกปิดการใช้งาน: %s", + "Already up to date" : "มีอยู่แล้วถึงวันที่", + "There were problems with the code integrity check. More information…" : "มีปัญหาเกี่ยวกับการตรวจสอบความสมบูรณ์ของรหัส รายละเอียดเพิ่มเติม...", + "Settings" : "ตั้งค่า", + "Saving..." : "กำลังบันทึกข้อมูล...", + "Dismiss" : "ยกเลิก", + "Password" : "รหัสผ่าน", + "Cancel" : "ยกเลิก", + "seconds ago" : "วินาที ก่อนหน้านี้", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.
If it is not there ask your local administrator." : "ลิงค์ที่ใช้สำหรับตั้งค่ารหัสผ่านใหม่ ของคุณ ได้ถูกส่งไปยังอีเมลของคุณ หากคุณยังไม่ได้รับอีกเมล ลองไปดูที่โฟลเดอร์ สแปม/ถังขยะ ในอีเมลของคุณ
ทั้งนี้หากหาอีเมลไม่พบกรุณาติดต่อผู้ดูแลระบบ", + "I know what I'm doing" : "ฉันรู้ว่าฉันกำลังทำอะไรอยู่", + "Password can not be changed. Please contact your administrator." : "หากคุณไม่สามารถเปลี่ยนแปลงรหัสผ่าน กรุณาติดต่อผู้ดูแลระบบ", + "Reset password" : "เปลี่ยนรหัสผ่านใหม่", + "No" : "ไม่ตกลง", + "Yes" : "ตกลง", + "Choose" : "เลือก", + "Error loading file picker template: {error}" : "เกิดข้อผิดพลาดขณะกำลังโหลดไฟล์เทมเพลต: {error}", + "Error loading message template: {error}" : "เกิดข้อผิดพลาดขณะกำลังโหลดเทมเพลต: {error} ", + "read-only" : "อ่านอย่างเดียว", + "_{count} file conflict_::_{count} file conflicts_" : ["ไฟล์มีปัญหา {count} ไฟล์"], + "One file conflict" : "มีหนึ่งไฟล์ที่มีปัญหา", + "New Files" : "วางทับไฟล์เดิม", + "Already existing files" : "เขียนไฟล์ใหม่", + "Which files do you want to keep?" : "คุณต้องการเก็บไฟล์?", + "If you select both versions, the copied file will have a number added to its name." : "เลือกวางทับไฟล์เดิมหรือ เขียนไฟล์ใหม่จะเพิ่มตัวเลขไปยังชื่อของมัน", + "Continue" : "ดำเนินการต่อ", + "(all selected)" : "(เลือกทั้งหมด)", + "({count} selected)" : "(เลือกจำนวน {count})", + "Error loading file exists template" : "เกิดข้อผิดพลาดขณะโหลดไฟล์เทมเพลตที่มีอยู่", + "Very weak password" : "รหัสผ่านระดับต่ำมาก", + "Weak password" : "รหัสผ่านระดับต่ำ", + "So-so password" : "รหัสผ่านระดับปกติ", + "Good password" : "รหัสผ่านระดับดี", + "Strong password" : "รหัสผ่านระดับดีมาก", + "Error occurred while checking server setup" : "เกิดข้อผิดพลาดขณะที่ทำการตรวจสอบการติดตั้งเซิร์ฟเวอร์", + "Shared" : "แชร์แล้ว", + "Error setting expiration date" : "เกิดข้อผิดพลาดในการตั้งค่าวันที่หมดอายุ", + "The public link will expire no later than {days} days after it is created" : "ลิงค์สาธารณะจะหมดอายุภายใน {days} วัน หลังจากที่มันถูกสร้างขึ้น", + "Set expiration date" : "กำหนดวันที่หมดอายุ", + "Expiration" : "การหมดอายุ", + "Expiration date" : "วันที่หมดอายุ", + "Choose a password for the public link" : "เลือกรหัสผ่านสำหรับลิงค์สาธารณะ", + "Resharing is not allowed" : "ไม่อนุญาตให้แชร์ข้อมูลที่ซ้ำกัน", + "Share link" : "แชร์ลิงค์", + "Link" : "ลิงค์", + "Password protect" : "ป้องกันด้วยรหัสผ่าน", + "Allow editing" : "อนุญาตให้แก้ไข", + "Email link to person" : "ส่งลิงก์ให้ทางอีเมล", + "Send" : "ส่ง", + "Shared with you and the group {group} by {owner}" : "ได้แชร์ให้กับคุณ และกลุ่ม {group} โดย {owner}", + "Shared with you by {owner}" : "ถูกแชร์ให้กับคุณโดย {owner}", + "group" : "กลุ่มผู้ใช้งาน", + "remote" : "รีโมท", + "Unshare" : "ยกเลิกการแชร์", + "Could not unshare" : "ไม่สามารถยกเลิกการแชร์ได้", + "Error while sharing" : "เกิดข้อผิดพลาดขณะกำลังแชร์ข้อมูล", + "Share details could not be loaded for this item." : "รายละเอียดการแชร์ไม่สามารถโหลดสำหรับรายการนี้", + "{sharee} (remote)" : "{sharee} (รีโมท)", + "Share" : "แชร์", + "Error" : "ข้อผิดพลาด", + "Error removing share" : "พบข้อผิดพลาดในรายการที่แชร์ออก", + "Non-existing tag #{tag}" : "ไม่มีแท็กนี้อยู่ #{tag}", + "invisible" : "จะมองไม่เห็น", + "({scope})" : "({scope})", + "Delete" : "ลบ", + "Rename" : "เปลี่ยนชื่อ", + "unknown text" : "ข้อความที่ไม่รู้จัก", + "Hello world!" : "สวัสดีทุกคน!", + "sunny" : "แดดมาก", + "Hello {name}, the weather is {weather}" : "สวัสดี {name} สภาพอากาศวันนี้มี {weather}", + "Hello {name}" : "สวัสดี {name}", + "_download %n file_::_download %n files_" : ["ดาวน์โหลด %n ไฟล์"], + "An error occurred." : "เกิดข้อผิดพลาด", + "Please reload the page." : "โปรดโหลดหน้าเว็บใหม่", + "Searching other places" : "กำลังค้นหาสถานที่อื่นๆ", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["ค้นหาพบ {count} ผลลัพธ์ในโฟลเดอร์อื่นๆ"], + "Personal" : "ส่วนตัว", + "Users" : "ผู้ใช้งาน", + "Apps" : "แอปฯ", + "Admin" : "ผู้ดูแล", + "Help" : "ช่วยเหลือ", + "Access forbidden" : "การเข้าถึงถูกหวงห้าม", + "File not found" : "ไม่พบไฟล์", + "The specified document has not been found on the server." : "ไม่พบเอกสารที่ระบุบนเซิร์ฟเวอร์", + "You can click here to return to %s." : "คุณสามารถคลิกที่นี่เพื่อกลับไปยัง %s", + "Internal Server Error" : "เกิดข้อผิดพลาดภายในเซิร์ฟเวอร์", + "More details can be found in the server log." : "รายละเอียดเพิ่มเติมสามารถดูได้ที่บันทึกของระบบเซิร์ฟเวอร์", + "Technical details" : "รายละเอียดทางเทคนิค", + "Remote Address: %s" : "ที่อยู่รีโมท: %s", + "Request ID: %s" : "คำขอ ID: %s", + "Type: %s" : "ชนิด: %s", + "Code: %s" : "โค้ด: %s", + "Message: %s" : "ข้อความ: %s", + "File: %s" : "ไฟล์: %s", + "Line: %s" : "ไลน์: %s", + "Trace" : "ร่องรอย", + "Security warning" : "คำเตือนการรักษาความปลอดภัย", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "ข้อมูลไดเรกทอรีและไฟล์ของคุณ อาจไม่สามารถเข้าถึงได้จากอินเทอร์เน็ตเพราะ htaccess ไฟล์ไม่ทำงาน", + "Create an admin account" : "สร้าง บัญชีผู้ดูแลระบบ", + "Username" : "ชื่อผู้ใช้งาน", + "Storage & database" : "พื้นที่จัดเก็บข้อมูลและฐานข้อมูล", + "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" : "พื้นที่ตารางในฐานข้อมูล", + "Database host" : "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" : "ดูได้จากเอกสาร", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "โปรแกรมนี้ต้องการ JavaScript สำหรับการดำเนินงานที่ถูกต้อง กรุณา {linkstart}เปิดใช้งาน JavaScript{linkend} และโหลดหน้าเว็บ", + "Search" : "ค้นหา", + "Server side authentication failed!" : "การรับรองความถูกต้องจากเซิร์ฟเวอร์ล้มเหลว!", + "Please contact your administrator." : "กรุณาติดต่อผู้ดูแลระบบ", + "Please try again or contact your administrator." : "โปรดลองอีกครั้งหรือติดต่อผู้ดูแลระบบ", + "Log in" : "เข้าสู่ระบบ", + "Wrong password." : "รหัสผ่านผิดพลาด", + "Stay logged in" : "จดจำฉัน", + "Alternative Logins" : "ทางเลือกการเข้าสู่ระบบ", + "New password" : "รหัสผ่านใหม่", + "New Password" : "รหัสผ่านใหม่", + "Add \"%s\" as trusted domain" : "ได้เพิ่ม \"%s\" เป็นโดเมนที่เชื่อถือ", + "App update required" : "จำเป้นต้องอัพเดทแอพฯ", + "%s will be updated to version %s" : "%s จะถูกอัพเดทเป็นเวอร์ชัน %s", + "These apps will be updated:" : "แอพพลิเคชันเหล่านี้จะถูกอัพเดท:", + "These incompatible apps will be disabled:" : "แอพพลิเคชันเหล่านี้เข้ากันไม่ได้จะถูกปิดการใช้งาน:", + "The theme %s has been disabled." : "ธีม %s จะถูกปิดการใช้งาน:", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "โปรดตรวจสอบฐานข้อมูล การตั้งค่าโฟลเดอร์และโฟลเดอร์ข้อมูลจะถูกสำรองไว้ก่อนดำเนินการ", + "Start update" : "เริ่มต้นอัพเดท", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "เพื่อหลีกเลี่ยงการหมดเวลากับการติดตั้งขนาดใหญ่ คุณสามารถเรียกใช้คำสั่งต่อไปนี้จากไดเรกทอรีการติดตั้งของคุณ:", + "This %s instance is currently in maintenance mode, which may take a while." : "%s กำลังอยู่ในโหมดการบำรุงรักษาซึ่งอาจใช้เวลาสักครู่", + "This page will refresh itself when the %s instance is available again." : "หน้านี้จะรีเฟรชตัวเองเมื่อ %s สามารถใช้ได้อีกครั้ง", + "Contact your system administrator if this message persists or appeared unexpectedly." : "ติดต่อผู้ดูแลระบบของคุณหากข้อความนี้ยังคงมีอยู่หรือปรากฏโดยไม่คาดคิด", + "Thank you for your patience." : "ขอบคุณสำหรับความอดทนของคุณ เราจะนำความคิดเห็นของท่านมาปรับปรุงระบบให้ดียิ่งขึ้น" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/core/l10n/uz.js b/core/l10n/uz.js new file mode 100644 index 0000000000000..fc96444cd3d4a --- /dev/null +++ b/core/l10n/uz.js @@ -0,0 +1,208 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Iltimos, faylni tanlang.", + "File is too big" : "Fayl juda katta", + "The selected file is not an image." : "Tanlangan fayl tasvir emas.", + "The selected file cannot be read." : "Tanlangan faylni o'qib bo'lmaydi.", + "Invalid file provided" : "Berilgan fayl noto'g'ri", + "No image or file provided" : "Hech qanday rasm yoki fayl taqdim etilmagan", + "Unknown filetype" : "Noma'lum filetype", + "Invalid image" : "Tasdiqlanmagan tasvir", + "An error occurred. Please contact your admin." : "Xatolik yuz berdi. Iltimos, administratoringizga murojaat qiling.", + "No temporary profile picture available, try again" : "Vaqtinchalik profil tasviri mavjud emas, qayta urinib ko'ring", + "No crop data provided" : "Mahsulot ma'lumotlari yo'q", + "No valid crop data provided" : "Yaroqli ekin ma'lumotlari mavjud emas", + "Crop is not square" : "O'simlik kvadrat emas", + "Password reset is disabled" : "Parolni qayta tiklash o'chirilgan", + "Couldn't reset password because the token is invalid" : "Parolni qayta tiklab bo'lmadi, chunki token noto'g'ri", + "Couldn't reset password because the token is expired" : "Parolni o'chirish uchun parolni tiklab bo'lmadi", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Ushbu foydalanuvchi nomiga e-pochta manzili yo'qligi sababli, asl holatini tiklash uchun elektron pochta xabarini yuborib bo'lmadi. Administrator bilan bog'laning.", + "%s password reset" : "%s parolni tiklash ", + "Password reset" : "Parolni tiklash", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Parolni tiklash uchun quyidagi tugmani bosing. Parolni tiklashni talab qilmagan bo'lsangiz, ushbu e-pochtani e'tiborsiz qoldiring.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Parolni tiklash uchun quyidagi havolani bosing. Parolni tiklashni talab qilmagan bo'lsangiz, ushbu e-pochtani e'tiborsiz qoldiring.", + "Couldn't send reset email. Please contact your administrator." : "Nolga o'rnatish elektron pochta manzili yuborilmadi. Administrator bilan bog'laning.", + "Couldn't send reset email. Please make sure your username is correct." : "Nolga o'rnatish elektron pochta manzili yuborilmadi. Foydalanuvchi nomingiz to'g'ri ekanligiga ishonch hosil qiling.", + "Preparing update" : "Yangilashni tayyorlash", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Ta'mirlash haqida ogohlantirish:", + "Repair error: " : "Ta'mirlash xatosi:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Iltimos, buyruq satri updater-dan foydalaning, chunki config.php da avtomatik yangilanish o'chirib qo'yilgan.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Jadvalni tekshirish %s", + "Turned on maintenance mode" : "Ta'minot rejimida yoqilgan", + "Turned off maintenance mode" : "Xizmat rejimi o'chirilgan", + "Maintenance mode is kept active" : "Xizmat holati faol holda saqlanadi", + "Updating database schema" : "Ma'lumotlar bazasi sxemasini yangilash", + "Updated database" : "Yangilangan ma'lumotlar bazasi", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Ma'lumotlar bazasi sxemasining yangilanishi mumkinligini tekshirish (bu ma'lumotlar bazasi hajmiga qarab uzoq vaqt talab qilishi mumkin)", + "Checked database schema update" : "Ma'lumotlar bazasi diagrammasi yangilandi", + "Checking updates of apps" : "Ilovalarning yangilanishlarini tekshirish", + "Checked database schema update for apps" : "Ilovalar uchun ma'lumotlar bazasi sxemasi yangilandi", + "Starting code integrity check" : "Kod butunligini tekshirishni boshlash", + "Finished code integrity check" : "To'ldirilgan kod yaxlitligini tekshirish", + "Already up to date" : "Hozirgacha", + "Search contacts …" : "Kontaktlarni qidirish ...", + "No contacts found" : "Kontaktlar topilmadi", + "Show all contacts …" : "Barcha kontaktlarni ko'rsatish ...", + "Loading your contacts …" : "Kontaktlaringiz yuklanmoqda ...", + "No action available" : "Hech qanday harakat mavjud emas", + "Error fetching contact actions" : "Kontakt harakatlarini olishda xato", + "Settings" : "Sozlamalar", + "Connection to server lost" : "Serverga ulanish yo'qoldi", + "Saving..." : "Saqlanmoqda...", + "Dismiss" : "Tashlab qo'ymang", + "This action requires you to confirm your password" : "Bu amal sizning parolingizni tasdiqlashingizni talab qiladi", + "Authentication required" : "Tasdiqlanishi talab qilinadi", + "Password" : "Parol", + "Cancel" : "Bekor qilish", + "Confirm" : "Tasdiqlash", + "Failed to authenticate, try again" : "Haqiqiylikni tekshirib bo'lmadi, qayta urinib ko'ring", + "seconds ago" : "soniya oldin", + "Logging in …" : "Kirish ...", + "I know what I'm doing" : "Men nima qilayotganimni bilaman", + "Password can not be changed. Please contact your administrator." : "Parolni o'zgartirib bo'lmaydi. Administrator bilan bog'laning.", + "No" : "Yo'q", + "Yes" : "Ha", + "No files in here" : "Bu erda hech qanday fayl yo'q", + "Choose" : "Tanlang", + "Copy" : "Nusxalash", + "Move" : "Ko'chiring", + "Error loading file picker template: {error}" : "Fayl topuvchi shablonini yuklashda xatolik: {error}", + "OK" : "OK", + "Error loading message template: {error}" : "Xabar shablonini yuklashda xato: {error}", + "read-only" : "faqat o'qish", + "One file conflict" : "Bir fayl nizoli", + "New Files" : "Yangi fayllar", + "Already existing files" : "Mavjud fayllar", + "Which files do you want to keep?" : "Siz qaysi fayllarni saqlamoqchisiz?", + "If you select both versions, the copied file will have a number added to its name." : "Ikkala versiyani tanlasangiz, kopyalanan faylda uning nomi qo'shilgan raqamga ega bo'ladi.", + "Continue" : "Davom etish", + "(all selected)" : "(barcha tanlangan)", + "Error loading file exists template" : "Faylni yuklashda xatolik shablonni mavjud", + "Pending" : "Kutilmoqda", + "Copy to {folder}" : "{Folder} -ga nusxa olish", + "Very weak password" : "Juda zaif parol", + "Weak password" : "Zaif parol", + "Good password" : "Yaxshi parol", + "Strong password" : "Kuchli parol", + "Error occurred while checking server setup" : "Server sozlamalarini tekshirishda xatolik yuz berdi", + "Shared" : "Birgalikda", + "Error setting expiration date" : "Muddati tugash sanasini belgilashda xato", + "The public link will expire no later than {days} days after it is created" : "Jamoat havolasi tugaganidan keyin {days} kundan keyin tugaydi", + "Set expiration date" : "Muddati tugashini belgilash", + "Expiration" : "Muddati", + "Choose a password for the public link" : "Umumiy havola uchun parolni tanlang", + "Choose a password for the public link or press the \"Enter\" key" : "Umumiy havola uchun parolni tanlang yoki \"Enter\" tugmasini bosing", + "Copied!" : "Nusxa olindi!", + "Not supported!" : "Qo'llab-quvvatlanmaydi!", + "Press ⌘-C to copy." : "Ko'chirib olish uchun ⌘-C tugmasini bosing.", + "Press Ctrl-C to copy." : "Nusxalash uchun Ctrl-C tugmalarini bosing.", + "Resharing is not allowed" : "Resharingga ruxsat berilmaydi", + "Share link" : "Ulanishni ulashing", + "Link" : "Ulanish", + "Password protect" : "Parol himoyalangan", + "Allow editing" : "Tahrirlashga ruxsat bering", + "Email link to person" : "Shaxsga elektron pochta manzili", + "Send" : "Yuborish", + "Allow upload and editing" : "Yuklash va tahrirlashga ruxsat berish", + "Read only" : "Faqat o'qish", + "File drop (upload only)" : "Faylni ochish (faqat yuklash)", + "Choose a password for the mail share" : "Pochta almashuvi uchun parolni tanlang", + "group" : "guruh", + "remote" : "masofadan turib", + "email" : "elektron pochta", + "Unshare" : "Ajablanmaslik", + "Can reshare" : "Qayta tiklash mumkin", + "Can edit" : "Tahrirlashi mumkin", + "Can create" : "Yaratish mumkin", + "Can change" : "O'zgarishi mumkin", + "Can delete" : "O'chirib yuborishi mumkin", + "Access control" : "Kirishni boshqarish", + "Could not unshare" : "Almashtirilmadi", + "Error while sharing" : "Almashish paytida xatolik yuz berdi", + "Share details could not be loaded for this item." : "Ushbu ma'lumot uchun almashish tafsilotlari yuklanmadi.", + "An error occurred. Please try again" : "Xatolik yuz berdi. Iltimos, yana bir bor urinib ko'ring", + "Share with other people by entering a user or group or an email address." : "Biror foydalanuvchi yoki guruh yoki elektron pochta manzilini kiritish orqali boshqa odamlar bilan bo'lishing.", + "Name or email address..." : "Ism yoki elektron pochta manzili...", + "Name or federated cloud ID..." : "Nom yoki biriktirilgan bulut identifikatori...", + "Name, federated cloud ID or email address..." : "Nomi, federation bulut identifikatori yoki elektron pochta manzili...", + "Name..." : "Ism...", + "Error" : "Xato", + "Error removing share" : "Ishtirokni olib tashlashda xatolik yuz berdi", + "restricted" : "cheklangan", + "invisible" : "ko'rinmas", + "Delete" : "O'chir", + "Rename" : "Nomni o'zgartiring", + "Collaborative tags" : "Hamkorlik teglari", + "No tags found" : "Hech qanday teg topilmadi", + "unknown text" : "noma'lum matn", + "Hello world!" : "Salom Dunyo!", + "sunny" : "quyoshli", + "new" : "yangi", + "The update is in progress, leaving this page might interrupt the process in some environments." : "Yangilash davom etmoqda va ushbu sahifa ba'zi muhitlarda jarayonni to'xtatishi mumkin.", + "Update to {version}" : "{version} ga yangilash", + "An error occurred." : "Xatolik yuz berdi.", + "Please reload the page." : "Iltimos, sahifani qayta yuklang.", + "Searching other places" : "Boshqa joylarni qidirish", + "Personal" : "Shaxsiy", + "Users" : "Foydalanuvchilar", + "Apps" : "Ilovalar", + "Admin" : "Admin", + "Help" : "Yordam", + "Access forbidden" : "Kirish taqiqlangan", + "File not found" : "Fayl topilmadi", + "The specified document has not been found on the server." : "Belgilangan hujjat serverda topilmadi.", + "You can click here to return to %s." : "%s ga qaytish uchun bu yerga bosing.", + "Internal Server Error" : "Serverdagi ichki xatolik", + "The server was unable to complete your request." : "Server so'rovingizni bajarib bo'lmadi.", + "If this happens again, please send the technical details below to the server administrator." : "Agar shunday bo'lsa, iltimos, quyidagi texnik ma'lumotlarni quyidagi server administratoriga yuboring.", + "More details can be found in the server log." : "Batafsil ma'lumotni server jurnallaridan topishingiz mumkin.", + "Technical details" : "Texnik ma'lumotlar", + "Remote Address: %s" : "Masofali manzil: %s", + "Request ID: %s" : "ID so'rovi: %s", + "Type: %s" : "ID so'rovi: %s", + "Code: %s" : "Kod: %s", + "Message: %s" : "Xabar: %s", + "File: %s" : "Fayl: %s", + "Line: %s" : "Qator: %s", + "Trace" : "Iz", + "Security warning" : "Xavfsizlik bo'yicha ogohlantirish", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : ".htaccess fayli ishlamayapti, chunki ma'lumotlar katalogingiz va fayllaringiz Internetdan foydalanish mumkin.", + "Username" : "Foydalanuvchi nomi", + "Storage & database" : "Saqlash va ma'lumotlar bazasi", + "Data folder" : "Ma'lumotlar jildi", + "Configure the database" : "Ma'lumotlar bazasini sozlang", + "Only %s is available." : "Faqat %s mavjud.", + "Install and activate additional PHP modules to choose other database types." : "Boshqa ma'lumotlar bazasi turlarini tanlash uchun qo'shimcha PHP modullarini o'rnating va ishga tushiring.", + "For more details check out the documentation." : "Qo'shimcha ma'lumot olish uchun hujjatlarni ko'rib chiqing.", + "Database user" : "Ma'lumotlar bazasi foydalanuvchisi", + "Database password" : "Ma'lumotlar bazasi paroli", + "Database name" : "Ma'lumotlar bazasi nomi", + "Database tablespace" : "Ma'lumotlar bazasi jadvali", + "Database host" : "Ma'lumotlar bazasi hosti", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Iltimos, uy egasi nomi bilan birga port raqamini ko'rsating (m-n, localhost: 5432).", + "Performance warning" : "Ishlash haqida ogohlantirish", + "SQLite will be used as database." : "SQLite ma'lumotlar bazasi sifatida ishlatiladi.", + "For larger installations we recommend to choose a different database backend." : "Katta hajmdagi o'rnatish uchun biz boshqa ma'lumotlar bazasi ordinatorini tanlashni tavsiya etamiz.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Ayniqsa, ish stoli mijozidan faylni sinxronlashtirish uchun SQLite-dan foydalanish tushkunlikka tushgan.", + "Finish setup" : "O'rnatishni tugating", + "Need help?" : "Yordam kerak?", + "See the documentation" : "Hujjatlarga qarang", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Ushbu dastur to'g'ri ishlashi uchun JavaScript-ni talab qiladi. Iltimos, {linkstart} JavaScript-ni faollashtirish {linkend} va sahifani qayta yuklang.", + "More apps" : "Ko'proq ilovalar", + "Search" : "Qidirmoq", + "Reset search" : "Qidiruvni tiklash", + "Confirm your password" : "Parolingizni tasdiqlang", + "Server side authentication failed!" : "Server tomoni autentifikatsiyasi bajarilmadi!", + "Please contact your administrator." : "Administrator bilan bog'laning.", + "An internal error occurred." : "Ichki xato ro'y berdi.", + "Please try again or contact your administrator." : "Qaytadan urinib ko'ring yoki administrator bilan bog'laning.", + "Username or email" : "Foydalanuvchi nomi yoki elektron pochta", + "Log in" : "Kirish", + "Wrong password." : "Noto'g'ri parol.", + "Stay logged in" : "Kirishni unutmang", + "Alternative Logins" : "Shu bilan bir qatorda kirishlar", + "Account access" : "Hisobga kirish" +}, +"nplurals=1; plural=0;"); diff --git a/core/l10n/uz.json b/core/l10n/uz.json new file mode 100644 index 0000000000000..6751cdf62da0c --- /dev/null +++ b/core/l10n/uz.json @@ -0,0 +1,206 @@ +{ "translations": { + "Please select a file." : "Iltimos, faylni tanlang.", + "File is too big" : "Fayl juda katta", + "The selected file is not an image." : "Tanlangan fayl tasvir emas.", + "The selected file cannot be read." : "Tanlangan faylni o'qib bo'lmaydi.", + "Invalid file provided" : "Berilgan fayl noto'g'ri", + "No image or file provided" : "Hech qanday rasm yoki fayl taqdim etilmagan", + "Unknown filetype" : "Noma'lum filetype", + "Invalid image" : "Tasdiqlanmagan tasvir", + "An error occurred. Please contact your admin." : "Xatolik yuz berdi. Iltimos, administratoringizga murojaat qiling.", + "No temporary profile picture available, try again" : "Vaqtinchalik profil tasviri mavjud emas, qayta urinib ko'ring", + "No crop data provided" : "Mahsulot ma'lumotlari yo'q", + "No valid crop data provided" : "Yaroqli ekin ma'lumotlari mavjud emas", + "Crop is not square" : "O'simlik kvadrat emas", + "Password reset is disabled" : "Parolni qayta tiklash o'chirilgan", + "Couldn't reset password because the token is invalid" : "Parolni qayta tiklab bo'lmadi, chunki token noto'g'ri", + "Couldn't reset password because the token is expired" : "Parolni o'chirish uchun parolni tiklab bo'lmadi", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Ushbu foydalanuvchi nomiga e-pochta manzili yo'qligi sababli, asl holatini tiklash uchun elektron pochta xabarini yuborib bo'lmadi. Administrator bilan bog'laning.", + "%s password reset" : "%s parolni tiklash ", + "Password reset" : "Parolni tiklash", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Parolni tiklash uchun quyidagi tugmani bosing. Parolni tiklashni talab qilmagan bo'lsangiz, ushbu e-pochtani e'tiborsiz qoldiring.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Parolni tiklash uchun quyidagi havolani bosing. Parolni tiklashni talab qilmagan bo'lsangiz, ushbu e-pochtani e'tiborsiz qoldiring.", + "Couldn't send reset email. Please contact your administrator." : "Nolga o'rnatish elektron pochta manzili yuborilmadi. Administrator bilan bog'laning.", + "Couldn't send reset email. Please make sure your username is correct." : "Nolga o'rnatish elektron pochta manzili yuborilmadi. Foydalanuvchi nomingiz to'g'ri ekanligiga ishonch hosil qiling.", + "Preparing update" : "Yangilashni tayyorlash", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Ta'mirlash haqida ogohlantirish:", + "Repair error: " : "Ta'mirlash xatosi:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Iltimos, buyruq satri updater-dan foydalaning, chunki config.php da avtomatik yangilanish o'chirib qo'yilgan.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Jadvalni tekshirish %s", + "Turned on maintenance mode" : "Ta'minot rejimida yoqilgan", + "Turned off maintenance mode" : "Xizmat rejimi o'chirilgan", + "Maintenance mode is kept active" : "Xizmat holati faol holda saqlanadi", + "Updating database schema" : "Ma'lumotlar bazasi sxemasini yangilash", + "Updated database" : "Yangilangan ma'lumotlar bazasi", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Ma'lumotlar bazasi sxemasining yangilanishi mumkinligini tekshirish (bu ma'lumotlar bazasi hajmiga qarab uzoq vaqt talab qilishi mumkin)", + "Checked database schema update" : "Ma'lumotlar bazasi diagrammasi yangilandi", + "Checking updates of apps" : "Ilovalarning yangilanishlarini tekshirish", + "Checked database schema update for apps" : "Ilovalar uchun ma'lumotlar bazasi sxemasi yangilandi", + "Starting code integrity check" : "Kod butunligini tekshirishni boshlash", + "Finished code integrity check" : "To'ldirilgan kod yaxlitligini tekshirish", + "Already up to date" : "Hozirgacha", + "Search contacts …" : "Kontaktlarni qidirish ...", + "No contacts found" : "Kontaktlar topilmadi", + "Show all contacts …" : "Barcha kontaktlarni ko'rsatish ...", + "Loading your contacts …" : "Kontaktlaringiz yuklanmoqda ...", + "No action available" : "Hech qanday harakat mavjud emas", + "Error fetching contact actions" : "Kontakt harakatlarini olishda xato", + "Settings" : "Sozlamalar", + "Connection to server lost" : "Serverga ulanish yo'qoldi", + "Saving..." : "Saqlanmoqda...", + "Dismiss" : "Tashlab qo'ymang", + "This action requires you to confirm your password" : "Bu amal sizning parolingizni tasdiqlashingizni talab qiladi", + "Authentication required" : "Tasdiqlanishi talab qilinadi", + "Password" : "Parol", + "Cancel" : "Bekor qilish", + "Confirm" : "Tasdiqlash", + "Failed to authenticate, try again" : "Haqiqiylikni tekshirib bo'lmadi, qayta urinib ko'ring", + "seconds ago" : "soniya oldin", + "Logging in …" : "Kirish ...", + "I know what I'm doing" : "Men nima qilayotganimni bilaman", + "Password can not be changed. Please contact your administrator." : "Parolni o'zgartirib bo'lmaydi. Administrator bilan bog'laning.", + "No" : "Yo'q", + "Yes" : "Ha", + "No files in here" : "Bu erda hech qanday fayl yo'q", + "Choose" : "Tanlang", + "Copy" : "Nusxalash", + "Move" : "Ko'chiring", + "Error loading file picker template: {error}" : "Fayl topuvchi shablonini yuklashda xatolik: {error}", + "OK" : "OK", + "Error loading message template: {error}" : "Xabar shablonini yuklashda xato: {error}", + "read-only" : "faqat o'qish", + "One file conflict" : "Bir fayl nizoli", + "New Files" : "Yangi fayllar", + "Already existing files" : "Mavjud fayllar", + "Which files do you want to keep?" : "Siz qaysi fayllarni saqlamoqchisiz?", + "If you select both versions, the copied file will have a number added to its name." : "Ikkala versiyani tanlasangiz, kopyalanan faylda uning nomi qo'shilgan raqamga ega bo'ladi.", + "Continue" : "Davom etish", + "(all selected)" : "(barcha tanlangan)", + "Error loading file exists template" : "Faylni yuklashda xatolik shablonni mavjud", + "Pending" : "Kutilmoqda", + "Copy to {folder}" : "{Folder} -ga nusxa olish", + "Very weak password" : "Juda zaif parol", + "Weak password" : "Zaif parol", + "Good password" : "Yaxshi parol", + "Strong password" : "Kuchli parol", + "Error occurred while checking server setup" : "Server sozlamalarini tekshirishda xatolik yuz berdi", + "Shared" : "Birgalikda", + "Error setting expiration date" : "Muddati tugash sanasini belgilashda xato", + "The public link will expire no later than {days} days after it is created" : "Jamoat havolasi tugaganidan keyin {days} kundan keyin tugaydi", + "Set expiration date" : "Muddati tugashini belgilash", + "Expiration" : "Muddati", + "Choose a password for the public link" : "Umumiy havola uchun parolni tanlang", + "Choose a password for the public link or press the \"Enter\" key" : "Umumiy havola uchun parolni tanlang yoki \"Enter\" tugmasini bosing", + "Copied!" : "Nusxa olindi!", + "Not supported!" : "Qo'llab-quvvatlanmaydi!", + "Press ⌘-C to copy." : "Ko'chirib olish uchun ⌘-C tugmasini bosing.", + "Press Ctrl-C to copy." : "Nusxalash uchun Ctrl-C tugmalarini bosing.", + "Resharing is not allowed" : "Resharingga ruxsat berilmaydi", + "Share link" : "Ulanishni ulashing", + "Link" : "Ulanish", + "Password protect" : "Parol himoyalangan", + "Allow editing" : "Tahrirlashga ruxsat bering", + "Email link to person" : "Shaxsga elektron pochta manzili", + "Send" : "Yuborish", + "Allow upload and editing" : "Yuklash va tahrirlashga ruxsat berish", + "Read only" : "Faqat o'qish", + "File drop (upload only)" : "Faylni ochish (faqat yuklash)", + "Choose a password for the mail share" : "Pochta almashuvi uchun parolni tanlang", + "group" : "guruh", + "remote" : "masofadan turib", + "email" : "elektron pochta", + "Unshare" : "Ajablanmaslik", + "Can reshare" : "Qayta tiklash mumkin", + "Can edit" : "Tahrirlashi mumkin", + "Can create" : "Yaratish mumkin", + "Can change" : "O'zgarishi mumkin", + "Can delete" : "O'chirib yuborishi mumkin", + "Access control" : "Kirishni boshqarish", + "Could not unshare" : "Almashtirilmadi", + "Error while sharing" : "Almashish paytida xatolik yuz berdi", + "Share details could not be loaded for this item." : "Ushbu ma'lumot uchun almashish tafsilotlari yuklanmadi.", + "An error occurred. Please try again" : "Xatolik yuz berdi. Iltimos, yana bir bor urinib ko'ring", + "Share with other people by entering a user or group or an email address." : "Biror foydalanuvchi yoki guruh yoki elektron pochta manzilini kiritish orqali boshqa odamlar bilan bo'lishing.", + "Name or email address..." : "Ism yoki elektron pochta manzili...", + "Name or federated cloud ID..." : "Nom yoki biriktirilgan bulut identifikatori...", + "Name, federated cloud ID or email address..." : "Nomi, federation bulut identifikatori yoki elektron pochta manzili...", + "Name..." : "Ism...", + "Error" : "Xato", + "Error removing share" : "Ishtirokni olib tashlashda xatolik yuz berdi", + "restricted" : "cheklangan", + "invisible" : "ko'rinmas", + "Delete" : "O'chir", + "Rename" : "Nomni o'zgartiring", + "Collaborative tags" : "Hamkorlik teglari", + "No tags found" : "Hech qanday teg topilmadi", + "unknown text" : "noma'lum matn", + "Hello world!" : "Salom Dunyo!", + "sunny" : "quyoshli", + "new" : "yangi", + "The update is in progress, leaving this page might interrupt the process in some environments." : "Yangilash davom etmoqda va ushbu sahifa ba'zi muhitlarda jarayonni to'xtatishi mumkin.", + "Update to {version}" : "{version} ga yangilash", + "An error occurred." : "Xatolik yuz berdi.", + "Please reload the page." : "Iltimos, sahifani qayta yuklang.", + "Searching other places" : "Boshqa joylarni qidirish", + "Personal" : "Shaxsiy", + "Users" : "Foydalanuvchilar", + "Apps" : "Ilovalar", + "Admin" : "Admin", + "Help" : "Yordam", + "Access forbidden" : "Kirish taqiqlangan", + "File not found" : "Fayl topilmadi", + "The specified document has not been found on the server." : "Belgilangan hujjat serverda topilmadi.", + "You can click here to return to %s." : "%s ga qaytish uchun bu yerga bosing.", + "Internal Server Error" : "Serverdagi ichki xatolik", + "The server was unable to complete your request." : "Server so'rovingizni bajarib bo'lmadi.", + "If this happens again, please send the technical details below to the server administrator." : "Agar shunday bo'lsa, iltimos, quyidagi texnik ma'lumotlarni quyidagi server administratoriga yuboring.", + "More details can be found in the server log." : "Batafsil ma'lumotni server jurnallaridan topishingiz mumkin.", + "Technical details" : "Texnik ma'lumotlar", + "Remote Address: %s" : "Masofali manzil: %s", + "Request ID: %s" : "ID so'rovi: %s", + "Type: %s" : "ID so'rovi: %s", + "Code: %s" : "Kod: %s", + "Message: %s" : "Xabar: %s", + "File: %s" : "Fayl: %s", + "Line: %s" : "Qator: %s", + "Trace" : "Iz", + "Security warning" : "Xavfsizlik bo'yicha ogohlantirish", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : ".htaccess fayli ishlamayapti, chunki ma'lumotlar katalogingiz va fayllaringiz Internetdan foydalanish mumkin.", + "Username" : "Foydalanuvchi nomi", + "Storage & database" : "Saqlash va ma'lumotlar bazasi", + "Data folder" : "Ma'lumotlar jildi", + "Configure the database" : "Ma'lumotlar bazasini sozlang", + "Only %s is available." : "Faqat %s mavjud.", + "Install and activate additional PHP modules to choose other database types." : "Boshqa ma'lumotlar bazasi turlarini tanlash uchun qo'shimcha PHP modullarini o'rnating va ishga tushiring.", + "For more details check out the documentation." : "Qo'shimcha ma'lumot olish uchun hujjatlarni ko'rib chiqing.", + "Database user" : "Ma'lumotlar bazasi foydalanuvchisi", + "Database password" : "Ma'lumotlar bazasi paroli", + "Database name" : "Ma'lumotlar bazasi nomi", + "Database tablespace" : "Ma'lumotlar bazasi jadvali", + "Database host" : "Ma'lumotlar bazasi hosti", + "Please specify the port number along with the host name (e.g., localhost:5432)." : "Iltimos, uy egasi nomi bilan birga port raqamini ko'rsating (m-n, localhost: 5432).", + "Performance warning" : "Ishlash haqida ogohlantirish", + "SQLite will be used as database." : "SQLite ma'lumotlar bazasi sifatida ishlatiladi.", + "For larger installations we recommend to choose a different database backend." : "Katta hajmdagi o'rnatish uchun biz boshqa ma'lumotlar bazasi ordinatorini tanlashni tavsiya etamiz.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Ayniqsa, ish stoli mijozidan faylni sinxronlashtirish uchun SQLite-dan foydalanish tushkunlikka tushgan.", + "Finish setup" : "O'rnatishni tugating", + "Need help?" : "Yordam kerak?", + "See the documentation" : "Hujjatlarga qarang", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Ushbu dastur to'g'ri ishlashi uchun JavaScript-ni talab qiladi. Iltimos, {linkstart} JavaScript-ni faollashtirish {linkend} va sahifani qayta yuklang.", + "More apps" : "Ko'proq ilovalar", + "Search" : "Qidirmoq", + "Reset search" : "Qidiruvni tiklash", + "Confirm your password" : "Parolingizni tasdiqlang", + "Server side authentication failed!" : "Server tomoni autentifikatsiyasi bajarilmadi!", + "Please contact your administrator." : "Administrator bilan bog'laning.", + "An internal error occurred." : "Ichki xato ro'y berdi.", + "Please try again or contact your administrator." : "Qaytadan urinib ko'ring yoki administrator bilan bog'laning.", + "Username or email" : "Foydalanuvchi nomi yoki elektron pochta", + "Log in" : "Kirish", + "Wrong password." : "Noto'g'ri parol.", + "Stay logged in" : "Kirishni unutmang", + "Alternative Logins" : "Shu bilan bir qatorda kirishlar", + "Account access" : "Hisobga kirish" +},"pluralForm" :"nplurals=1; plural=0;" +} \ No newline at end of file diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index 3af2f1546f75c..3ed076d3b4ef3 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -302,6 +302,11 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "当实例 %s 再次可用时此页面将刷新.", "Contact your system administrator if this message persists or appeared unexpectedly." : "如果这个消息一直存在或不停出现, 请联系你的系统管理员.", "Thank you for your patience." : "感谢您久等了.", - "Wrong password. Reset it?" : "密码错误。是否重置?" + "This action requires you to confirm your password:" : "此操作需要确认您的密码:", + "Wrong password. Reset it?" : "密码错误。是否重置?", + "You are about to grant \"%s\" access to your %s account." : "你将分配 \"%s\" 访问权限给你的 %s 账户。", + "You are accessing the server from an untrusted domain." : "您正在访问来自不信任域名的服务器.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "请联系您的系统管理员. 如果您是系统管理员, 在 config/config.php 文件中设置 \"trusted_domain\". 可以在 config/config.sample.php 文件中找到例子.", + "For help, see the documentation." : "获取更多帮助, 请查看 文档." }, "nplurals=1; plural=0;"); diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index 0486e1f43302f..a9031f3af522d 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -300,6 +300,11 @@ "This page will refresh itself when the %s instance is available again." : "当实例 %s 再次可用时此页面将刷新.", "Contact your system administrator if this message persists or appeared unexpectedly." : "如果这个消息一直存在或不停出现, 请联系你的系统管理员.", "Thank you for your patience." : "感谢您久等了.", - "Wrong password. Reset it?" : "密码错误。是否重置?" + "This action requires you to confirm your password:" : "此操作需要确认您的密码:", + "Wrong password. Reset it?" : "密码错误。是否重置?", + "You are about to grant \"%s\" access to your %s account." : "你将分配 \"%s\" 访问权限给你的 %s 账户。", + "You are accessing the server from an untrusted domain." : "您正在访问来自不信任域名的服务器.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "请联系您的系统管理员. 如果您是系统管理员, 在 config/config.php 文件中设置 \"trusted_domain\". 可以在 config/config.sample.php 文件中找到例子.", + "For help, see the documentation." : "获取更多帮助, 请查看 文档." },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index 270c68fc44daa..89b4d9137938c 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -384,9 +384,14 @@ OC.L10N.register( "set new password" : "sett nytt passord", "change email address" : "endre e-postadresse", "Default" : "Forvalg", + "Error while removing app" : "Feil under fjerning av program", + "__language_name__" : "Norsk bokmål", + "Verifying" : "Bekrefter", + "Personal info" : "Personlig informasjon", "Desktop client" : "Skrivebordsklient", "Android app" : "Android-program", "iOS app" : "iOS-program", + "App passwords" : "Programpassord", "Group name" : "Gruppenavn" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index 91a8add82c8c3..7ecad5199ac6e 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -382,9 +382,14 @@ "set new password" : "sett nytt passord", "change email address" : "endre e-postadresse", "Default" : "Forvalg", + "Error while removing app" : "Feil under fjerning av program", + "__language_name__" : "Norsk bokmål", + "Verifying" : "Bekrefter", + "Personal info" : "Personlig informasjon", "Desktop client" : "Skrivebordsklient", "Android app" : "Android-program", "iOS app" : "iOS-program", + "App passwords" : "Programpassord", "Group name" : "Gruppenavn" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index 8d065ddfe1df7..8489a9112eca5 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -384,9 +384,40 @@ OC.L10N.register( "set new password" : "Instellen nieuw wachtwoord", "change email address" : "wijzig e-mailadres", "Default" : "Standaard", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Er is %n app die bijgewerkt kan worden","Er zijn %n apps die bijgewerkt kunnen worden"], "Updating...." : "Bijwerken....", + "Error while updating app" : "Fout bij het bijwerken van de app", + "Error while removing app" : "Fout tijdens het verwijderen van de app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "De app is ingeschakeld maar moet worden bijgewerkt. Je wordt over 5 seconden doorgeleid naar de bijwerkpagina.", + "App update" : "App update", + "__language_name__" : "Nederlands", + "Verifying" : "Verifiëren", + "Personal info" : "Persoonlijke info", + "Sync clients" : "Synchroniseer clients", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Voor beveiliging en prestaties van je server is het belangrijk dat alles goed is geconfigureerd. Om je hierbij te helpen doen we paar automatische controles. Bekijk de Tips & Trucs sectie en de documentatie voor meer informatie.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "php lijkt niet goed te zijn ingesteld om systeemomgevingsvariabelen te bevragen. De test met getenv(\"PATH\") gaf een leeg resultaat.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Lees de installatiedocumentatie ↗ voor php configuratienotities en de php configuratie van je server, zeker bij gebruik van php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP is blijkbaar zo ingesteld dat inline doc blokken worden gestript. Hierdoor worden verschillende kernmodules onbruikbaar.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s lager dan versie %2$s geïnstalleerd, voor betere stabiliteit en prestaties adviseren wij om %1$s te upgraden naar een nieuwere versie.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor MIME-type detectie.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Transactionele bestandlocking is uitgeschakeld, dat zou namelijk kunnen leiden tot versiebeheerproblemen. Schakel 'filelocking enabled' in config.php in om deze problemen te voorkomen. Zie de documentatie ↗ voor meer informatie.", + "This means that there might be problems with certain characters in file names." : "Dat betekent dat er problemen kunnen optreden met bepaalde tekens in bestandsnamen.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "We adviseren met klem om de noodzakelijke pakketten op je systeem te installeren om een van de volgende talen te ondersteunen: %s.", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Als je installatie niet in de hoofddirectory van het domein staat, maar wel cron gebruikt, dan kunnen er problemen ontstaan bij het genereren van URL's. Om deze problemen te voorkomen zou je de \"overwrite.cli.url\" optie in config.php moeten instellen op het webroot pad van je installatie (aanbevolen: \"%s\")", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "het was niet mogelijk om de cronjob via CLI uit te voeren. De volgende technische problemen traden op:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Lees de installatie handleiding goed door en controleer op fouten en waarschuwingen in het logbestand.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php is geregisteerd bij een webcron service om elke 15 minuten cron.php over http aan te roepen.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Om dit te draaien, is de PHP posix extensie vereist. Bekijk {linkstart}PHP documentatie{linkend} voor meer informatie.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Om te migreren naar een andere database moet u de commandoregel tool gebruiken: 'occ db:convert-type'; zie de documentatie ↗.", + "Get the apps to sync your files" : "Download de apps om bestanden te synchroniseren", + "Desktop client" : "Desktop client", + "Android app" : "Android app", "iOS app" : "iOS app", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Als je het project wilt ondersteunen {contributeopen}help met de ontwikkeling{linkclose} of {contributeopen}zegt het voort{linkclose}!", + "Show First Run Wizard again" : "Toon de Eerste start Wizard opnieuw", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobiele clients and app specifieke wachtwoorden die nu toegang hebben tot je account.", "App passwords" : "App wachtwoorden", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier kun je individuele wachtwoorden voor apps genereren, zodat je geen wachtwoorden hoeft uit te geven. Je kunt ze ook weer individueel intrekken.", "Follow us on Google+!" : "Volg ons op Google+!", "Like our facebook page!" : "Vind onze Facebook pagina leuk!", "Follow us on Twitter!" : "Volg ons op Twitter!", diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index 65c613d4bcf4b..f4b431c5aeea4 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -382,9 +382,40 @@ "set new password" : "Instellen nieuw wachtwoord", "change email address" : "wijzig e-mailadres", "Default" : "Standaard", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Er is %n app die bijgewerkt kan worden","Er zijn %n apps die bijgewerkt kunnen worden"], "Updating...." : "Bijwerken....", + "Error while updating app" : "Fout bij het bijwerken van de app", + "Error while removing app" : "Fout tijdens het verwijderen van de app", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "De app is ingeschakeld maar moet worden bijgewerkt. Je wordt over 5 seconden doorgeleid naar de bijwerkpagina.", + "App update" : "App update", + "__language_name__" : "Nederlands", + "Verifying" : "Verifiëren", + "Personal info" : "Persoonlijke info", + "Sync clients" : "Synchroniseer clients", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Voor beveiliging en prestaties van je server is het belangrijk dat alles goed is geconfigureerd. Om je hierbij te helpen doen we paar automatische controles. Bekijk de Tips & Trucs sectie en de documentatie voor meer informatie.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "php lijkt niet goed te zijn ingesteld om systeemomgevingsvariabelen te bevragen. De test met getenv(\"PATH\") gaf een leeg resultaat.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Lees de installatiedocumentatie ↗ voor php configuratienotities en de php configuratie van je server, zeker bij gebruik van php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP is blijkbaar zo ingesteld dat inline doc blokken worden gestript. Hierdoor worden verschillende kernmodules onbruikbaar.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s lager dan versie %2$s geïnstalleerd, voor betere stabiliteit en prestaties adviseren wij om %1$s te upgraden naar een nieuwere versie.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor MIME-type detectie.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Transactionele bestandlocking is uitgeschakeld, dat zou namelijk kunnen leiden tot versiebeheerproblemen. Schakel 'filelocking enabled' in config.php in om deze problemen te voorkomen. Zie de documentatie ↗ voor meer informatie.", + "This means that there might be problems with certain characters in file names." : "Dat betekent dat er problemen kunnen optreden met bepaalde tekens in bestandsnamen.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "We adviseren met klem om de noodzakelijke pakketten op je systeem te installeren om een van de volgende talen te ondersteunen: %s.", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Als je installatie niet in de hoofddirectory van het domein staat, maar wel cron gebruikt, dan kunnen er problemen ontstaan bij het genereren van URL's. Om deze problemen te voorkomen zou je de \"overwrite.cli.url\" optie in config.php moeten instellen op het webroot pad van je installatie (aanbevolen: \"%s\")", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "het was niet mogelijk om de cronjob via CLI uit te voeren. De volgende technische problemen traden op:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Lees de installatie handleiding goed door en controleer op fouten en waarschuwingen in het logbestand.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php is geregisteerd bij een webcron service om elke 15 minuten cron.php over http aan te roepen.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Om dit te draaien, is de PHP posix extensie vereist. Bekijk {linkstart}PHP documentatie{linkend} voor meer informatie.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Om te migreren naar een andere database moet u de commandoregel tool gebruiken: 'occ db:convert-type'; zie de documentatie ↗.", + "Get the apps to sync your files" : "Download de apps om bestanden te synchroniseren", + "Desktop client" : "Desktop client", + "Android app" : "Android app", "iOS app" : "iOS app", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Als je het project wilt ondersteunen {contributeopen}help met de ontwikkeling{linkclose} of {contributeopen}zegt het voort{linkclose}!", + "Show First Run Wizard again" : "Toon de Eerste start Wizard opnieuw", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobiele clients and app specifieke wachtwoorden die nu toegang hebben tot je account.", "App passwords" : "App wachtwoorden", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier kun je individuele wachtwoorden voor apps genereren, zodat je geen wachtwoorden hoeft uit te geven. Je kunt ze ook weer individueel intrekken.", "Follow us on Google+!" : "Volg ons op Google+!", "Like our facebook page!" : "Vind onze Facebook pagina leuk!", "Follow us on Twitter!" : "Volg ons op Twitter!", From adb9ad29faf42957815834e1844eb06056926242 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Wed, 14 Feb 2018 01:12:17 +0000 Subject: [PATCH 094/251] [tx-robot] updated from transifex --- apps/federatedfilesharing/l10n/nb.js | 1 + apps/federatedfilesharing/l10n/nb.json | 1 + apps/federation/l10n/nb.js | 1 + apps/federation/l10n/nb.json | 1 + apps/files/l10n/es_MX.js | 2 +- apps/files/l10n/es_MX.json | 2 +- apps/files/l10n/nb.js | 5 ++- apps/files/l10n/nb.json | 5 ++- apps/files_external/l10n/nb.js | 5 +++ apps/files_external/l10n/nb.json | 5 +++ apps/files_sharing/l10n/nb.js | 3 +- apps/files_sharing/l10n/nb.json | 3 +- apps/updatenotification/l10n/nb.js | 1 + apps/updatenotification/l10n/nb.json | 1 + apps/workflowengine/l10n/nb.js | 1 + apps/workflowengine/l10n/nb.json | 1 + core/l10n/fi.js | 8 ++++- core/l10n/fi.json | 8 ++++- core/l10n/nb.js | 34 +++++++++++++++++-- core/l10n/nb.json | 34 +++++++++++++++++-- core/l10n/pt_BR.js | 10 +++--- core/l10n/pt_BR.json | 10 +++--- lib/l10n/nb.js | 16 ++++++++- lib/l10n/nb.json | 16 ++++++++- settings/l10n/is.js | 47 +++++++++++++++++++++++++- settings/l10n/is.json | 47 +++++++++++++++++++++++++- settings/l10n/nb.js | 18 ++++++++++ settings/l10n/nb.json | 18 ++++++++++ 28 files changed, 278 insertions(+), 26 deletions(-) diff --git a/apps/federatedfilesharing/l10n/nb.js b/apps/federatedfilesharing/l10n/nb.js index debd620aea022..345f303149dca 100644 --- a/apps/federatedfilesharing/l10n/nb.js +++ b/apps/federatedfilesharing/l10n/nb.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Del med meg gjennom min #Nextcloud-ID for sammenknyttet sky, se %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Del med meg gjennom min #Nextcloud-ID for sammenknyttet sky", "Sharing" : "Deling", + "Federated file sharing" : "Sammenknyttet fildeling", "Federated Cloud Sharing" : "Sammenknyttet skydeling", "Open documentation" : "Åpne dokumentasjonen", "Adjust how people can share between servers." : "Juster hvordan folk kan dele mellom tjenere.", diff --git a/apps/federatedfilesharing/l10n/nb.json b/apps/federatedfilesharing/l10n/nb.json index 7c183409877b7..189b05c83e7ee 100644 --- a/apps/federatedfilesharing/l10n/nb.json +++ b/apps/federatedfilesharing/l10n/nb.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Del med meg gjennom min #Nextcloud-ID for sammenknyttet sky, se %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Del med meg gjennom min #Nextcloud-ID for sammenknyttet sky", "Sharing" : "Deling", + "Federated file sharing" : "Sammenknyttet fildeling", "Federated Cloud Sharing" : "Sammenknyttet skydeling", "Open documentation" : "Åpne dokumentasjonen", "Adjust how people can share between servers." : "Juster hvordan folk kan dele mellom tjenere.", diff --git a/apps/federation/l10n/nb.js b/apps/federation/l10n/nb.js index 2d9322c963677..c5fe81c8376a7 100644 --- a/apps/federation/l10n/nb.js +++ b/apps/federation/l10n/nb.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Tjeneren er allerede i listen av klarerte tjenere.", "No server to federate with found" : "Ingen tjener å forene med ble funnet", "Could not add server" : "Kunne ikke legge til tjener", + "Federation" : "Sammenknytting", "Trusted servers" : "Klarerte tjenere", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Sammenknytting tillater deg å koble sammen andre betrodde tjenere for utveksling av brukermapper. For eksempel vil det bli brukt for autofullføring av eksterne brukere for sammenknyttet deling.", "Add server automatically once a federated share was created successfully" : "Legg til tjener automatisk når en sammenknyttet deling har blitt opprettet", diff --git a/apps/federation/l10n/nb.json b/apps/federation/l10n/nb.json index e0f7189131067..d7dbd52bee967 100644 --- a/apps/federation/l10n/nb.json +++ b/apps/federation/l10n/nb.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Tjeneren er allerede i listen av klarerte tjenere.", "No server to federate with found" : "Ingen tjener å forene med ble funnet", "Could not add server" : "Kunne ikke legge til tjener", + "Federation" : "Sammenknytting", "Trusted servers" : "Klarerte tjenere", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Sammenknytting tillater deg å koble sammen andre betrodde tjenere for utveksling av brukermapper. For eksempel vil det bli brukt for autofullføring av eksterne brukere for sammenknyttet deling.", "Add server automatically once a federated share was created successfully" : "Legg til tjener automatisk når en sammenknyttet deling har blitt opprettet", diff --git a/apps/files/l10n/es_MX.js b/apps/files/l10n/es_MX.js index b03e9e6e7d8c1..81606c8b04962 100644 --- a/apps/files/l10n/es_MX.js +++ b/apps/files/l10n/es_MX.js @@ -58,7 +58,7 @@ OC.L10N.register( "_%n folder_::_%n folders_" : ["%n carpeta","%n carpetas"], "_%n file_::_%n files_" : ["%n archivo","%n archivos"], "{dirs} and {files}" : "{dirs} y {files}", - "_including %n hidden_::_including %n hidden_" : ["incluyendo %n escondido","incluyendo %n ocultos"], + "_including %n hidden_::_including %n hidden_" : ["incluyendo %n oculto","incluyendo %n ocultos"], "You don’t have permission to upload or create files here" : "No cuentas con los permisos para cargar o crear archivos aquí", "_Uploading %n file_::_Uploading %n files_" : ["Subiendo %n archivo","Cargando %n archivos"], "New" : "Nuevo", diff --git a/apps/files/l10n/es_MX.json b/apps/files/l10n/es_MX.json index 837e1a2ccc42e..4352faf79f159 100644 --- a/apps/files/l10n/es_MX.json +++ b/apps/files/l10n/es_MX.json @@ -56,7 +56,7 @@ "_%n folder_::_%n folders_" : ["%n carpeta","%n carpetas"], "_%n file_::_%n files_" : ["%n archivo","%n archivos"], "{dirs} and {files}" : "{dirs} y {files}", - "_including %n hidden_::_including %n hidden_" : ["incluyendo %n escondido","incluyendo %n ocultos"], + "_including %n hidden_::_including %n hidden_" : ["incluyendo %n oculto","incluyendo %n ocultos"], "You don’t have permission to upload or create files here" : "No cuentas con los permisos para cargar o crear archivos aquí", "_Uploading %n file_::_Uploading %n files_" : ["Subiendo %n archivo","Cargando %n archivos"], "New" : "Nuevo", diff --git a/apps/files/l10n/nb.js b/apps/files/l10n/nb.js index 84988205b60d9..f061c2ff95350 100644 --- a/apps/files/l10n/nb.js +++ b/apps/files/l10n/nb.js @@ -147,6 +147,9 @@ OC.L10N.register( "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", "New text file.txt" : "Ny tekstfil.txt", - "Move" : "Flytt" + "Move" : "Flytt", + "A new file or folder has been deleted" : "En ny fil eller mappe har blitt slettet", + "A new file or folder has been restored" : "En ny fil eller mappe har blitt gjenopprettet", + "Use this address to access your Files via WebDAV" : "Bruk denne adressen for å få tilgang til dine filer via WebDAV" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nb.json b/apps/files/l10n/nb.json index 42edf45e4d480..48477740621e0 100644 --- a/apps/files/l10n/nb.json +++ b/apps/files/l10n/nb.json @@ -145,6 +145,9 @@ "Deleted files" : "Slettede filer", "Text file" : "Tekstfil", "New text file.txt" : "Ny tekstfil.txt", - "Move" : "Flytt" + "Move" : "Flytt", + "A new file or folder has been deleted" : "En ny fil eller mappe har blitt slettet", + "A new file or folder has been restored" : "En ny fil eller mappe har blitt gjenopprettet", + "Use this address to access your Files via WebDAV" : "Bruk denne adressen for å få tilgang til dine filer via WebDAV" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_external/l10n/nb.js b/apps/files_external/l10n/nb.js index 48544b96bd7be..84adaab86ff60 100644 --- a/apps/files_external/l10n/nb.js +++ b/apps/files_external/l10n/nb.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Merk: Støtte for cURL i PHP er ikke aktivert eller installert. Oppkobling av %s er ikke mulig. Be systemadministratoren om å installere det.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Merk: FTP-støtte i PHP er ikke slått på eller installert. Kan ikke koble opp %s. Ta kontakt med systemadministratoren for å få dette installert.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" er ikke installert. Oppkobling av %s er ikke mulig. Spør din systemadministrator om å installere det.", + "External storage support" : "Støtte for ekstern lagring", "No external storage configured" : "Eksternt lager er ikke konfigurert", "You can add external storages in the personal settings" : "Du kan legge til eksterne lagre i personlige innstillinger", "Name" : "Navn", @@ -121,8 +122,12 @@ OC.L10N.register( "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Henting av henvendelsessymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer. ", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Henting av adgangssymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer.", "Step 1 failed. Exception: %s" : "Steg 1 mislyktes. Unntak: %s", "Step 2 failed. Exception: %s" : "Steg 2 mislyktes. Unntak: %s", + "Dropbox App Configuration" : "Oppsett for Dropbox-program", + "Google Drive App Configuration" : "Oppsett av Google Drive-program", "Dropbox" : "Dropbox", "Google Drive" : "Google Drive" }, diff --git a/apps/files_external/l10n/nb.json b/apps/files_external/l10n/nb.json index 739d124056c35..e11972b4d8131 100644 --- a/apps/files_external/l10n/nb.json +++ b/apps/files_external/l10n/nb.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Merk: Støtte for cURL i PHP er ikke aktivert eller installert. Oppkobling av %s er ikke mulig. Be systemadministratoren om å installere det.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Merk: FTP-støtte i PHP er ikke slått på eller installert. Kan ikke koble opp %s. Ta kontakt med systemadministratoren for å få dette installert.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" er ikke installert. Oppkobling av %s er ikke mulig. Spør din systemadministrator om å installere det.", + "External storage support" : "Støtte for ekstern lagring", "No external storage configured" : "Eksternt lager er ikke konfigurert", "You can add external storages in the personal settings" : "Du kan legge til eksterne lagre i personlige innstillinger", "Name" : "Navn", @@ -119,8 +120,12 @@ "Delete" : "Slett", "Allow users to mount external storage" : "Tillat at brukere kobler opp eksterne lagre", "Allow users to mount the following external storage" : "Tillat brukere å koble opp følgende eksterne lagring", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Henting av henvendelsessymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer. ", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Henting av adgangssymboler mislyktes. Sjekk at programnøkkelen og hemmeligheten din stemmer.", "Step 1 failed. Exception: %s" : "Steg 1 mislyktes. Unntak: %s", "Step 2 failed. Exception: %s" : "Steg 2 mislyktes. Unntak: %s", + "Dropbox App Configuration" : "Oppsett for Dropbox-program", + "Google Drive App Configuration" : "Oppsett av Google Drive-program", "Dropbox" : "Dropbox", "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/nb.js b/apps/files_sharing/l10n/nb.js index a8aa1c16731a8..dd4bc8c0fb209 100644 --- a/apps/files_sharing/l10n/nb.js +++ b/apps/files_sharing/l10n/nb.js @@ -110,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Last opp filer til %s", "Select or drop files" : "Velg eller slipp filer", "Uploading files…" : "Laster opp filer…", - "Uploaded files:" : "Opplastede filer:" + "Uploaded files:" : "Opplastede filer:", + "%s is publicly shared" : "%s er delt offentlig" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/nb.json b/apps/files_sharing/l10n/nb.json index 25f3537812f0a..a72ccbd92b9ae 100644 --- a/apps/files_sharing/l10n/nb.json +++ b/apps/files_sharing/l10n/nb.json @@ -108,6 +108,7 @@ "Upload files to %s" : "Last opp filer til %s", "Select or drop files" : "Velg eller slipp filer", "Uploading files…" : "Laster opp filer…", - "Uploaded files:" : "Opplastede filer:" + "Uploaded files:" : "Opplastede filer:", + "%s is publicly shared" : "%s er delt offentlig" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/updatenotification/l10n/nb.js b/apps/updatenotification/l10n/nb.js index 096b06833e844..a6c3d83a30389 100644 --- a/apps/updatenotification/l10n/nb.js +++ b/apps/updatenotification/l10n/nb.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Oppdatering til %1$s er tilgjengelig.", "Update for %1$s to version %2$s is available." : "Oppdatering for %1$s til versjon %2$s er tilgjengelig.", "Update for {app} to version %s is available." : "Oppdatering for {app} til versjon %s er tilgjengelig.", + "Update notification" : "Oppdateringsvarsel", "A new version is available: %s" : "En ny versjon er tilgjengelig: %s", "Open updater" : "Åpne oppdaterer", "Download now" : "Last ned nå", diff --git a/apps/updatenotification/l10n/nb.json b/apps/updatenotification/l10n/nb.json index 1182bc49958fe..85b9674df25f0 100644 --- a/apps/updatenotification/l10n/nb.json +++ b/apps/updatenotification/l10n/nb.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Oppdatering til %1$s er tilgjengelig.", "Update for %1$s to version %2$s is available." : "Oppdatering for %1$s til versjon %2$s er tilgjengelig.", "Update for {app} to version %s is available." : "Oppdatering for {app} til versjon %s er tilgjengelig.", + "Update notification" : "Oppdateringsvarsel", "A new version is available: %s" : "En ny versjon er tilgjengelig: %s", "Open updater" : "Åpne oppdaterer", "Download now" : "Last ned nå", diff --git a/apps/workflowengine/l10n/nb.js b/apps/workflowengine/l10n/nb.js index 004bb1f3e59d0..d8fcc3a7e0781 100644 --- a/apps/workflowengine/l10n/nb.js +++ b/apps/workflowengine/l10n/nb.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Sjekk %s er ugyldig", "Check #%s does not exist" : "Sjekk #%s finnes ikke", "Workflow" : "Arbeidsflyt", + "Files workflow engine" : "Arbeidsflytmotor for filer", "Open documentation" : "Åpne dokumentasjonen", "Add rule group" : "Legg til regelgruppe", "Short rule description" : "Kort beskrivelse av regel", diff --git a/apps/workflowengine/l10n/nb.json b/apps/workflowengine/l10n/nb.json index f60c958fb06cb..808df45cafd6b 100644 --- a/apps/workflowengine/l10n/nb.json +++ b/apps/workflowengine/l10n/nb.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Sjekk %s er ugyldig", "Check #%s does not exist" : "Sjekk #%s finnes ikke", "Workflow" : "Arbeidsflyt", + "Files workflow engine" : "Arbeidsflytmotor for filer", "Open documentation" : "Åpne dokumentasjonen", "Add rule group" : "Legg til regelgruppe", "Short rule description" : "Kort beskrivelse av regel", diff --git a/core/l10n/fi.js b/core/l10n/fi.js index 119fe5a47b948..8e246e67f15d0 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -109,6 +109,8 @@ OC.L10N.register( "Good password" : "Hyvä salasana", "Strong password" : "Vahva salasana", "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "HTTP-palvelintasi ei ole määritetty oikein tiedostojen synkronointia varten, koska WebDAV-liitäntä vaikuttaa olevan rikki.", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-funktio \"set_time_limit\" ei ole käytettävissä. Tämä saattaa johtaa siihen, että skriptien suoritus päättyy ennenaikaisesti ja Nextcloud-asennus rikkoutuu. Suosittelemme kovasti ottamaan tämän funktion käyttöön.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP-asennuksessasi ei ole FreeType-tukea, ja siitä aiheutuu profiilikuvien sekä asetuskäyttöliittymän rikkoutuminen.", "Error occurred while checking server setup" : "Virhe palvelimen määrityksiä tarkistaessa", "Shared" : "Jaettu", "Shared with" : "Jaettu", @@ -291,6 +293,10 @@ OC.L10N.register( "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", "There was an error loading your contacts" : "Virhe yhteystietojasi ladattaessa", - "This action requires you to confirm your password:" : "Tämä toiminto vaatii, että vahvistat salasanasi:" + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Web-palvelintasi ei ole määritetty oikein tiedostojen synkronoinnin sallimiseksi, koska WebDAV-liitäntä vaikuttaa olevan rikki.", + "The server encountered an internal error and was unable to complete your request." : "Palvelimella tapahtui sisäinen virhe, eikä pyyntöäsi voitu käsitellä.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Ota yhteys palvelimen ylläpitäjään, jos tämä virhe ilmenee useita kertoja. Sisällytä alla olevat tekniset tiedot ilmoitukseesi.", + "This action requires you to confirm your password:" : "Tämä toiminto vaatii, että vahvistat salasanasi:", + "Wrong password. Reset it?" : "Väärä salasana. Nollataanko se?" }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/fi.json b/core/l10n/fi.json index 69c849513154f..5c86d8d745447 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -107,6 +107,8 @@ "Good password" : "Hyvä salasana", "Strong password" : "Vahva salasana", "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "HTTP-palvelintasi ei ole määritetty oikein tiedostojen synkronointia varten, koska WebDAV-liitäntä vaikuttaa olevan rikki.", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "PHP-funktio \"set_time_limit\" ei ole käytettävissä. Tämä saattaa johtaa siihen, että skriptien suoritus päättyy ennenaikaisesti ja Nextcloud-asennus rikkoutuu. Suosittelemme kovasti ottamaan tämän funktion käyttöön.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "PHP-asennuksessasi ei ole FreeType-tukea, ja siitä aiheutuu profiilikuvien sekä asetuskäyttöliittymän rikkoutuminen.", "Error occurred while checking server setup" : "Virhe palvelimen määrityksiä tarkistaessa", "Shared" : "Jaettu", "Shared with" : "Jaettu", @@ -289,6 +291,10 @@ "Contact your system administrator if this message persists or appeared unexpectedly." : "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", "Thank you for your patience." : "Kiitos kärsivällisyydestäsi.", "There was an error loading your contacts" : "Virhe yhteystietojasi ladattaessa", - "This action requires you to confirm your password:" : "Tämä toiminto vaatii, että vahvistat salasanasi:" + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Web-palvelintasi ei ole määritetty oikein tiedostojen synkronoinnin sallimiseksi, koska WebDAV-liitäntä vaikuttaa olevan rikki.", + "The server encountered an internal error and was unable to complete your request." : "Palvelimella tapahtui sisäinen virhe, eikä pyyntöäsi voitu käsitellä.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Ota yhteys palvelimen ylläpitäjään, jos tämä virhe ilmenee useita kertoja. Sisällytä alla olevat tekniset tiedot ilmoitukseesi.", + "This action requires you to confirm your password:" : "Tämä toiminto vaatii, että vahvistat salasanasi:", + "Wrong password. Reset it?" : "Väärä salasana. Nollataanko se?" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/nb.js b/core/l10n/nb.js index b62f5887f76ec..1938d375467b1 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -6,7 +6,7 @@ OC.L10N.register( "The selected file is not an image." : "Den valgte filen er ikke et bilde.", "The selected file cannot be read." : "Den valgte filen kan ikke leses.", "Invalid file provided" : "Ugyldig fil oppgitt", - "No image or file provided" : "Bilde eller fil ikke angitt", + "No image or file provided" : "Ikke noe bilde eller fil angitt", "Unknown filetype" : "Ukjent filtype", "Invalid image" : "Ugyldig bilde", "An error occurred. Please contact your admin." : "Det oppstod en feil. Kontakt din administrator.", @@ -276,6 +276,7 @@ OC.L10N.register( "Username or email" : "Brukernavn eller e-post", "Log in" : "Logg inn", "Wrong password." : "Feil passord.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Vi har detektert flere ugyldige påloggingsforsøk fra din IP-adresse. Derfor er din neste innlogging forsinket med opptil 30 sekunder.", "Stay logged in" : "Forbli innlogget", "Forgot password?" : "Glemt passord?", "Back to log in" : "Tilbake til innlogging", @@ -314,6 +315,35 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Denne %s-instansen er for øyeblikket i vedlikeholdsmodus, noe som kan vare en stund.", "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", - "Thank you for your patience." : "Takk for din tålmodighet." + "Thank you for your patience." : "Takk for din tålmodighet.", + "%s (3rdparty)" : "%s (3dje-part)", + "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i vår dokumentasjon.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Denne tjeneren har ingen fungerende internett-forbindelse. Dette betyr at noen funksjoner, som tilknytning av eksterne lagre, varslinger om oppdateringer eller installering av tredjepartsprogrammer ikke vil virke. Fjerntilgang til filer og utsending av varsler på e-post vil kanskje ikke virke heller. Vi anbefaler å aktivere en internett-forbindelse for denne tjeneren hvis du vil ha full funksjonalitet.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Inget hurtigminne har blitt satt opp. For å øke ytelsen bør du sette opp et hurtigminne hvis det er tilgjengelig. Mer informasjon finnes i vår dokumentasjon.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ikke lesbar for PHP, noe som frarådes av sikkerhetsgrunner. Mer informasjon finnes i vår dokumentasjon.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Vi anbefaler deg å oppgradere PHP versjonen for å utnytte ytelse og sikkerhetsoppdateringer som tilbys av PHP Group, så fort din distribusjon støtter det.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "De omvendte mellomtjener-hodene er ikke satt opp rett, eller du kobler til Nextcloud fra en betrodd mellomtjener. Hvis du ikke kobler til Nextcloud fra en betrodd mellomtjener, er dette et sikkerhetsproblem, og kan tillate en angriper å forfalske deres IP-adresse slik den er synlig for Nextcloud. Ytterligere informasjon er å finne i dokumentasjonen.", + "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 memcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien for informasjon om begge modulene.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Noen filer besto ikke gyldighetssjekken. Ytterligere informasjon om hvordan dette problemet kan løses finnes i vår dokumentasjon. (Liste over ugyldige filer… / Skann på ny…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", + "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 \"{header}\" er ikke satt opp lik \"{expected}\". Dette kan være en sikkerhetsrisiko og vi anbefaler at denne innstillingen endres.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\"- (Streng transportsikkerhet) HTTP-hodet er ikke satt opp til minst \"{seconds}\" sekunder. For forbedret sikkerhet anbefales det å skru på HSTS som beskrevet i våre sikkerhetstips.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du besøker denne nettsiden via HTTP. Vi anbefaler på det sterkeste at du konfigurerer tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstips.", + "Shared with {recipients}" : "Delt med {recipients}", + "The server encountered an internal error and was unable to complete your request." : "Tjeneren støtte på en intern feil og kunne ikke fullføre forespørselen din.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontakt tjeneradministratoren hvis denne feilen oppstår flere ganger. Ta med de tekniske detaljene nedenfor i rapporten din.", + "For information how to properly configure your server, please see the documentation." : "For informasjon om hvordan du skal konfigurere tjeneren skikkelig, se i dokumentasjonen.", + "This action requires you to confirm your password:" : "Denne handlingen krever at du bekrefter ditt passord:", + "Wrong password. Reset it?" : "Feilpassord. Tilbakestill?", + "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto.", + "You are accessing the server from an untrusted domain." : "Du besøker tjeneren fra et ikke-klarert domene.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontakt din administrator. Hvis du er administrator for denne instansen, sett opp innstillingen \"trusted_domains\" i config/config.php. Et eksempel på oppsett er gitt i config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Avhengig av oppsettet kan du, som administrator, kanskje også bruke kanppen nedenfor til å stole på dette domenet.", + "For help, see the documentation." : "For hjelp, se i dokumentasjonen.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nb.json b/core/l10n/nb.json index 3b4296727607e..cec1884ec64f1 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -4,7 +4,7 @@ "The selected file is not an image." : "Den valgte filen er ikke et bilde.", "The selected file cannot be read." : "Den valgte filen kan ikke leses.", "Invalid file provided" : "Ugyldig fil oppgitt", - "No image or file provided" : "Bilde eller fil ikke angitt", + "No image or file provided" : "Ikke noe bilde eller fil angitt", "Unknown filetype" : "Ukjent filtype", "Invalid image" : "Ugyldig bilde", "An error occurred. Please contact your admin." : "Det oppstod en feil. Kontakt din administrator.", @@ -274,6 +274,7 @@ "Username or email" : "Brukernavn eller e-post", "Log in" : "Logg inn", "Wrong password." : "Feil passord.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Vi har detektert flere ugyldige påloggingsforsøk fra din IP-adresse. Derfor er din neste innlogging forsinket med opptil 30 sekunder.", "Stay logged in" : "Forbli innlogget", "Forgot password?" : "Glemt passord?", "Back to log in" : "Tilbake til innlogging", @@ -312,6 +313,35 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Denne %s-instansen er for øyeblikket i vedlikeholdsmodus, noe som kan vare en stund.", "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", - "Thank you for your patience." : "Takk for din tålmodighet." + "Thank you for your patience." : "Takk for din tålmodighet.", + "%s (3rdparty)" : "%s (3dje-part)", + "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i vår dokumentasjon.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Denne tjeneren har ingen fungerende internett-forbindelse. Dette betyr at noen funksjoner, som tilknytning av eksterne lagre, varslinger om oppdateringer eller installering av tredjepartsprogrammer ikke vil virke. Fjerntilgang til filer og utsending av varsler på e-post vil kanskje ikke virke heller. Vi anbefaler å aktivere en internett-forbindelse for denne tjeneren hvis du vil ha full funksjonalitet.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Inget hurtigminne har blitt satt opp. For å øke ytelsen bør du sette opp et hurtigminne hvis det er tilgjengelig. Mer informasjon finnes i vår dokumentasjon.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom er ikke lesbar for PHP, noe som frarådes av sikkerhetsgrunner. Mer informasjon finnes i vår dokumentasjon.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Du bruker PHP-{version}. Vi anbefaler deg å oppgradere PHP versjonen for å utnytte ytelse og sikkerhetsoppdateringer som tilbys av PHP Group, så fort din distribusjon støtter det.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "De omvendte mellomtjener-hodene er ikke satt opp rett, eller du kobler til Nextcloud fra en betrodd mellomtjener. Hvis du ikke kobler til Nextcloud fra en betrodd mellomtjener, er dette et sikkerhetsproblem, og kan tillate en angriper å forfalske deres IP-adresse slik den er synlig for Nextcloud. Ytterligere informasjon er å finne i dokumentasjonen.", + "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 memcached wiki about both modules." : "Memcached er satt opp som distribuert hurtiglager, men feil PHP-modul \"memcache\" er installert. \\OC\\Memcache\\Memcached støtter bare \"memcached\" og ikke \"memcache\". Se memcached-wikien for informasjon om begge modulene.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Noen filer besto ikke gyldighetssjekken. Ytterligere informasjon om hvordan dette problemet kan løses finnes i vår dokumentasjon. (Liste over ugyldige filer… / Skann på ny…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP Opcache er ikke satt opp rett. For bedre ytelse anbefales det å bruke følgende innstillinger i php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "PHP-funksjonen \"set_time_limit\" er ikke tilgjengelig. Dette kan resultere i at skript blir stoppet midt i kjøring, noe som knekker installasjonen din. Det anbefales sterkt å skru på denne funksjonen.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Datamappen og filene dine er sannsynligvis tilgjengelige fra Internett. .htaccess-filen fungerer ikke. Det anbefales sterkt at du setter opp vev-tjeneren slik at datamappen ikke kan nås eller at du flytter datamappen ut av vev-tjenerens dokumentrot.", + "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 \"{header}\" er ikke satt opp lik \"{expected}\". Dette kan være en sikkerhetsrisiko og vi anbefaler at denne innstillingen endres.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "\"Strict-Transport-Security\"- (Streng transportsikkerhet) HTTP-hodet er ikke satt opp til minst \"{seconds}\" sekunder. For forbedret sikkerhet anbefales det å skru på HSTS som beskrevet i våre sikkerhetstips.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Du besøker denne nettsiden via HTTP. Vi anbefaler på det sterkeste at du konfigurerer tjeneren til å kreve HTTPS i stedet, som beskrevet i sikkerhetstips.", + "Shared with {recipients}" : "Delt med {recipients}", + "The server encountered an internal error and was unable to complete your request." : "Tjeneren støtte på en intern feil og kunne ikke fullføre forespørselen din.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Kontakt tjeneradministratoren hvis denne feilen oppstår flere ganger. Ta med de tekniske detaljene nedenfor i rapporten din.", + "For information how to properly configure your server, please see the documentation." : "For informasjon om hvordan du skal konfigurere tjeneren skikkelig, se i dokumentasjonen.", + "This action requires you to confirm your password:" : "Denne handlingen krever at du bekrefter ditt passord:", + "Wrong password. Reset it?" : "Feilpassord. Tilbakestill?", + "You are about to grant \"%s\" access to your %s account." : "Du er i ferd med å gi \"%s\" tilgang til din %s-konto.", + "You are accessing the server from an untrusted domain." : "Du besøker tjeneren fra et ikke-klarert domene.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Kontakt din administrator. Hvis du er administrator for denne instansen, sett opp innstillingen \"trusted_domains\" i config/config.php. Et eksempel på oppsett er gitt i config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Avhengig av oppsettet kan du, som administrator, kanskje også bruke kanppen nedenfor til å stole på dette domenet.", + "For help, see the documentation." : "For hjelp, se i dokumentasjonen.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Din PHP-installasjon har ikke FreeType-støtte. Dette fører til knekte profilbilder og skadelidende innstillingsgrensesnitt." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 0b48661339cba..86288c7d80fa9 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -35,7 +35,7 @@ OC.L10N.register( "Turned on maintenance mode" : "Ativar o modo de manutenção", "Turned off maintenance mode" : "Desativar o modo de manutenção", "Maintenance mode is kept active" : "O modo de manutenção está sendo mantido como ativo", - "Updating database schema" : "Atualizando o schema do base de dados", + "Updating database schema" : "Atualizando o schema 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)" : "Verificando se o schema do banco de dados pode ser atualizado (isso pode levar muito tempo, dependendo do tamanho do banco de dados)", "Checked database schema update" : "Verificada a atualização do schema de banco de dados", @@ -44,8 +44,8 @@ OC.L10N.register( "Update app \"%s\" from appstore" : "Atualizar aplicativo \"%s\" a partir da appstore", "Checked for update of app \"%s\" in appstore" : "Verificada atualização do aplicativo \"%s\" na appstore", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificando se o schema 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" : "verificada a atualização do schema de base de dados para os aplicativos", - "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", + "Checked database schema update for apps" : "Verificada a atualização do schema do banco de dados para aplicativos", + "Updated \"%s\" to %s" : "\"%s\" atualizado para %s", "Set log level to debug" : "Definir o nível de log para debug", "Reset log level" : "Redefinir o nível do log", "Starting code integrity check" : "Inicializando a verificação da integridade do código", @@ -282,7 +282,7 @@ OC.L10N.register( "Back to log in" : "Voltar ao login", "Alternative Logins" : "Logins alternativos", "Account access" : "Acesso à conta", - "You are about to grant %s access to your %s account." : "Você está prestes a conceder %s acesso à sua %s conta.", + "You are about to grant %s access to your %s account." : "Você está prestes a conceder acesso a %s à sua conta %s.", "Grant access" : "Conceder acesso", "App token" : "Token do aplicativo", "Alternative login using app token" : "Login alternativo usando o token do aplicativo", @@ -339,7 +339,7 @@ OC.L10N.register( "For information how to properly configure your server, please see the documentation." : "Para obter informações sobre como configurar corretamente o servidor, consulte a documentação.", "This action requires you to confirm your password:" : "Esta ação exige que você confirme sua senha:", "Wrong password. Reset it?" : "Senha incorreta. Redefini-la?", - "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso \"%s\" à sua conta %s.", + "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" à sua conta %s.", "You are accessing the server from an untrusted domain." : "Você está acessando o servidor de um domínio não confiável.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Entre em contato com o administrador. Se você é o administrador, defina a configuração \"trusted_domains\" em config/config.php. Uma configuração de exemplo é fornecida em config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da configuração, como administrador você também poderá usar o botão abaixo para confiar neste domínio.", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index ab30499381dc9..6431f804ab69b 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -33,7 +33,7 @@ "Turned on maintenance mode" : "Ativar o modo de manutenção", "Turned off maintenance mode" : "Desativar o modo de manutenção", "Maintenance mode is kept active" : "O modo de manutenção está sendo mantido como ativo", - "Updating database schema" : "Atualizando o schema do base de dados", + "Updating database schema" : "Atualizando o schema 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)" : "Verificando se o schema do banco de dados pode ser atualizado (isso pode levar muito tempo, dependendo do tamanho do banco de dados)", "Checked database schema update" : "Verificada a atualização do schema de banco de dados", @@ -42,8 +42,8 @@ "Update app \"%s\" from appstore" : "Atualizar aplicativo \"%s\" a partir da appstore", "Checked for update of app \"%s\" in appstore" : "Verificada atualização do aplicativo \"%s\" na appstore", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificando se o schema 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" : "verificada a atualização do schema de base de dados para os aplicativos", - "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", + "Checked database schema update for apps" : "Verificada a atualização do schema do banco de dados para aplicativos", + "Updated \"%s\" to %s" : "\"%s\" atualizado para %s", "Set log level to debug" : "Definir o nível de log para debug", "Reset log level" : "Redefinir o nível do log", "Starting code integrity check" : "Inicializando a verificação da integridade do código", @@ -280,7 +280,7 @@ "Back to log in" : "Voltar ao login", "Alternative Logins" : "Logins alternativos", "Account access" : "Acesso à conta", - "You are about to grant %s access to your %s account." : "Você está prestes a conceder %s acesso à sua %s conta.", + "You are about to grant %s access to your %s account." : "Você está prestes a conceder acesso a %s à sua conta %s.", "Grant access" : "Conceder acesso", "App token" : "Token do aplicativo", "Alternative login using app token" : "Login alternativo usando o token do aplicativo", @@ -337,7 +337,7 @@ "For information how to properly configure your server, please see the documentation." : "Para obter informações sobre como configurar corretamente o servidor, consulte a documentação.", "This action requires you to confirm your password:" : "Esta ação exige que você confirme sua senha:", "Wrong password. Reset it?" : "Senha incorreta. Redefini-la?", - "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso \"%s\" à sua conta %s.", + "You are about to grant \"%s\" access to your %s account." : "Você está prestes a conceder acesso a \"%s\" à sua conta %s.", "You are accessing the server from an untrusted domain." : "Você está acessando o servidor de um domínio não confiável.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Entre em contato com o administrador. Se você é o administrador, defina a configuração \"trusted_domains\" em config/config.php. Uma configuração de exemplo é fornecida em config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da configuração, como administrador você também poderá usar o botão abaixo para confiar neste domínio.", diff --git a/lib/l10n/nb.js b/lib/l10n/nb.js index 261ecd7d1c297..9fa5ef569d07d 100644 --- a/lib/l10n/nb.js +++ b/lib/l10n/nb.js @@ -227,6 +227,20 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Ikke komplett oppsett for lager. %s", "Storage connection error. %s" : "Tilkoblingsfeil for lager. %s", "Storage is temporarily not available" : "Lagring er midlertidig utilgjengelig", - "Storage connection timeout. %s" : "Tidsavbrudd ved tilkobling av lager: %s" + "Storage connection timeout. %s" : "Tidsavbrudd ved tilkobling av lager: %s", + "Personal" : "Personlig", + "Admin" : "Administrator", + "DB Error: \"%s\"" : "Databasefeil: \"%s\"", + "Offending command was: \"%s\"" : "Kommandoen som mislyktes: \"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "Kommandoen som mislyktes var: \"%s\", navn: %s, passord: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Setting av tillatelser for %s mislyktes, fordi tillatelsene gikk ut over tillatelsene som er gitt til %s", + "Setting permissions for %s failed, because the item was not found" : "Setting av tillatelser for %s mislyktes, fordi elementet ikke ble funnet", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Kan ikke fjerne utløpsdato. Delinger må ha en utløpsdato.", + "Cannot increase permissions of %s" : "Kan ikke øke tillatelser for %s", + "Files can't be shared with delete permissions" : "Filer kan ikke deles med rettigheter til sletting", + "Files can't be shared with create permissions" : "Filer kan ikke deles med rettigheter til å opprette", + "Cannot set expiration date more than %s days in the future" : "Kan ikke sette utløpsdato mer enn %s dager fram i tid", + "No app name specified" : "Intet programnavn spesifisert", + "App '%s' could not be installed!" : "Programmet '%s' kunne ikke installeres!" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/nb.json b/lib/l10n/nb.json index 238bcde7a2c66..327e7a0e0ae3f 100644 --- a/lib/l10n/nb.json +++ b/lib/l10n/nb.json @@ -225,6 +225,20 @@ "Storage incomplete configuration. %s" : "Ikke komplett oppsett for lager. %s", "Storage connection error. %s" : "Tilkoblingsfeil for lager. %s", "Storage is temporarily not available" : "Lagring er midlertidig utilgjengelig", - "Storage connection timeout. %s" : "Tidsavbrudd ved tilkobling av lager: %s" + "Storage connection timeout. %s" : "Tidsavbrudd ved tilkobling av lager: %s", + "Personal" : "Personlig", + "Admin" : "Administrator", + "DB Error: \"%s\"" : "Databasefeil: \"%s\"", + "Offending command was: \"%s\"" : "Kommandoen som mislyktes: \"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "Kommandoen som mislyktes var: \"%s\", navn: %s, passord: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Setting av tillatelser for %s mislyktes, fordi tillatelsene gikk ut over tillatelsene som er gitt til %s", + "Setting permissions for %s failed, because the item was not found" : "Setting av tillatelser for %s mislyktes, fordi elementet ikke ble funnet", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Kan ikke fjerne utløpsdato. Delinger må ha en utløpsdato.", + "Cannot increase permissions of %s" : "Kan ikke øke tillatelser for %s", + "Files can't be shared with delete permissions" : "Filer kan ikke deles med rettigheter til sletting", + "Files can't be shared with create permissions" : "Filer kan ikke deles med rettigheter til å opprette", + "Cannot set expiration date more than %s days in the future" : "Kan ikke sette utløpsdato mer enn %s dager fram i tid", + "No app name specified" : "Intet programnavn spesifisert", + "App '%s' could not be installed!" : "Programmet '%s' kunne ikke installeres!" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/is.js b/settings/l10n/is.js index b14b7f1753667..a592cd12104b0 100644 --- a/settings/l10n/is.js +++ b/settings/l10n/is.js @@ -104,9 +104,15 @@ OC.L10N.register( "Error: This app can not be enabled because it makes the server unstable" : "Villa: ekki er hægt að virkja þetta forrit því það gerir þjóninn óstöðugan.", "Error: Could not disable broken app" : "Villa: gat ekki gert bilaða forritið óvirkt", "Error while disabling broken app" : "Villa við að gera bilaða forritið óvirkt", + "App up to date" : "Forrit er af nýjustu gerð", + "Upgrading …" : "Uppfæri …", + "Could not upgrade app" : "Gat ekki uppfært forrit", "Updated" : "Uppfært", "Removing …" : "Fjarlægi ...", + "Could not remove app" : "Gat ekki fjarlægt forrit", "Remove" : "Fjarlægja", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Forritið hefur verið virkjað, en það þarf að endurnýja það. Þú verður áframsendur á uppfærslusíðuna eftir 5 sekúndur.", + "App upgrade" : "Uppfærsla forrits", "Approved" : "Samþykkt", "Experimental" : "Á tilraunastigi", "No apps found for {query}" : "Engin forrit fundust fyrir \"{query}", @@ -377,6 +383,45 @@ OC.L10N.register( "change full name" : "breyta fullu nafni", "set new password" : "setja nýtt lykilorð", "change email address" : "breyta tölvupóstfangi", - "Default" : "Sjálfgefið" + "Default" : "Sjálfgefið", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Það er %n forritsuppfærsla í bið","Það eru %n forritauppfærslur í bið"], + "Updating...." : "Uppfæri....", + "Error while updating app" : "Villa við að uppfæra forrit", + "Error while removing app" : "Villa við að fjarlægja forrit", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Forritið hefur verið virkjað, en það þarf að uppfæra það. Þú verður áframsendur á uppfærslusíðuna eftir 5 sekúndur.", + "App update" : "Endurnýjun forrits", + "__language_name__" : "Íslenska", + "Verifying" : "Yfirfer", + "Personal info" : "Persónuupplýsingar", + "Sync clients" : "Samstilla biðlara", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Það er mikilvægt fyrir öryggi og afköst uppsetningarinnar þinnar að allt sé rétt stillt. Til að hjálpa við að svo sé, eru gerðar ýmsar sjálfvirkar prófanir. Skoðaðu 'Ábendingar og góð ráð' (Tips & Tricks) og hjálparskjölin til að sjá ítarlegar upplýsingar.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "Það lítur út eins og að PHP sé ekki rétt sett upp varðandi fyrirspurnir um umhverfisbreytur. Prófun með getenv(\"PATH\") skilar auðu svari.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Endilega skoðaðu hjálparskjöl uppsetningarinnar ↗ varðandi athugasemdir vegna uppsetningar PHP og sjálfa uppsetningu PHP-þjónsins, Sérstaklega ef þú notar php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP virðist vera sett upp to fjarlægja innantextablokkir (inline doc blocks). Þetta mun gera ýmis kjarnaforrit óaðgengileg.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s eldra en útgáfa %2$s er uppsett, en vegna stöðugleika og afkasta mælum við með að útgáfa %1$s verði sett upp.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-eininguna 'fileinfo' vantar. Við mælum eindregið með notkun þessarar einingar til að fá bestu útkomu við greiningu á MIME-skráagerðum.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Færslulæsing skráa (transactional file locking) er óvirk, þetta gæti leitt til vandamála út frá forgangsskilyrðum (race conditions). Virkjaðu 'filelocking.enabled' í config.php til að forðast slík vandamál. Skoðaðu hjálparskjölin ↗ til að sjá nánari upplýsingar.", + "This means that there might be problems with certain characters in file names." : "Þetta þýðir að það geta komið upp vandamál við að birta ákveðna stafi í skráaheitum.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Við mælum eindregið með því að þessir nauðsynlegu pakkar séu á kerfinu til stuðnings einnar af eftirfarandi staðfærslum: %s", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Ef uppsetningin þín er ekki á rót lénsins og þú notar cron stýrikerfisins, þá geta komið upp vandamál við gerð URL-slóða. Til að forðast slík vandamál, skaltu stilla \"overwrite.cli.url\" valkostinn í config.php skránni þinni á slóð vefrótarinnar (webroot) í uppsetningunni (tillaga: \"%s\")", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Ekki var hægt að keyra cron-verkið á skipanalínu. Eftirfarandi tæknilegar villur komu upp:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Yfirfarðu vandlega uppsetningarleiðbeiningarnar ↗, og athugaðu hvort nokkrar villumeldingar eða aðvaranir séu í annálnum.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php er skráð á webcron-þjónustu til að kalla á cron.php á 15 mínútna fresti yfir http.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Til að keyra þetta þarftu að hafa PHP posix viðvótina (extension). Skoðaðu {linkstart}PHP hjálparskjölin{linkend} fyrir nánari útlistun.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Til að yfirfæra í annan gagnagrunn skaltu nota skipanalínutólið: 'occ db:convert-type', eða lesa hjálparskjölin ↗.", + "Get the apps to sync your files" : "Náðu í forrit til að samstilla skrárnar þínar", + "Desktop client" : "Skjáborðsforrit", + "Android app" : "Android-forrit", + "iOS app" : "iOS-forrit", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Ef þú vilt styðja við verkefnið {contributeopen}taktu þátt í þróuninni {linkclose} eða {contributeopen}láttu orð út ganga{linkclose}!", + "Show First Run Wizard again" : "Birta Fyrsta-skiptis-leiðarvísinn aftur", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Veftól, tölvur og símar sem núna eru með aðgang inn á aðganginn þinn.", + "App passwords" : "Lykilorð forrits", + "Follow us on Google+!" : "Fylgstu með okkur á Google+!", + "Like our facebook page!" : "Líkaðu við Facebook-síðuna okkar!", + "Follow us on Twitter!" : "Fylgstu með okkur á Twitter!", + "Check out our blog!" : "Kíktu á bloggið okkar!", + "Subscribe to our newsletter!" : "Gerstu áskrifandi að fréttabréfinu okkar!", + "Group name" : "Heiti hóps" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/settings/l10n/is.json b/settings/l10n/is.json index e59d3b114fe1c..37d78aff3a31c 100644 --- a/settings/l10n/is.json +++ b/settings/l10n/is.json @@ -102,9 +102,15 @@ "Error: This app can not be enabled because it makes the server unstable" : "Villa: ekki er hægt að virkja þetta forrit því það gerir þjóninn óstöðugan.", "Error: Could not disable broken app" : "Villa: gat ekki gert bilaða forritið óvirkt", "Error while disabling broken app" : "Villa við að gera bilaða forritið óvirkt", + "App up to date" : "Forrit er af nýjustu gerð", + "Upgrading …" : "Uppfæri …", + "Could not upgrade app" : "Gat ekki uppfært forrit", "Updated" : "Uppfært", "Removing …" : "Fjarlægi ...", + "Could not remove app" : "Gat ekki fjarlægt forrit", "Remove" : "Fjarlægja", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Forritið hefur verið virkjað, en það þarf að endurnýja það. Þú verður áframsendur á uppfærslusíðuna eftir 5 sekúndur.", + "App upgrade" : "Uppfærsla forrits", "Approved" : "Samþykkt", "Experimental" : "Á tilraunastigi", "No apps found for {query}" : "Engin forrit fundust fyrir \"{query}", @@ -375,6 +381,45 @@ "change full name" : "breyta fullu nafni", "set new password" : "setja nýtt lykilorð", "change email address" : "breyta tölvupóstfangi", - "Default" : "Sjálfgefið" + "Default" : "Sjálfgefið", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Það er %n forritsuppfærsla í bið","Það eru %n forritauppfærslur í bið"], + "Updating...." : "Uppfæri....", + "Error while updating app" : "Villa við að uppfæra forrit", + "Error while removing app" : "Villa við að fjarlægja forrit", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Forritið hefur verið virkjað, en það þarf að uppfæra það. Þú verður áframsendur á uppfærslusíðuna eftir 5 sekúndur.", + "App update" : "Endurnýjun forrits", + "__language_name__" : "Íslenska", + "Verifying" : "Yfirfer", + "Personal info" : "Persónuupplýsingar", + "Sync clients" : "Samstilla biðlara", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Það er mikilvægt fyrir öryggi og afköst uppsetningarinnar þinnar að allt sé rétt stillt. Til að hjálpa við að svo sé, eru gerðar ýmsar sjálfvirkar prófanir. Skoðaðu 'Ábendingar og góð ráð' (Tips & Tricks) og hjálparskjölin til að sjá ítarlegar upplýsingar.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "Það lítur út eins og að PHP sé ekki rétt sett upp varðandi fyrirspurnir um umhverfisbreytur. Prófun með getenv(\"PATH\") skilar auðu svari.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Endilega skoðaðu hjálparskjöl uppsetningarinnar ↗ varðandi athugasemdir vegna uppsetningar PHP og sjálfa uppsetningu PHP-þjónsins, Sérstaklega ef þú notar php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP virðist vera sett upp to fjarlægja innantextablokkir (inline doc blocks). Þetta mun gera ýmis kjarnaforrit óaðgengileg.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "%1$s eldra en útgáfa %2$s er uppsett, en vegna stöðugleika og afkasta mælum við með að útgáfa %1$s verði sett upp.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-eininguna 'fileinfo' vantar. Við mælum eindregið með notkun þessarar einingar til að fá bestu útkomu við greiningu á MIME-skráagerðum.", + "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Færslulæsing skráa (transactional file locking) er óvirk, þetta gæti leitt til vandamála út frá forgangsskilyrðum (race conditions). Virkjaðu 'filelocking.enabled' í config.php til að forðast slík vandamál. Skoðaðu hjálparskjölin ↗ til að sjá nánari upplýsingar.", + "This means that there might be problems with certain characters in file names." : "Þetta þýðir að það geta komið upp vandamál við að birta ákveðna stafi í skráaheitum.", + "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Við mælum eindregið með því að þessir nauðsynlegu pakkar séu á kerfinu til stuðnings einnar af eftirfarandi staðfærslum: %s", + "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Ef uppsetningin þín er ekki á rót lénsins og þú notar cron stýrikerfisins, þá geta komið upp vandamál við gerð URL-slóða. Til að forðast slík vandamál, skaltu stilla \"overwrite.cli.url\" valkostinn í config.php skránni þinni á slóð vefrótarinnar (webroot) í uppsetningunni (tillaga: \"%s\")", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Ekki var hægt að keyra cron-verkið á skipanalínu. Eftirfarandi tæknilegar villur komu upp:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Yfirfarðu vandlega uppsetningarleiðbeiningarnar ↗, og athugaðu hvort nokkrar villumeldingar eða aðvaranir séu í annálnum.", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php er skráð á webcron-þjónustu til að kalla á cron.php á 15 mínútna fresti yfir http.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Til að keyra þetta þarftu að hafa PHP posix viðvótina (extension). Skoðaðu {linkstart}PHP hjálparskjölin{linkend} fyrir nánari útlistun.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Til að yfirfæra í annan gagnagrunn skaltu nota skipanalínutólið: 'occ db:convert-type', eða lesa hjálparskjölin ↗.", + "Get the apps to sync your files" : "Náðu í forrit til að samstilla skrárnar þínar", + "Desktop client" : "Skjáborðsforrit", + "Android app" : "Android-forrit", + "iOS app" : "iOS-forrit", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Ef þú vilt styðja við verkefnið {contributeopen}taktu þátt í þróuninni {linkclose} eða {contributeopen}láttu orð út ganga{linkclose}!", + "Show First Run Wizard again" : "Birta Fyrsta-skiptis-leiðarvísinn aftur", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Veftól, tölvur og símar sem núna eru með aðgang inn á aðganginn þinn.", + "App passwords" : "Lykilorð forrits", + "Follow us on Google+!" : "Fylgstu með okkur á Google+!", + "Like our facebook page!" : "Líkaðu við Facebook-síðuna okkar!", + "Follow us on Twitter!" : "Fylgstu með okkur á Twitter!", + "Check out our blog!" : "Kíktu á bloggið okkar!", + "Subscribe to our newsletter!" : "Gerstu áskrifandi að fréttabréfinu okkar!", + "Group name" : "Heiti hóps" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" } \ No newline at end of file diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index 89b4d9137938c..cc42049967396 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -384,14 +384,32 @@ OC.L10N.register( "set new password" : "sett nytt passord", "change email address" : "endre e-postadresse", "Default" : "Forvalg", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Du har %n programoppgradering som venter","Du har %n programoppgraderinger som venter"], + "Updating...." : "Oppdaterer…", + "Error while updating app" : "Feil ved oppdatering av program", "Error while removing app" : "Feil under fjerning av program", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Programmet er aktivert men må oppdateres. Du vil bli videresendt til oppdateringssiden om 5 sekunder.", + "App update" : "Programoppdatering", "__language_name__" : "Norsk bokmål", "Verifying" : "Bekrefter", "Personal info" : "Personlig informasjon", + "Sync clients" : "Synkroniser klienter", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ser ikke ut til å være satt opp riktig for å lese systemets miljøvariabler. Testen med getenv(\"PATH\") returnerer bare et tomt svar.", + "Get the apps to sync your files" : "Hent programmer som synkroniserer filene dine", "Desktop client" : "Skrivebordsklient", "Android app" : "Android-program", "iOS app" : "iOS-program", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Hvis du vil støtte prosjektet {contributeopen} delta i utviklingen {linkclose} eller {contributeopen}spre budskapet{linkclose}!", + "Show First Run Wizard again" : "Vis førstegangsveiviseren på nytt", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Vev, skrivebord og mobil -klienter og programspesifikke passord som har tilgang til kontoen din nå.", "App passwords" : "Programpassord", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Her kan du opprette egne passord for programmer slik at du ikke trenger å gi dem ditt passord. Du kan tilbakekalle dem individuelt også.", + "Follow us on Google+!" : "Følg oss på Google+", + "Like our facebook page!" : "Lik vår Facebook-side!", + "Follow us on Twitter!" : "Følg oss på Twitter", + "Check out our blog!" : "Sjekk ut bloggen vår", + "Subscribe to our newsletter!" : "Abonner på vårt nyhetsbrev!", "Group name" : "Gruppenavn" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index 7ecad5199ac6e..2faeda67d36f1 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -382,14 +382,32 @@ "set new password" : "sett nytt passord", "change email address" : "endre e-postadresse", "Default" : "Forvalg", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Du har %n programoppgradering som venter","Du har %n programoppgraderinger som venter"], + "Updating...." : "Oppdaterer…", + "Error while updating app" : "Feil ved oppdatering av program", "Error while removing app" : "Feil under fjerning av program", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Programmet er aktivert men må oppdateres. Du vil bli videresendt til oppdateringssiden om 5 sekunder.", + "App update" : "Programoppdatering", "__language_name__" : "Norsk bokmål", "Verifying" : "Bekrefter", "Personal info" : "Personlig informasjon", + "Sync clients" : "Synkroniser klienter", + "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ser ikke ut til å være satt opp riktig for å lese systemets miljøvariabler. Testen med getenv(\"PATH\") returnerer bare et tomt svar.", + "Get the apps to sync your files" : "Hent programmer som synkroniserer filene dine", "Desktop client" : "Skrivebordsklient", "Android app" : "Android-program", "iOS app" : "iOS-program", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Hvis du vil støtte prosjektet {contributeopen} delta i utviklingen {linkclose} eller {contributeopen}spre budskapet{linkclose}!", + "Show First Run Wizard again" : "Vis førstegangsveiviseren på nytt", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Vev, skrivebord og mobil -klienter og programspesifikke passord som har tilgang til kontoen din nå.", "App passwords" : "Programpassord", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Her kan du opprette egne passord for programmer slik at du ikke trenger å gi dem ditt passord. Du kan tilbakekalle dem individuelt også.", + "Follow us on Google+!" : "Følg oss på Google+", + "Like our facebook page!" : "Lik vår Facebook-side!", + "Follow us on Twitter!" : "Følg oss på Twitter", + "Check out our blog!" : "Sjekk ut bloggen vår", + "Subscribe to our newsletter!" : "Abonner på vårt nyhetsbrev!", "Group name" : "Gruppenavn" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file From ef367f8bfee92047434fc9ad2016cf9e0b6a6ce1 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Wed, 14 Feb 2018 21:37:55 +0000 Subject: [PATCH 095/251] [tx-robot] updated from transifex --- apps/federatedfilesharing/l10n/lv.js | 2 +- apps/federatedfilesharing/l10n/lv.json | 2 +- apps/federatedfilesharing/l10n/nl.js | 1 + apps/federatedfilesharing/l10n/nl.json | 1 + apps/files/l10n/lt_LT.js | 1 + apps/files/l10n/lt_LT.json | 1 + apps/files/l10n/lv.js | 2 +- apps/files/l10n/lv.json | 2 +- apps/files_external/l10n/nl.js | 7 + apps/files_external/l10n/nl.json | 7 + apps/files_external/l10n/ru.js | 8 +- apps/files_external/l10n/ru.json | 8 +- apps/files_sharing/l10n/lv.js | 8 +- apps/files_sharing/l10n/lv.json | 8 +- apps/files_versions/l10n/fa.js | 5 +- apps/files_versions/l10n/fa.json | 5 +- apps/sharebymail/l10n/fr.js | 16 +- apps/sharebymail/l10n/fr.json | 16 +- apps/systemtags/l10n/lv.js | 8 +- apps/systemtags/l10n/lv.json | 8 +- apps/theming/l10n/lv.js | 2 +- apps/theming/l10n/lv.json | 2 +- apps/user_ldap/l10n/lt_LT.js | 9 +- apps/user_ldap/l10n/lt_LT.json | 9 +- apps/workflowengine/l10n/lv.js | 6 +- apps/workflowengine/l10n/lv.json | 6 +- core/l10n/ar.js | 202 +++++++++++++++++++++++++ core/l10n/ar.json | 200 ++++++++++++++++++++++++ core/l10n/lt_LT.js | 5 +- core/l10n/lt_LT.json | 5 +- core/l10n/lv.js | 6 +- core/l10n/lv.json | 6 +- core/l10n/nl.js | 3 +- core/l10n/nl.json | 3 +- core/l10n/ru.js | 10 +- core/l10n/ru.json | 10 +- lib/l10n/ar.js | 74 ++++++++- lib/l10n/ar.json | 74 ++++++++- lib/l10n/lv.js | 2 +- lib/l10n/lv.json | 2 +- lib/l10n/nl.js | 6 +- lib/l10n/nl.json | 6 +- lib/l10n/ru.js | 7 +- lib/l10n/ru.json | 7 +- settings/l10n/ar.js | 149 +++++++++++++++++- settings/l10n/ar.json | 149 +++++++++++++++++- settings/l10n/lt_LT.js | 23 ++- settings/l10n/lt_LT.json | 23 ++- settings/l10n/zh_CN.js | 2 +- settings/l10n/zh_CN.json | 2 +- 50 files changed, 1044 insertions(+), 82 deletions(-) create mode 100644 core/l10n/ar.js create mode 100644 core/l10n/ar.json diff --git a/apps/federatedfilesharing/l10n/lv.js b/apps/federatedfilesharing/l10n/lv.js index b432c74285f63..29e26c409db1d 100644 --- a/apps/federatedfilesharing/l10n/lv.js +++ b/apps/federatedfilesharing/l10n/lv.js @@ -19,7 +19,7 @@ OC.L10N.register( "Invalid or untrusted SSL certificate" : "Nederīgs vai neuzticams SSL sertifikāts", "Storage not valid" : "Nederīga krātuve", "Couldn't add remote share" : "Nevarēja pievienot attālināto koplietotni", - "File is already shared with %s" : "Fails ir jau koplietots ar %s", + "File is already shared with %s" : "Datne ir jau koplietota ar %s", "Could not find share" : "Nevarēja atrast koplietojumu", "Accept" : "Akceptēt", "Decline" : "Noraidīt", diff --git a/apps/federatedfilesharing/l10n/lv.json b/apps/federatedfilesharing/l10n/lv.json index d036b87957304..472df8693851d 100644 --- a/apps/federatedfilesharing/l10n/lv.json +++ b/apps/federatedfilesharing/l10n/lv.json @@ -17,7 +17,7 @@ "Invalid or untrusted SSL certificate" : "Nederīgs vai neuzticams SSL sertifikāts", "Storage not valid" : "Nederīga krātuve", "Couldn't add remote share" : "Nevarēja pievienot attālināto koplietotni", - "File is already shared with %s" : "Fails ir jau koplietots ar %s", + "File is already shared with %s" : "Datne ir jau koplietota ar %s", "Could not find share" : "Nevarēja atrast koplietojumu", "Accept" : "Akceptēt", "Decline" : "Noraidīt", diff --git a/apps/federatedfilesharing/l10n/nl.js b/apps/federatedfilesharing/l10n/nl.js index 985df3fb9ebe3..5538dea0d4139 100644 --- a/apps/federatedfilesharing/l10n/nl.js +++ b/apps/federatedfilesharing/l10n/nl.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Deel met mij via mijn #Nextcloud gefedereerde Cloud ID, zie %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Deel met mij via mijn #Nextcloud gefedereerde Cloud ID", "Sharing" : "Delen", + "Federated file sharing" : "Gefedereerd delen", "Federated Cloud Sharing" : "Federated Cloud Sharing", "Open documentation" : "Open documentatie", "Adjust how people can share between servers." : "Aanpassen hoe mensen tussen servers kunnen delen.", diff --git a/apps/federatedfilesharing/l10n/nl.json b/apps/federatedfilesharing/l10n/nl.json index d3c1e3bc1cd14..5006ccb35c9f6 100644 --- a/apps/federatedfilesharing/l10n/nl.json +++ b/apps/federatedfilesharing/l10n/nl.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Deel met mij via mijn #Nextcloud gefedereerde Cloud ID, zie %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Deel met mij via mijn #Nextcloud gefedereerde Cloud ID", "Sharing" : "Delen", + "Federated file sharing" : "Gefedereerd delen", "Federated Cloud Sharing" : "Federated Cloud Sharing", "Open documentation" : "Open documentatie", "Adjust how people can share between servers." : "Aanpassen hoe mensen tussen servers kunnen delen.", diff --git a/apps/files/l10n/lt_LT.js b/apps/files/l10n/lt_LT.js index e3e69bb3a8445..a30e7272c5d55 100644 --- a/apps/files/l10n/lt_LT.js +++ b/apps/files/l10n/lt_LT.js @@ -54,6 +54,7 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "Jūs neturite leidimo čia įkelti arba kurti failus", "_Uploading %n file_::_Uploading %n files_" : ["Įkeliamas %n failas","Įkeliami %n failai","Įkeliama %n failų"], "New" : "Naujas", + "{used} of {quota} used" : "panaudota {used} iš {quota}", "\"{name}\" is an invalid file name." : "„{name}“ yra netinkamas bylos pavadinimas.", "File name cannot be empty." : "Failo pavadinimas negali būti tuščias.", "\"{name}\" is not an allowed filetype" : "\"{name}\" nėra leidžiamas failo tipas", diff --git a/apps/files/l10n/lt_LT.json b/apps/files/l10n/lt_LT.json index 6bb6ff5168141..78aec5fd4633d 100644 --- a/apps/files/l10n/lt_LT.json +++ b/apps/files/l10n/lt_LT.json @@ -52,6 +52,7 @@ "You don’t have permission to upload or create files here" : "Jūs neturite leidimo čia įkelti arba kurti failus", "_Uploading %n file_::_Uploading %n files_" : ["Įkeliamas %n failas","Įkeliami %n failai","Įkeliama %n failų"], "New" : "Naujas", + "{used} of {quota} used" : "panaudota {used} iš {quota}", "\"{name}\" is an invalid file name." : "„{name}“ yra netinkamas bylos pavadinimas.", "File name cannot be empty." : "Failo pavadinimas negali būti tuščias.", "\"{name}\" is not an allowed filetype" : "\"{name}\" nėra leidžiamas failo tipas", diff --git a/apps/files/l10n/lv.js b/apps/files/l10n/lv.js index 7c15a6bf95db9..616c39fff8b5b 100644 --- a/apps/files/l10n/lv.js +++ b/apps/files/l10n/lv.js @@ -24,7 +24,7 @@ OC.L10N.register( "Delete" : "Dzēst", "Disconnect storage" : "Atvienot glabātuvi", "Unshare" : "Pārtraukt koplietošanu", - "Could not load info for file \"{file}\"" : "Nevar ielādēt informāciju par failu \"{file}\"", + "Could not load info for file \"{file}\"" : "Nevar ielādēt informāciju par datni \"{file}\"", "Files" : "Datnes", "Details" : "Detaļas", "Select" : "Norādīt", diff --git a/apps/files/l10n/lv.json b/apps/files/l10n/lv.json index ed2b04ac59d63..cc8ecb6bb0d00 100644 --- a/apps/files/l10n/lv.json +++ b/apps/files/l10n/lv.json @@ -22,7 +22,7 @@ "Delete" : "Dzēst", "Disconnect storage" : "Atvienot glabātuvi", "Unshare" : "Pārtraukt koplietošanu", - "Could not load info for file \"{file}\"" : "Nevar ielādēt informāciju par failu \"{file}\"", + "Could not load info for file \"{file}\"" : "Nevar ielādēt informāciju par datni \"{file}\"", "Files" : "Datnes", "Details" : "Detaļas", "Select" : "Norādīt", diff --git a/apps/files_external/l10n/nl.js b/apps/files_external/l10n/nl.js index 9d91f42aa6b04..8095903e1e3b3 100644 --- a/apps/files_external/l10n/nl.js +++ b/apps/files_external/l10n/nl.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Curl ondersteuning in PHP is niet ingeschakeld of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag je systeembeheerder dit te installeren.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "FTP ondersteuning in PHP is niet ingeschakeld of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag je beheerder dit te installeren.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" is niet geïnstalleerd. Mounten van %s is niet mogelijk. Vraag je beheerder om dit te installeren.", + "External storage support" : "Externe opslag ondersteuning", "No external storage configured" : "Geen externe opslag geconfigureerd", "You can add external storages in the personal settings" : "Je kunt externe opslag toevoegen in persoonlijke instellingen", "Name" : "Naam", @@ -121,6 +122,12 @@ OC.L10N.register( "Delete" : "Verwijder", "Allow users to mount external storage" : "Sta gebruikers toe om een externe opslag aan te koppelen", "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Binnenhalen van de aanvraag token is mislukt. Controleer dat je app sleutel en geheim correct zijn.", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Binnenhalen van de toegangstoken is mislukt. Controleer dat je app sleutel en geheim correct zijn.", + "Step 1 failed. Exception: %s" : "Stap 1 mislukt. Uitzondering: %s", + "Step 2 failed. Exception: %s" : "Stap 2 mislukt. Uitzondering: %s", + "Dropbox App Configuration" : "Dropbox App Configuratie", + "Google Drive App Configuration" : "Google Drive App Configuratie", "Dropbox" : "Dropbox", "Google Drive" : "Google Drive" }, diff --git a/apps/files_external/l10n/nl.json b/apps/files_external/l10n/nl.json index d66ad3796964b..0582c01052c09 100644 --- a/apps/files_external/l10n/nl.json +++ b/apps/files_external/l10n/nl.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Curl ondersteuning in PHP is niet ingeschakeld of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag je systeembeheerder dit te installeren.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "FTP ondersteuning in PHP is niet ingeschakeld of geïnstalleerd. Mounten van %s is niet mogelijk. Vraag je beheerder dit te installeren.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\" is niet geïnstalleerd. Mounten van %s is niet mogelijk. Vraag je beheerder om dit te installeren.", + "External storage support" : "Externe opslag ondersteuning", "No external storage configured" : "Geen externe opslag geconfigureerd", "You can add external storages in the personal settings" : "Je kunt externe opslag toevoegen in persoonlijke instellingen", "Name" : "Naam", @@ -119,6 +120,12 @@ "Delete" : "Verwijder", "Allow users to mount external storage" : "Sta gebruikers toe om een externe opslag aan te koppelen", "Allow users to mount the following external storage" : "Sta gebruikers toe de volgende externe opslag aan te koppelen", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Binnenhalen van de aanvraag token is mislukt. Controleer dat je app sleutel en geheim correct zijn.", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "Binnenhalen van de toegangstoken is mislukt. Controleer dat je app sleutel en geheim correct zijn.", + "Step 1 failed. Exception: %s" : "Stap 1 mislukt. Uitzondering: %s", + "Step 2 failed. Exception: %s" : "Stap 2 mislukt. Uitzondering: %s", + "Dropbox App Configuration" : "Dropbox App Configuratie", + "Google Drive App Configuration" : "Google Drive App Configuratie", "Dropbox" : "Dropbox", "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_external/l10n/ru.js b/apps/files_external/l10n/ru.js index 90ad73d8e31eb..db9bfd567a8ef 100644 --- a/apps/files_external/l10n/ru.js +++ b/apps/files_external/l10n/ru.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка cURL в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка FTP в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "«%s» не установлен, монтирование %s невозможно. Обратитесь к вашему системному администратору.", + "External storage support" : "Поддержка внешних хранилищ", "No external storage configured" : "Внешние хранилища не настроены", "You can add external storages in the personal settings" : "Вы можете добавить внешние хранилища в личных настройках", "Name" : "Имя", @@ -120,6 +121,11 @@ OC.L10N.register( "Advanced settings" : "Расширенные настройки", "Delete" : "Удалить", "Allow users to mount external storage" : "Разрешить пользователями монтировать внешние накопители", - "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных" + "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Ошибка получения токенов запроса. Проверьте корректность ключа и секрета приложения.", + "Dropbox App Configuration" : "Настройка приложения Dropbox", + "Google Drive App Configuration" : "Настройка приложения Google Drive", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_external/l10n/ru.json b/apps/files_external/l10n/ru.json index f0eb6d1e231c5..5ffee5598ed3d 100644 --- a/apps/files_external/l10n/ru.json +++ b/apps/files_external/l10n/ru.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка cURL в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Поддержка FTP в PHP не включена и/или не установлена, монтирование %s невозможно. Обратитесь к вашему системному администратору.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "«%s» не установлен, монтирование %s невозможно. Обратитесь к вашему системному администратору.", + "External storage support" : "Поддержка внешних хранилищ", "No external storage configured" : "Внешние хранилища не настроены", "You can add external storages in the personal settings" : "Вы можете добавить внешние хранилища в личных настройках", "Name" : "Имя", @@ -118,6 +119,11 @@ "Advanced settings" : "Расширенные настройки", "Delete" : "Удалить", "Allow users to mount external storage" : "Разрешить пользователями монтировать внешние накопители", - "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных" + "Allow users to mount the following external storage" : "Разрешить пользователям монтировать следующие сервисы хранения данных", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "Ошибка получения токенов запроса. Проверьте корректность ключа и секрета приложения.", + "Dropbox App Configuration" : "Настройка приложения Dropbox", + "Google Drive App Configuration" : "Настройка приложения Google Drive", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/lv.js b/apps/files_sharing/l10n/lv.js index 2c6d990ed762f..cfed9516baf30 100644 --- a/apps/files_sharing/l10n/lv.js +++ b/apps/files_sharing/l10n/lv.js @@ -5,11 +5,11 @@ OC.L10N.register( "Shared with others" : "Koplietots ar citiem", "Shared by link" : "Koplietots ar saiti", "Nothing shared with you yet" : "Nekas vēl nav koplietots", - "Files and folders others share with you will show up here" : "Faili un mapes, ko citi koplietos ar tevi, tiks rādīti šeit", + "Files and folders others share with you will show up here" : "Datnes un mapes, ko citi koplietos ar tevi, tiks rādīti šeit", "Nothing shared yet" : "Nekas vēl nav koplietots", - "Files and folders you share will show up here" : "Faili un mapes, ko koplietosi ar citiem, tiks rādīti šeit", + "Files and folders you share will show up here" : "Datnes un mapes, ko koplietosi ar citiem, tiks rādīti šeit", "No shared links" : "Nav koplietotu saišu", - "Files and folders you share by link will show up here" : "Faili un mapes, ko koplietosi ar saitēm, tiks rādīti šeit", + "Files and folders you share by link will show up here" : "Datnes un mapes, ko koplietosi ar saitēm, tiks rādīti šeit", "You can upload into this folder" : "Jūs variet augšuplādēt šajā mapē", "No compatible server found at {remote}" : "Nav atrasts neviens saderīgs serveris {remote}", "Invalid server URL" : "Nederīgs servera url", @@ -18,7 +18,7 @@ OC.L10N.register( "No expiration date set" : "Nav noteikts derīguma termiņa beigu datums", "Shared by" : "Koplietoja", "Sharing" : "Koplietošana", - "File shares" : "Failu koplietojumi", + "File shares" : "Datņu koplietojumi", "Downloaded via public link" : "Lejupielādēt izmantojot publisku saiti", "Downloaded by {email}" : "Lejupielādēts {email}", "{file} downloaded via public link" : "{file} lejupielādēts izmantojot publisku saiti", diff --git a/apps/files_sharing/l10n/lv.json b/apps/files_sharing/l10n/lv.json index 831a042dd7fa5..7ea925867070c 100644 --- a/apps/files_sharing/l10n/lv.json +++ b/apps/files_sharing/l10n/lv.json @@ -3,11 +3,11 @@ "Shared with others" : "Koplietots ar citiem", "Shared by link" : "Koplietots ar saiti", "Nothing shared with you yet" : "Nekas vēl nav koplietots", - "Files and folders others share with you will show up here" : "Faili un mapes, ko citi koplietos ar tevi, tiks rādīti šeit", + "Files and folders others share with you will show up here" : "Datnes un mapes, ko citi koplietos ar tevi, tiks rādīti šeit", "Nothing shared yet" : "Nekas vēl nav koplietots", - "Files and folders you share will show up here" : "Faili un mapes, ko koplietosi ar citiem, tiks rādīti šeit", + "Files and folders you share will show up here" : "Datnes un mapes, ko koplietosi ar citiem, tiks rādīti šeit", "No shared links" : "Nav koplietotu saišu", - "Files and folders you share by link will show up here" : "Faili un mapes, ko koplietosi ar saitēm, tiks rādīti šeit", + "Files and folders you share by link will show up here" : "Datnes un mapes, ko koplietosi ar saitēm, tiks rādīti šeit", "You can upload into this folder" : "Jūs variet augšuplādēt šajā mapē", "No compatible server found at {remote}" : "Nav atrasts neviens saderīgs serveris {remote}", "Invalid server URL" : "Nederīgs servera url", @@ -16,7 +16,7 @@ "No expiration date set" : "Nav noteikts derīguma termiņa beigu datums", "Shared by" : "Koplietoja", "Sharing" : "Koplietošana", - "File shares" : "Failu koplietojumi", + "File shares" : "Datņu koplietojumi", "Downloaded via public link" : "Lejupielādēt izmantojot publisku saiti", "Downloaded by {email}" : "Lejupielādēts {email}", "{file} downloaded via public link" : "{file} lejupielādēts izmantojot publisku saiti", diff --git a/apps/files_versions/l10n/fa.js b/apps/files_versions/l10n/fa.js index 08ad3dd3254d9..35332939df172 100644 --- a/apps/files_versions/l10n/fa.js +++ b/apps/files_versions/l10n/fa.js @@ -4,6 +4,9 @@ OC.L10N.register( "Could not revert: %s" : "بازگردانی امکان ناپذیر است: %s", "Versions" : "نسخه ها", "Failed to revert {file} to revision {timestamp}." : "برگرداندن {file} به نسخه {timestamp} با شکست روبرو شد", - "Restore" : "بازیابی" + "_%n byte_::_%n bytes_" : ["%n بایت"], + "Restore" : "بازیابی", + "No earlier versions available" : "هیچ نسخه قدیمی تری در دسترس نیست", + "More versions …" : "نسخه های بیشتر ..." }, "nplurals=1; plural=0;"); diff --git a/apps/files_versions/l10n/fa.json b/apps/files_versions/l10n/fa.json index f25ecb00445d2..2618427c67400 100644 --- a/apps/files_versions/l10n/fa.json +++ b/apps/files_versions/l10n/fa.json @@ -2,6 +2,9 @@ "Could not revert: %s" : "بازگردانی امکان ناپذیر است: %s", "Versions" : "نسخه ها", "Failed to revert {file} to revision {timestamp}." : "برگرداندن {file} به نسخه {timestamp} با شکست روبرو شد", - "Restore" : "بازیابی" + "_%n byte_::_%n bytes_" : ["%n بایت"], + "Restore" : "بازیابی", + "No earlier versions available" : "هیچ نسخه قدیمی تری در دسترس نیست", + "More versions …" : "نسخه های بیشتر ..." },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/sharebymail/l10n/fr.js b/apps/sharebymail/l10n/fr.js index 25aef7b560ae9..0a66fce6b5473 100644 --- a/apps/sharebymail/l10n/fr.js +++ b/apps/sharebymail/l10n/fr.js @@ -18,26 +18,26 @@ OC.L10N.register( "Password to access {file} was sent to you" : "Le mot de passe pour accèder à {file} vous a été envoyé", "Sharing %s failed, this item is already shared with %s" : "Le partage de %s a échoué, cet élément est déjà partagé avec %s", "We can't send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Nous ne pouvons pas vous envoyer le mot de passe généré automatiquement. Veuillez renseigner une adresse e-mail valide dans vos paramètres personnels puis réessayer.", - "Failed to send share by email" : "Erreur lors de l'envoi du partage par e-mail", + "Failed to send share by email" : "Échec lors de l'envoi du partage par e-mail", "%s shared »%s« with you" : "%s a partagé «%s» avec vous", "%s shared »%s« with you." : "%s a partagé «%s» avec vous.", "Click the button below to open it." : "Cliquez sur le bouton ci-dessous pour l'ouvrir.", "Open »%s«" : "Ouvrir «%s»", "%s via %s" : "%s via %s", - "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s a partagé «%s» avec vous.\nVous avez normalement déjà reçu un autre email avec un lien pour y accéder.\n", - "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s a partagé «%s» avec vous. Vous avez normalement déjà reçu un autre email avec un lien pour y accéder.", - "Password to access »%s« shared to you by %s" : "Mot de passe pour accèder à «%s» partagé par %s", - "Password to access »%s«" : "Mot de passe pour accèder à «%s»", + "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s a partagé «%s» avec vous.\nVous avez normalement déjà reçu un autre e-mail avec un lien pour y accéder.\n", + "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s a partagé «%s» avec vous. Vous avez normalement déjà reçu un autre e-mail avec un lien pour y accéder.", + "Password to access »%s« shared to you by %s" : "Mot de passe pour accéder à «%s» partagé avec vous par %s", + "Password to access »%s«" : "Mot de passe pour accéder à «%s»", "It is protected with the following password: %s" : "Il est protégé avec le mot de passe suivant : %s", "You just shared »%s« with %s. The share was already send to the recipient. Due to the security policies defined by the administrator of %s each share needs to be protected by password and it is not allowed to send the password directly to the recipient. Therefore you need to forward the password manually to the recipient." : "Vous venez de partager «%s» avec %s. Le partage a déjà été envoyé au destinataire. En raison de la politique de sécurité définie par l'administrateur de %s, chaque partage a besoin d'être protégé par mot de passe et il n'est pas autorisé d'envoyer le mot de passe directement au destinataire. C'est pourquoi vous devez transmettre le mot de passe manuellement au destinataire.", "Password to access »%s« shared with %s" : "Mot de passe pour accèder à «%s» partagé avec %s", "This is the password: %s" : "Voici le mot de passe : %s", "You can choose a different password at any time in the share dialog." : "Vous pouvez choisir un mot de passe différent à n'importe quel moment dans la boîte de dialogue de partage.", "Could not find share" : "Impossible de trouver le partage", - "Share by mail" : "Partage par email", + "Share by mail" : "Partage par e-mail", "Allows users to share a personalized link to a file or folder by putting in an email address." : "Autoriser les utilisateurs de partager un lien personnalisé vers un fichier ou un dossier en renseignant une adresse e-mail.", - "Send password by mail" : "Envoyer le mot de passe par email", + "Send password by mail" : "Envoyer le mot de passe par e-mail", "Enforce password protection" : "Imposer la protection par mot de passe", - "Failed to send share by E-mail" : "Erreur lors de l'envoi du partage par email" + "Failed to send share by E-mail" : "Échec lors de l'envoi du partage par e-mail" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/sharebymail/l10n/fr.json b/apps/sharebymail/l10n/fr.json index e1d44b155f948..23cd35032a309 100644 --- a/apps/sharebymail/l10n/fr.json +++ b/apps/sharebymail/l10n/fr.json @@ -16,26 +16,26 @@ "Password to access {file} was sent to you" : "Le mot de passe pour accèder à {file} vous a été envoyé", "Sharing %s failed, this item is already shared with %s" : "Le partage de %s a échoué, cet élément est déjà partagé avec %s", "We can't send you the auto-generated password. Please set a valid email address in your personal settings and try again." : "Nous ne pouvons pas vous envoyer le mot de passe généré automatiquement. Veuillez renseigner une adresse e-mail valide dans vos paramètres personnels puis réessayer.", - "Failed to send share by email" : "Erreur lors de l'envoi du partage par e-mail", + "Failed to send share by email" : "Échec lors de l'envoi du partage par e-mail", "%s shared »%s« with you" : "%s a partagé «%s» avec vous", "%s shared »%s« with you." : "%s a partagé «%s» avec vous.", "Click the button below to open it." : "Cliquez sur le bouton ci-dessous pour l'ouvrir.", "Open »%s«" : "Ouvrir «%s»", "%s via %s" : "%s via %s", - "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s a partagé «%s» avec vous.\nVous avez normalement déjà reçu un autre email avec un lien pour y accéder.\n", - "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s a partagé «%s» avec vous. Vous avez normalement déjà reçu un autre email avec un lien pour y accéder.", - "Password to access »%s« shared to you by %s" : "Mot de passe pour accèder à «%s» partagé par %s", - "Password to access »%s«" : "Mot de passe pour accèder à «%s»", + "%s shared »%s« with you.\nYou should have already received a separate mail with a link to access it.\n" : "%s a partagé «%s» avec vous.\nVous avez normalement déjà reçu un autre e-mail avec un lien pour y accéder.\n", + "%s shared »%s« with you. You should have already received a separate mail with a link to access it." : "%s a partagé «%s» avec vous. Vous avez normalement déjà reçu un autre e-mail avec un lien pour y accéder.", + "Password to access »%s« shared to you by %s" : "Mot de passe pour accéder à «%s» partagé avec vous par %s", + "Password to access »%s«" : "Mot de passe pour accéder à «%s»", "It is protected with the following password: %s" : "Il est protégé avec le mot de passe suivant : %s", "You just shared »%s« with %s. The share was already send to the recipient. Due to the security policies defined by the administrator of %s each share needs to be protected by password and it is not allowed to send the password directly to the recipient. Therefore you need to forward the password manually to the recipient." : "Vous venez de partager «%s» avec %s. Le partage a déjà été envoyé au destinataire. En raison de la politique de sécurité définie par l'administrateur de %s, chaque partage a besoin d'être protégé par mot de passe et il n'est pas autorisé d'envoyer le mot de passe directement au destinataire. C'est pourquoi vous devez transmettre le mot de passe manuellement au destinataire.", "Password to access »%s« shared with %s" : "Mot de passe pour accèder à «%s» partagé avec %s", "This is the password: %s" : "Voici le mot de passe : %s", "You can choose a different password at any time in the share dialog." : "Vous pouvez choisir un mot de passe différent à n'importe quel moment dans la boîte de dialogue de partage.", "Could not find share" : "Impossible de trouver le partage", - "Share by mail" : "Partage par email", + "Share by mail" : "Partage par e-mail", "Allows users to share a personalized link to a file or folder by putting in an email address." : "Autoriser les utilisateurs de partager un lien personnalisé vers un fichier ou un dossier en renseignant une adresse e-mail.", - "Send password by mail" : "Envoyer le mot de passe par email", + "Send password by mail" : "Envoyer le mot de passe par e-mail", "Enforce password protection" : "Imposer la protection par mot de passe", - "Failed to send share by E-mail" : "Erreur lors de l'envoi du partage par email" + "Failed to send share by E-mail" : "Échec lors de l'envoi du partage par e-mail" },"pluralForm" :"nplurals=2; plural=(n > 1);" } \ No newline at end of file diff --git a/apps/systemtags/l10n/lv.js b/apps/systemtags/l10n/lv.js index 116f7a366ec47..cc3f8f49898b5 100644 --- a/apps/systemtags/l10n/lv.js +++ b/apps/systemtags/l10n/lv.js @@ -9,7 +9,7 @@ OC.L10N.register( "Select tags to filter by" : "Izvēlies atzīmes pēc kā filtrēt", "No tags found" : "Netika atrasta neviena atzīme", "Please select tags to filter by" : "Lūdzu izvēlies atzīmes pēc kā filtrēt", - "No files found for the selected tags" : "Faili netika atrasti ar atlasītām atzīmēm", + "No files found for the selected tags" : "Datnes ar atlasītām atzīmēm netika atrastas", "Added system tag %1$s" : "Pievienota sistēmas atzīme %1$s", "Added system tag {systemtag}" : "Pievienota sistēmas atzīme {systemtag}", "%1$s added system tag %2$s" : "%1$s pievienota sistēmas atzīme %2$s", @@ -31,11 +31,11 @@ OC.L10N.register( "%1$s updated system tag %3$s to %2$s" : "%1$spārmainija sistēmas atzīmi %3$s uz %2$s", "{actor} updated system tag {oldsystemtag} to {newsystemtag}" : "{actor} atjaunināja sistēmas atzīmi {oldsystemtag} uz {newsystemtag}", "You added system tag %2$s to %1$s" : "Tu pievienoji sistēmas atzīmi %2$s uz %1$s", - "You added system tag {systemtag} to {file}" : "Tu pievienoji sistēmas atzīmi {systemtag} failam {file}", + "You added system tag {systemtag} to {file}" : "Tu pievienoji sistēmas atzīmi {systemtag} datnei {file}", "%1$s added system tag %3$s to %2$s" : "%1$spievienoja sistēmas atzīmi %3$s uz %2$s", - "{actor} added system tag {systemtag} to {file}" : "{actor} added system tag {systemtag} to {file}", + "{actor} added system tag {systemtag} to {file}" : "{actor} pievienoja sistēmas atzīmi {systemtag} {file}", "You removed system tag %2$s from %1$s" : "Tu noņēmi sistēmas atzīmi %2$s no %1$s", - "You removed system tag {systemtag} from {file}" : "TU noņēmi sistēmas atzīmi {systemtag} no {file}", + "You removed system tag {systemtag} from {file}" : "Tu noņēmi sistēmas atzīmi {systemtag} no {file}", "%1$s removed system tag %3$s from %2$s" : "%1$s noņēma sistēmas atzīmi %3$s no %2$s", "{actor} removed system tag {systemtag} from {file}" : "{actor} noņēma sistēmas atzīmi {systemtag} no {file}", "%s (restricted)" : "%s (ierobežots)", diff --git a/apps/systemtags/l10n/lv.json b/apps/systemtags/l10n/lv.json index 7359422ea9ea7..9dd5a05233bfd 100644 --- a/apps/systemtags/l10n/lv.json +++ b/apps/systemtags/l10n/lv.json @@ -7,7 +7,7 @@ "Select tags to filter by" : "Izvēlies atzīmes pēc kā filtrēt", "No tags found" : "Netika atrasta neviena atzīme", "Please select tags to filter by" : "Lūdzu izvēlies atzīmes pēc kā filtrēt", - "No files found for the selected tags" : "Faili netika atrasti ar atlasītām atzīmēm", + "No files found for the selected tags" : "Datnes ar atlasītām atzīmēm netika atrastas", "Added system tag %1$s" : "Pievienota sistēmas atzīme %1$s", "Added system tag {systemtag}" : "Pievienota sistēmas atzīme {systemtag}", "%1$s added system tag %2$s" : "%1$s pievienota sistēmas atzīme %2$s", @@ -29,11 +29,11 @@ "%1$s updated system tag %3$s to %2$s" : "%1$spārmainija sistēmas atzīmi %3$s uz %2$s", "{actor} updated system tag {oldsystemtag} to {newsystemtag}" : "{actor} atjaunināja sistēmas atzīmi {oldsystemtag} uz {newsystemtag}", "You added system tag %2$s to %1$s" : "Tu pievienoji sistēmas atzīmi %2$s uz %1$s", - "You added system tag {systemtag} to {file}" : "Tu pievienoji sistēmas atzīmi {systemtag} failam {file}", + "You added system tag {systemtag} to {file}" : "Tu pievienoji sistēmas atzīmi {systemtag} datnei {file}", "%1$s added system tag %3$s to %2$s" : "%1$spievienoja sistēmas atzīmi %3$s uz %2$s", - "{actor} added system tag {systemtag} to {file}" : "{actor} added system tag {systemtag} to {file}", + "{actor} added system tag {systemtag} to {file}" : "{actor} pievienoja sistēmas atzīmi {systemtag} {file}", "You removed system tag %2$s from %1$s" : "Tu noņēmi sistēmas atzīmi %2$s no %1$s", - "You removed system tag {systemtag} from {file}" : "TU noņēmi sistēmas atzīmi {systemtag} no {file}", + "You removed system tag {systemtag} from {file}" : "Tu noņēmi sistēmas atzīmi {systemtag} no {file}", "%1$s removed system tag %3$s from %2$s" : "%1$s noņēma sistēmas atzīmi %3$s no %2$s", "{actor} removed system tag {systemtag} from {file}" : "{actor} noņēma sistēmas atzīmi {systemtag} no {file}", "%s (restricted)" : "%s (ierobežots)", diff --git a/apps/theming/l10n/lv.js b/apps/theming/l10n/lv.js index 474c584bd53db..b4d012e5c6373 100644 --- a/apps/theming/l10n/lv.js +++ b/apps/theming/l10n/lv.js @@ -9,7 +9,7 @@ OC.L10N.register( "The given web address is too long" : "Norādītā adrese ir pārāk gara", "The given slogan is too long" : "Norādītais teiciens ir pārāk garšs", "The given color is invalid" : "Norādītā krāsa ir nederīga", - "No file uploaded" : "Nav augšupielādēta faila", + "No file uploaded" : "Nav augšupielādēta datne", "Unsupported image type" : "Neatbalstīts attēla tips", "You are already using a custom theme" : "Tu jau izmanto pielāgotu tēmu", "Theming" : "Dizains", diff --git a/apps/theming/l10n/lv.json b/apps/theming/l10n/lv.json index 2b38f8b5d5deb..3a2e29f8d88e1 100644 --- a/apps/theming/l10n/lv.json +++ b/apps/theming/l10n/lv.json @@ -7,7 +7,7 @@ "The given web address is too long" : "Norādītā adrese ir pārāk gara", "The given slogan is too long" : "Norādītais teiciens ir pārāk garšs", "The given color is invalid" : "Norādītā krāsa ir nederīga", - "No file uploaded" : "Nav augšupielādēta faila", + "No file uploaded" : "Nav augšupielādēta datne", "Unsupported image type" : "Neatbalstīts attēla tips", "You are already using a custom theme" : "Tu jau izmanto pielāgotu tēmu", "Theming" : "Dizains", diff --git a/apps/user_ldap/l10n/lt_LT.js b/apps/user_ldap/l10n/lt_LT.js index 8bfd3fb123d2a..e0fc8e171498e 100644 --- a/apps/user_ldap/l10n/lt_LT.js +++ b/apps/user_ldap/l10n/lt_LT.js @@ -158,15 +158,16 @@ OC.L10N.register( "Default password policy DN" : "Numatytų slaptažodžio taisyklių DN.", "The DN of a default password policy that will be used for password expiry handling. Works only when LDAP password changes per user are enabled and is only supported by OpenLDAP. Leave empty to disable password expiry handling." : "Numatytų slaptažodžio taisyklių DN, kuris bus naudojamas tvarkant slaptažodžio galiojimą. Veikia tik tada, kai yra įjungtas LDAP vartotojo slaptažodžio keitimas ir yra palaikomas tik OpenLDAP. Palikite tuščią, jei norite išjungti slaptažodžio galiojimo tvarkymą.", "Special Attributes" : "Specialūs atributai", - "Quota Field" : "Kvotos laukas", - "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Palikite tuščią, jei norite, kad galiotų numatytoji naudotojų kvota. Kitu atveju, nurodykite LDAP/AD atributą.", - "Quota Default" : "Numatyta kvota", + "Quota Field" : "Leidžiamo duomenų kiekio laukas", + "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Palikite tuščią, jei norite, kad galiotų numatytasis naudotojui leidžiamas duomenų kiekis. Kitu atveju, nurodykite LDAP/AD atributą.", + "Quota Default" : "Leidžiamo duomenų kiekio numatytoji reikšmė", + "Override default quota for LDAP users who do not have a quota set in the Quota Field." : "Nustelbti numatytąjį leidžiamą duomenų kiekį LDAP naudotojams, kurie leidžiamo duomenų kiekio lauke neturi nustatyto leidžiamo duomenų kiekio.", "Email Field" : "El. pašto laukas", "Set the user's email from their LDAP attribute. Leave it empty for default behaviour." : "Naudotojų el. paštą nustatykite pagal jų LDAP atributą. Palikite tuščią jei norite, kad veiktų pagal numatytuosius parametrus.", "User Home Folder Naming Rule" : "Naudotojo namų aplanko pavadinimo taisyklė", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Palikite tuščią naudotojo vardui (numatytoji reikšmė). Kitu atveju, nurodykite LDAP/AD atributą.", "Internal Username" : "Vidinis naudotojo vardas", - "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users." : "Pagal nutylėjimą vidinis naudotojo vardas bus sukurtas iš UUID atributo. Tai užtikrina naudotojo vardo unikalumą ir kad nereikia konvertuoti simbolių. Vidinis naudotojo vardas turi apribojimą, leidžiantį tik šiuos simbolius: [a-zA-Z0-9 _. @ -]. Kiti simboliai pakeičiami ASCII atitikmenimis arba tiesiog praleidžiami. Sutapimų konflikto atveju yra pridedamas/padidinamas skaičius. Vidinis naudotojo vardas naudojamas yra naudojamas identifikuoti naudotoją viduje. Tai kartu yra numatytasis vartotojo aplanko pavadinimas. Taip pat tai nuotolinių URL dalis, pavyzdžiui, visoms *DAV paslaugoms. Naudojant šį nustatymą, numatytoji elgsena gali būti panaikinta. Palikite tuščią, jei norite kad galiotų numatytąjį reikšmė. Pakeitimai įtakoja tik naujai priskirtiems (pridedamiems) LDAP vartotojams.", + "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users." : "Pagal numatymą vidinis naudotojo vardas bus sukurtas iš UUID atributo. Tai užtikrina naudotojo vardo unikalumą ir tuo pačiu nereikia konvertuoti simbolių. Vidinis naudotojo vardas turi apribojimą, leidžiantį tik šiuos simbolius: [ a-zA-Z0-9 _. @ - ]. Kiti simboliai pakeičiami ASCII atitikmenimis arba tiesiog praleidžiami. Sutapimų konflikto atveju yra pridedamas/padidinamas skaičius. Vidinis naudotojo vardas yra naudojamas identifikuoti naudotoją viduje. Tai kartu yra numatytasis naudotojo aplanko pavadinimas. Taip pat jis yra nuotolinių URL dalimi, pavyzdžiui, visoms *DAV paslaugoms. Naudojant šį nustatymą, numatytoji elgsena gali būti nustelbta. Palikite tuščią, jei norite kad galiotų numatytoji elgsena. Pakeitimai įsigalios tik naujai priskirtiems (pridėtiems) LDAP naudotojams.", "Internal Username Attribute:" : "Vidinis naudotojo vardo atributas:", "Override UUID detection" : "Perrašyti UUID aptikimą", "By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups." : "naudotojo vardasnaudotojo vardasPagal nutylėjimą, UUID atributas yra automatiškai aptinkamas. UUID atributas yra naudojamas identifikuoti LDAP vartotojus ir grupes. Taigi, vidinis naudotojo vardas bus sukurtas remiantis UUID, jei nenurodyta kitaip. Jūs galite pakeisti nustatymus ir perduoti pasirinktus atributus. Turite įsitikinti, kad jūsų pasirinktas atributas gali būti rastas tiek prie vartotojų, tiek prie grupių, ir yra unikalus. Jei norite, kad veiktų pagal numatytuosius parametrus, palikite tuščią. Pakeitimai turės įtakos tik naujai susietiems (pridedamiems) LDAP naudotojams ir grupėms.", diff --git a/apps/user_ldap/l10n/lt_LT.json b/apps/user_ldap/l10n/lt_LT.json index bcd52d00e1cdd..15a2f4529c971 100644 --- a/apps/user_ldap/l10n/lt_LT.json +++ b/apps/user_ldap/l10n/lt_LT.json @@ -156,15 +156,16 @@ "Default password policy DN" : "Numatytų slaptažodžio taisyklių DN.", "The DN of a default password policy that will be used for password expiry handling. Works only when LDAP password changes per user are enabled and is only supported by OpenLDAP. Leave empty to disable password expiry handling." : "Numatytų slaptažodžio taisyklių DN, kuris bus naudojamas tvarkant slaptažodžio galiojimą. Veikia tik tada, kai yra įjungtas LDAP vartotojo slaptažodžio keitimas ir yra palaikomas tik OpenLDAP. Palikite tuščią, jei norite išjungti slaptažodžio galiojimo tvarkymą.", "Special Attributes" : "Specialūs atributai", - "Quota Field" : "Kvotos laukas", - "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Palikite tuščią, jei norite, kad galiotų numatytoji naudotojų kvota. Kitu atveju, nurodykite LDAP/AD atributą.", - "Quota Default" : "Numatyta kvota", + "Quota Field" : "Leidžiamo duomenų kiekio laukas", + "Leave empty for user's default quota. Otherwise, specify an LDAP/AD attribute." : "Palikite tuščią, jei norite, kad galiotų numatytasis naudotojui leidžiamas duomenų kiekis. Kitu atveju, nurodykite LDAP/AD atributą.", + "Quota Default" : "Leidžiamo duomenų kiekio numatytoji reikšmė", + "Override default quota for LDAP users who do not have a quota set in the Quota Field." : "Nustelbti numatytąjį leidžiamą duomenų kiekį LDAP naudotojams, kurie leidžiamo duomenų kiekio lauke neturi nustatyto leidžiamo duomenų kiekio.", "Email Field" : "El. pašto laukas", "Set the user's email from their LDAP attribute. Leave it empty for default behaviour." : "Naudotojų el. paštą nustatykite pagal jų LDAP atributą. Palikite tuščią jei norite, kad veiktų pagal numatytuosius parametrus.", "User Home Folder Naming Rule" : "Naudotojo namų aplanko pavadinimo taisyklė", "Leave empty for user name (default). Otherwise, specify an LDAP/AD attribute." : "Palikite tuščią naudotojo vardui (numatytoji reikšmė). Kitu atveju, nurodykite LDAP/AD atributą.", "Internal Username" : "Vidinis naudotojo vardas", - "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users." : "Pagal nutylėjimą vidinis naudotojo vardas bus sukurtas iš UUID atributo. Tai užtikrina naudotojo vardo unikalumą ir kad nereikia konvertuoti simbolių. Vidinis naudotojo vardas turi apribojimą, leidžiantį tik šiuos simbolius: [a-zA-Z0-9 _. @ -]. Kiti simboliai pakeičiami ASCII atitikmenimis arba tiesiog praleidžiami. Sutapimų konflikto atveju yra pridedamas/padidinamas skaičius. Vidinis naudotojo vardas naudojamas yra naudojamas identifikuoti naudotoją viduje. Tai kartu yra numatytasis vartotojo aplanko pavadinimas. Taip pat tai nuotolinių URL dalis, pavyzdžiui, visoms *DAV paslaugoms. Naudojant šį nustatymą, numatytoji elgsena gali būti panaikinta. Palikite tuščią, jei norite kad galiotų numatytąjį reikšmė. Pakeitimai įtakoja tik naujai priskirtiems (pridedamiems) LDAP vartotojams.", + "By default the internal username will be created from the UUID attribute. It makes sure that the username is unique and characters do not need to be converted. The internal username has the restriction that only these characters are allowed: [ a-zA-Z0-9_.@- ]. Other characters are replaced with their ASCII correspondence or simply omitted. On collisions a number will be added/increased. The internal username is used to identify a user internally. It is also the default name for the user home folder. It is also a part of remote URLs, for instance for all *DAV services. With this setting, the default behavior can be overridden. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users." : "Pagal numatymą vidinis naudotojo vardas bus sukurtas iš UUID atributo. Tai užtikrina naudotojo vardo unikalumą ir tuo pačiu nereikia konvertuoti simbolių. Vidinis naudotojo vardas turi apribojimą, leidžiantį tik šiuos simbolius: [ a-zA-Z0-9 _. @ - ]. Kiti simboliai pakeičiami ASCII atitikmenimis arba tiesiog praleidžiami. Sutapimų konflikto atveju yra pridedamas/padidinamas skaičius. Vidinis naudotojo vardas yra naudojamas identifikuoti naudotoją viduje. Tai kartu yra numatytasis naudotojo aplanko pavadinimas. Taip pat jis yra nuotolinių URL dalimi, pavyzdžiui, visoms *DAV paslaugoms. Naudojant šį nustatymą, numatytoji elgsena gali būti nustelbta. Palikite tuščią, jei norite kad galiotų numatytoji elgsena. Pakeitimai įsigalios tik naujai priskirtiems (pridėtiems) LDAP naudotojams.", "Internal Username Attribute:" : "Vidinis naudotojo vardo atributas:", "Override UUID detection" : "Perrašyti UUID aptikimą", "By default, the UUID attribute is automatically detected. The UUID attribute is used to doubtlessly identify LDAP users and groups. Also, the internal username will be created based on the UUID, if not specified otherwise above. You can override the setting and pass an attribute of your choice. You must make sure that the attribute of your choice can be fetched for both users and groups and it is unique. Leave it empty for default behavior. Changes will have effect only on newly mapped (added) LDAP users and groups." : "naudotojo vardasnaudotojo vardasPagal nutylėjimą, UUID atributas yra automatiškai aptinkamas. UUID atributas yra naudojamas identifikuoti LDAP vartotojus ir grupes. Taigi, vidinis naudotojo vardas bus sukurtas remiantis UUID, jei nenurodyta kitaip. Jūs galite pakeisti nustatymus ir perduoti pasirinktus atributus. Turite įsitikinti, kad jūsų pasirinktas atributas gali būti rastas tiek prie vartotojų, tiek prie grupių, ir yra unikalus. Jei norite, kad veiktų pagal numatytuosius parametrus, palikite tuščią. Pakeitimai turės įtakos tik naujai susietiems (pridedamiems) LDAP naudotojams ir grupėms.", diff --git a/apps/workflowengine/l10n/lv.js b/apps/workflowengine/l10n/lv.js index 066d0254ac78f..01d92d143a378 100644 --- a/apps/workflowengine/l10n/lv.js +++ b/apps/workflowengine/l10n/lv.js @@ -3,13 +3,13 @@ OC.L10N.register( { "Saved" : "Saglabāts", "Saving failed:" : "Saglabāšana neizdevās:", - "File MIME type" : "Faila MIME tips", + "File MIME type" : "Datnes MIME tips", "is" : "ir", "is not" : "nav", "matches" : "atbilst", "does not match" : "neatbilst", "Example: {placeholder}" : "Piemērs: {placeholder}", - "File size (upload)" : "Faila lielums (augšupielādēt)", + "File size (upload)" : "Datnes lielums (augšupielādēt)", "less" : "mazāk", "less or equals" : "mazāks vai vienāds ar", "greater or equals" : "lielāks vai vienāds ar", @@ -31,7 +31,7 @@ OC.L10N.register( "Select timezone…" : "Izvēlieties laika joslu...", "Request URL" : "Pieprasījuma URL", "Predefined URLs" : "Standarta URLs", - "Files WebDAV" : "WebDAV faili", + "Files WebDAV" : "WebDAV datnes", "Request user agent" : "Nepieciešams lietotāja aģents", "Sync clients" : "Sync klients", "Android client" : "Android klients", diff --git a/apps/workflowengine/l10n/lv.json b/apps/workflowengine/l10n/lv.json index ad6792a57deea..31f589674c2e6 100644 --- a/apps/workflowengine/l10n/lv.json +++ b/apps/workflowengine/l10n/lv.json @@ -1,13 +1,13 @@ { "translations": { "Saved" : "Saglabāts", "Saving failed:" : "Saglabāšana neizdevās:", - "File MIME type" : "Faila MIME tips", + "File MIME type" : "Datnes MIME tips", "is" : "ir", "is not" : "nav", "matches" : "atbilst", "does not match" : "neatbilst", "Example: {placeholder}" : "Piemērs: {placeholder}", - "File size (upload)" : "Faila lielums (augšupielādēt)", + "File size (upload)" : "Datnes lielums (augšupielādēt)", "less" : "mazāk", "less or equals" : "mazāks vai vienāds ar", "greater or equals" : "lielāks vai vienāds ar", @@ -29,7 +29,7 @@ "Select timezone…" : "Izvēlieties laika joslu...", "Request URL" : "Pieprasījuma URL", "Predefined URLs" : "Standarta URLs", - "Files WebDAV" : "WebDAV faili", + "Files WebDAV" : "WebDAV datnes", "Request user agent" : "Nepieciešams lietotāja aģents", "Sync clients" : "Sync klients", "Android client" : "Android klients", diff --git a/core/l10n/ar.js b/core/l10n/ar.js new file mode 100644 index 0000000000000..73d9642160724 --- /dev/null +++ b/core/l10n/ar.js @@ -0,0 +1,202 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "يرجى تحديد ملف.", + "File is too big" : "الملف كبير جدا", + "The selected file is not an image." : "الملف المحدد ليس صورة ", + "The selected file cannot be read." : "الملف المحدد لا يمكن قرأته", + "Invalid file provided" : "تم تقديم ملف غير صالح", + "No image or file provided" : "لم يتم توفير صورة أو ملف", + "Unknown filetype" : "نوع الملف غير معروف", + "Invalid image" : "الصورة غير صالحة", + "An error occurred. Please contact your admin." : "حدث خطأ، يرجى مراجعة المسؤول.", + "No temporary profile picture available, try again" : "لا تتوفر صورة ملف شخصي مؤقتة، حاول مرة أخرى", + "Crop is not square" : "القص ليس مربعا", + "Password reset is disabled" : "تم تعطيل إعادة تعيين كلمة المرور", + "%s password reset" : "%s إعادة تعيين كلمة مرور ", + "Password reset" : "إعادة تعيين كلمة مرور", + "Reset your password" : "أعد تعيين كلمة المرور", + "Couldn't send reset email. Please contact your administrator." : "تعذر إرسال البريد الإلكتروني لإعادة التعيين. يرجى مراجعة المسؤول.", + "Couldn't send reset email. Please make sure your username is correct." : "تعذر إرسال البريد الإلكتروني لإعادة التعيين. الرجاء التأكد من صحة اسم المستخدم.", + "Preparing update" : "جارٍ تهيئة التحديث", + "[%d / %d]: %s" : "[%d/%d]: %s", + "Repair error: " : "خطأ في الإصلاح:", + "Turned on maintenance mode" : "تشغيل وضع الصيانة.", + "Turned off maintenance mode" : "تعطيل وضع الصيانة.", + "Updated database" : "قاعدة بيانات محدثة", + "Checking updates of apps" : "التحقق من تحديثات التطبيقات", + "Checking for update of app \"%s\" in appstore" : "التحقق من تحديثات التطبيقات \"%s\" في متجر التطبيقات", + "Update app \"%s\" from appstore" : "قم بتحديث التطبيق \"%s\" عن طريق متجر التطبيقات", + "Checked for update of app \"%s\" in appstore" : "التحقق من تحديثات التطبيقات \" %s \" في متجر التطبيقات", + "Already up to date" : "محدّثة مسبقاً", + "Show all contacts …" : "إظهار كافة المراسلين …", + "Loading your contacts …" : "تحميل جهات الاتصال", + "Looking for {term} …" : "جاري البحث عن {term}", + "No action available" : "لا يتوفر أي إجراء", + "Error fetching contact actions" : "حدث خطأ أثناء جلب إجراءات جهات الاتصال", + "Settings" : "الضبط", + "Connection to server lost" : "تم فقد الاتصال بالخادم", + "Saving..." : "جاري الحفظ...", + "Dismiss" : "تجاهل", + "This action requires you to confirm your password" : "يتطلب هذا الإجراء منك تأكيد كلمة المرور", + "Authentication required" : "المصادقة مطلوبة", + "Password" : "كلمة المرور", + "Cancel" : "الغاء", + "Confirm" : "تأكيد", + "Failed to authenticate, try again" : "أخفق المصادقة، أعد المحاولة", + "seconds ago" : "منذ ثواني", + "Logging in …" : "تسجيل الدخول …", + "I know what I'm doing" : "أعرف ماذا أفعل", + "Password can not be changed. Please contact your administrator." : "كلمة المرور لا يمكن تغييرها. فضلاً تحدث مع المسؤول", + "Reset password" : "تعديل كلمة السر", + "Sending email …" : "جارٍ إرسال البريد …", + "No" : "لا", + "Yes" : "نعم", + "No files in here" : "لا توجد ملفات هنا", + "Choose" : "اختيار", + "Copy" : "نسخ", + "Move" : "نقل", + "OK" : "موافق", + "read-only" : "قراءة فقط", + "New Files" : "ملفات جديدة", + "Already existing files" : "المفات موجودة مسبقاً", + "Which files do you want to keep?" : "ماهي الملفات التي ترغب في إبقاءها ؟", + "If you select both versions, the copied file will have a number added to its name." : "عند إختيار كلا النسختين. المف المنسوخ سيحتوي على رقم في إسمه.", + "Continue" : "المتابعة", + "(all selected)" : "(إختيار الكل)", + "Pending" : "معلّق", + "Copy to {folder}" : "أنسخ إلى {folder}", + "Move to {folder}" : "النقل إلى {folder}", + "Very weak password" : "كلمة السر ضعيفة جدا", + "Weak password" : "كلمة السر ضعيفة", + "Good password" : "كلمة السر جيدة", + "Strong password" : "كلمة السر قوية", + "Shared" : "مشارك", + "Shared with" : "تمت مشاركته مع", + "Shared by" : "شاركه", + "Error setting expiration date" : "حصل خطأ عند عملية تعيين تاريخ إنتهاء الصلاحية", + "Set expiration date" : "تعيين تاريخ إنتهاء الصلاحية", + "Expiration" : "إنتهاء", + "Expiration date" : "تاريخ إنتهاء الصلاحية", + "Choose a password for the public link" : "اختر كلمة مرور للرابط العام", + "Choose a password for the public link or press the \"Enter\" key" : "اختر كلمة مرور للرابط العام أو إضغط على زر \"Enter\"", + "Copied!" : "تم نسخه !", + "Not supported!" : "غير مدعوم !", + "Press ⌘-C to copy." : "إضغط C-⌘ للنسخ.", + "Press Ctrl-C to copy." : "للنسخ إضغط على CTRL+C.", + "Resharing is not allowed" : "لا يسمح بعملية إعادة المشاركة", + "Share to {name}" : "تمت مشاركته مع {name}", + "Share link" : "شارك الرابط", + "Link" : "الرابط", + "Password protect" : "حماية كلمة السر", + "Allow editing" : "السماح بالتعديلات", + "Email link to person" : "ارسل الرابط بالبريد الى صديق", + "Send" : "أرسل", + "Allow upload and editing" : "السماح بالرفع و التعديل", + "Read only" : "القراءة فقط", + "Shared with you and the group {group} by {owner}" : "شورك معك ومع المجموعة {group} من قبل {owner}", + "Shared with you by {owner}" : "شورك معك من قبل {owner}", + "group" : "مجموعة", + "remote" : "عن بعد", + "email" : "البريد الإلكتروني", + "shared by {sharer}" : "شارَكه {sharer}", + "Unshare" : "إلغاء مشاركة", + "Can reshare" : "يمكنه إعادة المشاركة", + "Can edit" : "يمكنه التغيير", + "Can create" : "يمكنه الإنشاء", + "Can change" : "يمكنه تعديله", + "Can delete" : "يمكنه الحذف", + "Access control" : "مراقبة النفاذ", + "Could not unshare" : "لا يمكن إلغاء المشاركة", + "Error while sharing" : "حصل خطأ عند عملية المشاركة", + "An error occurred. Please try again" : "طرأ هناك خطأ. الرجاء إعادة المحاولة", + "{sharee} (group)" : "{sharee} (group)", + "{sharee} (remote)" : "{sharee} (remote)", + "{sharee} (email)" : "{sharee} (email)", + "Share" : "شارك", + "Name or email address..." : "الإسم أو عنوان البريد الإلكتروني …", + "Name or federated cloud ID..." : "الإسم أو معرّف السحابة المتحدة …", + "Name..." : "التسمية …", + "Error" : "خطأ", + "restricted" : "مُقيَّد", + "invisible" : "مخفي", + "({scope})" : "({scope})", + "Delete" : "إلغاء", + "Rename" : "إعادة التسمية", + "No tags found" : "لم يُعثَر على أي وسم", + "unknown text" : "النص غير معروف", + "Hello world!" : "مرحبا بالعالم!", + "sunny" : "مشمس", + "Hello {name}" : "مرحبا {name}", + "new" : "جديد", + "_download %n file_::_download %n files_" : ["تنزيل %n ملف","تنزيل ملف واحد","تنزيل ملفين","تنزيل %n ملفات","تنزيل %n ملفات","تنزيل %n ملفات"], + "Update to {version}" : "التحديث إلى {version}", + "An error occurred." : "طرأ هناك خطأ.", + "Please reload the page." : "رجاء أعد تحميل الصفحة.", + "Continue to Nextcloud" : "المواصلة إلى ناكست كلاود", + "Searching other places" : "البحث في أماكن أخرى", + "Personal" : "شخصي", + "Users" : "المستخدمين", + "Apps" : "التطبيقات", + "Admin" : "المدير", + "Help" : "المساعدة", + "Access forbidden" : "التوصّل محظور", + "File not found" : "لم يتم العثور على الملف", + "Technical details" : "تفاصيل تقنية", + "Remote Address: %s" : "العنوان البعدي : %s", + "Type: %s" : "النوع : %s", + "Code: %s" : "الرمز : %s", + "Message: %s" : "الرسالة : %s", + "File: %s" : "ملف : %s", + "Line: %s" : "السطر: %s", + "Security warning" : "تحذير الأمان", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "مجلدات البيانات والملفات الخاصة قد تكون قابلة للوصول اليها عن طريق شبكة الانترنت وذلك بسبب ان ملف .htaccess لا يعمل بشكل صحيح.", + "Create an admin account" : "أضف
مستخدم رئيسي ", + "Username" : "إسم المستخدم", + "Storage & database" : "التخزين و قاعدة البيانات", + "Data folder" : "مجلد المعلومات", + "Configure the database" : "أسس قاعدة البيانات", + "Only %s is available." : "لم يتبقى إلّا %s.", + "For more details check out the documentation." : "للمزيد من التفاصيل، يرجى الإطلاع على الدليل.", + "Database user" : "مستخدم قاعدة البيانات", + "Database password" : "كلمة سر مستخدم قاعدة البيانات", + "Database name" : "إسم قاعدة البيانات", + "Database tablespace" : "مساحة جدول قاعدة البيانات", + "Database host" : "خادم قاعدة البيانات", + "Performance warning" : "تحذير حول الأداء", + "Finish setup" : "انهاء التعديلات", + "Finishing …" : "إنهاء …", + "Need help?" : "محتاج مساعدة؟", + "See the documentation" : "اطلع على التعليمات", + "More apps" : "المزيد من التطبيقات", + "Search" : "البحث", + "Reset search" : "إعادة تعيين البحث", + "Confirm your password" : "تأكيد كلمتك السرية", + "Username or email" : "اسم المستخدم أو البريد الالكتروني", + "Log in" : "أدخل", + "Wrong password." : "كلمة السر خاطئة.", + "Forgot password?" : "هل نسيت كلمة السر ؟", + "Back to log in" : "العودة إلى تسجيل الدخول", + "Alternative Logins" : "اسماء دخول بديلة", + "Account access" : "حساب النفاذ", + "Grant access" : "السماح بالنفاذ", + "Redirecting …" : "عملية التحويل جارية …", + "New password" : "كلمات سر جديدة", + "New Password" : "كلمة السر الجديدة", + "Two-factor authentication" : "المصادقة بخطوتين", + "Cancel log in" : "إلغاء تسجيل الدخول", + "Use backup code" : "إستخدم الرمز الإحتياطي", + "Add \"%s\" as trusted domain" : "إضافة \"%s\" كنطاق موثوق فيه", + "App update required" : "تحديث التطبيق مطلوب", + "These apps will be updated:" : "سوف يتم تحديث هذه التطبيقات :", + "Start update" : "تشغيل التحديث", + "Detailed logs" : "السجلات المفصلة", + "Update needed" : "التحديث مطلوب", + "For help, see the documentation." : "للمساعدة يُرجى الإطلاع على الدليل.", + "Thank you for your patience." : "شكرا لك على صبرك.", + "Shared with {recipients}" : "تمت مشاركته مع {recipients}", + "This action requires you to confirm your password:" : "يتطلب منك هذا الإجراء تأكيد كلمة المرور :", + "Wrong password. Reset it?" : "كلمة السر خاطئة. هل تريد إعادة تعيينها ؟", + "For help, see the documentation." : "للمساعدة يُرجى الإطلاع على الدليل." +}, +"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/core/l10n/ar.json b/core/l10n/ar.json new file mode 100644 index 0000000000000..59af4cfbf8ec2 --- /dev/null +++ b/core/l10n/ar.json @@ -0,0 +1,200 @@ +{ "translations": { + "Please select a file." : "يرجى تحديد ملف.", + "File is too big" : "الملف كبير جدا", + "The selected file is not an image." : "الملف المحدد ليس صورة ", + "The selected file cannot be read." : "الملف المحدد لا يمكن قرأته", + "Invalid file provided" : "تم تقديم ملف غير صالح", + "No image or file provided" : "لم يتم توفير صورة أو ملف", + "Unknown filetype" : "نوع الملف غير معروف", + "Invalid image" : "الصورة غير صالحة", + "An error occurred. Please contact your admin." : "حدث خطأ، يرجى مراجعة المسؤول.", + "No temporary profile picture available, try again" : "لا تتوفر صورة ملف شخصي مؤقتة، حاول مرة أخرى", + "Crop is not square" : "القص ليس مربعا", + "Password reset is disabled" : "تم تعطيل إعادة تعيين كلمة المرور", + "%s password reset" : "%s إعادة تعيين كلمة مرور ", + "Password reset" : "إعادة تعيين كلمة مرور", + "Reset your password" : "أعد تعيين كلمة المرور", + "Couldn't send reset email. Please contact your administrator." : "تعذر إرسال البريد الإلكتروني لإعادة التعيين. يرجى مراجعة المسؤول.", + "Couldn't send reset email. Please make sure your username is correct." : "تعذر إرسال البريد الإلكتروني لإعادة التعيين. الرجاء التأكد من صحة اسم المستخدم.", + "Preparing update" : "جارٍ تهيئة التحديث", + "[%d / %d]: %s" : "[%d/%d]: %s", + "Repair error: " : "خطأ في الإصلاح:", + "Turned on maintenance mode" : "تشغيل وضع الصيانة.", + "Turned off maintenance mode" : "تعطيل وضع الصيانة.", + "Updated database" : "قاعدة بيانات محدثة", + "Checking updates of apps" : "التحقق من تحديثات التطبيقات", + "Checking for update of app \"%s\" in appstore" : "التحقق من تحديثات التطبيقات \"%s\" في متجر التطبيقات", + "Update app \"%s\" from appstore" : "قم بتحديث التطبيق \"%s\" عن طريق متجر التطبيقات", + "Checked for update of app \"%s\" in appstore" : "التحقق من تحديثات التطبيقات \" %s \" في متجر التطبيقات", + "Already up to date" : "محدّثة مسبقاً", + "Show all contacts …" : "إظهار كافة المراسلين …", + "Loading your contacts …" : "تحميل جهات الاتصال", + "Looking for {term} …" : "جاري البحث عن {term}", + "No action available" : "لا يتوفر أي إجراء", + "Error fetching contact actions" : "حدث خطأ أثناء جلب إجراءات جهات الاتصال", + "Settings" : "الضبط", + "Connection to server lost" : "تم فقد الاتصال بالخادم", + "Saving..." : "جاري الحفظ...", + "Dismiss" : "تجاهل", + "This action requires you to confirm your password" : "يتطلب هذا الإجراء منك تأكيد كلمة المرور", + "Authentication required" : "المصادقة مطلوبة", + "Password" : "كلمة المرور", + "Cancel" : "الغاء", + "Confirm" : "تأكيد", + "Failed to authenticate, try again" : "أخفق المصادقة، أعد المحاولة", + "seconds ago" : "منذ ثواني", + "Logging in …" : "تسجيل الدخول …", + "I know what I'm doing" : "أعرف ماذا أفعل", + "Password can not be changed. Please contact your administrator." : "كلمة المرور لا يمكن تغييرها. فضلاً تحدث مع المسؤول", + "Reset password" : "تعديل كلمة السر", + "Sending email …" : "جارٍ إرسال البريد …", + "No" : "لا", + "Yes" : "نعم", + "No files in here" : "لا توجد ملفات هنا", + "Choose" : "اختيار", + "Copy" : "نسخ", + "Move" : "نقل", + "OK" : "موافق", + "read-only" : "قراءة فقط", + "New Files" : "ملفات جديدة", + "Already existing files" : "المفات موجودة مسبقاً", + "Which files do you want to keep?" : "ماهي الملفات التي ترغب في إبقاءها ؟", + "If you select both versions, the copied file will have a number added to its name." : "عند إختيار كلا النسختين. المف المنسوخ سيحتوي على رقم في إسمه.", + "Continue" : "المتابعة", + "(all selected)" : "(إختيار الكل)", + "Pending" : "معلّق", + "Copy to {folder}" : "أنسخ إلى {folder}", + "Move to {folder}" : "النقل إلى {folder}", + "Very weak password" : "كلمة السر ضعيفة جدا", + "Weak password" : "كلمة السر ضعيفة", + "Good password" : "كلمة السر جيدة", + "Strong password" : "كلمة السر قوية", + "Shared" : "مشارك", + "Shared with" : "تمت مشاركته مع", + "Shared by" : "شاركه", + "Error setting expiration date" : "حصل خطأ عند عملية تعيين تاريخ إنتهاء الصلاحية", + "Set expiration date" : "تعيين تاريخ إنتهاء الصلاحية", + "Expiration" : "إنتهاء", + "Expiration date" : "تاريخ إنتهاء الصلاحية", + "Choose a password for the public link" : "اختر كلمة مرور للرابط العام", + "Choose a password for the public link or press the \"Enter\" key" : "اختر كلمة مرور للرابط العام أو إضغط على زر \"Enter\"", + "Copied!" : "تم نسخه !", + "Not supported!" : "غير مدعوم !", + "Press ⌘-C to copy." : "إضغط C-⌘ للنسخ.", + "Press Ctrl-C to copy." : "للنسخ إضغط على CTRL+C.", + "Resharing is not allowed" : "لا يسمح بعملية إعادة المشاركة", + "Share to {name}" : "تمت مشاركته مع {name}", + "Share link" : "شارك الرابط", + "Link" : "الرابط", + "Password protect" : "حماية كلمة السر", + "Allow editing" : "السماح بالتعديلات", + "Email link to person" : "ارسل الرابط بالبريد الى صديق", + "Send" : "أرسل", + "Allow upload and editing" : "السماح بالرفع و التعديل", + "Read only" : "القراءة فقط", + "Shared with you and the group {group} by {owner}" : "شورك معك ومع المجموعة {group} من قبل {owner}", + "Shared with you by {owner}" : "شورك معك من قبل {owner}", + "group" : "مجموعة", + "remote" : "عن بعد", + "email" : "البريد الإلكتروني", + "shared by {sharer}" : "شارَكه {sharer}", + "Unshare" : "إلغاء مشاركة", + "Can reshare" : "يمكنه إعادة المشاركة", + "Can edit" : "يمكنه التغيير", + "Can create" : "يمكنه الإنشاء", + "Can change" : "يمكنه تعديله", + "Can delete" : "يمكنه الحذف", + "Access control" : "مراقبة النفاذ", + "Could not unshare" : "لا يمكن إلغاء المشاركة", + "Error while sharing" : "حصل خطأ عند عملية المشاركة", + "An error occurred. Please try again" : "طرأ هناك خطأ. الرجاء إعادة المحاولة", + "{sharee} (group)" : "{sharee} (group)", + "{sharee} (remote)" : "{sharee} (remote)", + "{sharee} (email)" : "{sharee} (email)", + "Share" : "شارك", + "Name or email address..." : "الإسم أو عنوان البريد الإلكتروني …", + "Name or federated cloud ID..." : "الإسم أو معرّف السحابة المتحدة …", + "Name..." : "التسمية …", + "Error" : "خطأ", + "restricted" : "مُقيَّد", + "invisible" : "مخفي", + "({scope})" : "({scope})", + "Delete" : "إلغاء", + "Rename" : "إعادة التسمية", + "No tags found" : "لم يُعثَر على أي وسم", + "unknown text" : "النص غير معروف", + "Hello world!" : "مرحبا بالعالم!", + "sunny" : "مشمس", + "Hello {name}" : "مرحبا {name}", + "new" : "جديد", + "_download %n file_::_download %n files_" : ["تنزيل %n ملف","تنزيل ملف واحد","تنزيل ملفين","تنزيل %n ملفات","تنزيل %n ملفات","تنزيل %n ملفات"], + "Update to {version}" : "التحديث إلى {version}", + "An error occurred." : "طرأ هناك خطأ.", + "Please reload the page." : "رجاء أعد تحميل الصفحة.", + "Continue to Nextcloud" : "المواصلة إلى ناكست كلاود", + "Searching other places" : "البحث في أماكن أخرى", + "Personal" : "شخصي", + "Users" : "المستخدمين", + "Apps" : "التطبيقات", + "Admin" : "المدير", + "Help" : "المساعدة", + "Access forbidden" : "التوصّل محظور", + "File not found" : "لم يتم العثور على الملف", + "Technical details" : "تفاصيل تقنية", + "Remote Address: %s" : "العنوان البعدي : %s", + "Type: %s" : "النوع : %s", + "Code: %s" : "الرمز : %s", + "Message: %s" : "الرسالة : %s", + "File: %s" : "ملف : %s", + "Line: %s" : "السطر: %s", + "Security warning" : "تحذير الأمان", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "مجلدات البيانات والملفات الخاصة قد تكون قابلة للوصول اليها عن طريق شبكة الانترنت وذلك بسبب ان ملف .htaccess لا يعمل بشكل صحيح.", + "Create an admin account" : "أضف مستخدم رئيسي ", + "Username" : "إسم المستخدم", + "Storage & database" : "التخزين و قاعدة البيانات", + "Data folder" : "مجلد المعلومات", + "Configure the database" : "أسس قاعدة البيانات", + "Only %s is available." : "لم يتبقى إلّا %s.", + "For more details check out the documentation." : "للمزيد من التفاصيل، يرجى الإطلاع على الدليل.", + "Database user" : "مستخدم قاعدة البيانات", + "Database password" : "كلمة سر مستخدم قاعدة البيانات", + "Database name" : "إسم قاعدة البيانات", + "Database tablespace" : "مساحة جدول قاعدة البيانات", + "Database host" : "خادم قاعدة البيانات", + "Performance warning" : "تحذير حول الأداء", + "Finish setup" : "انهاء التعديلات", + "Finishing …" : "إنهاء …", + "Need help?" : "محتاج مساعدة؟", + "See the documentation" : "اطلع على التعليمات", + "More apps" : "المزيد من التطبيقات", + "Search" : "البحث", + "Reset search" : "إعادة تعيين البحث", + "Confirm your password" : "تأكيد كلمتك السرية", + "Username or email" : "اسم المستخدم أو البريد الالكتروني", + "Log in" : "أدخل", + "Wrong password." : "كلمة السر خاطئة.", + "Forgot password?" : "هل نسيت كلمة السر ؟", + "Back to log in" : "العودة إلى تسجيل الدخول", + "Alternative Logins" : "اسماء دخول بديلة", + "Account access" : "حساب النفاذ", + "Grant access" : "السماح بالنفاذ", + "Redirecting …" : "عملية التحويل جارية …", + "New password" : "كلمات سر جديدة", + "New Password" : "كلمة السر الجديدة", + "Two-factor authentication" : "المصادقة بخطوتين", + "Cancel log in" : "إلغاء تسجيل الدخول", + "Use backup code" : "إستخدم الرمز الإحتياطي", + "Add \"%s\" as trusted domain" : "إضافة \"%s\" كنطاق موثوق فيه", + "App update required" : "تحديث التطبيق مطلوب", + "These apps will be updated:" : "سوف يتم تحديث هذه التطبيقات :", + "Start update" : "تشغيل التحديث", + "Detailed logs" : "السجلات المفصلة", + "Update needed" : "التحديث مطلوب", + "For help, see the documentation." : "للمساعدة يُرجى الإطلاع على الدليل.", + "Thank you for your patience." : "شكرا لك على صبرك.", + "Shared with {recipients}" : "تمت مشاركته مع {recipients}", + "This action requires you to confirm your password:" : "يتطلب منك هذا الإجراء تأكيد كلمة المرور :", + "Wrong password. Reset it?" : "كلمة السر خاطئة. هل تريد إعادة تعيينها ؟", + "For help, see the documentation." : "للمساعدة يُرجى الإطلاع على الدليل." +},"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" +} \ No newline at end of file diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index 1c8e7088c2dfd..bcd14c072cd86 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Pažįstamų asmenų paieška...", "No contacts found" : "Pažįstamų asmenų nerasta", "Show all contacts …" : "Rodyti visus pažįstamus asmenis...", + "Could not load your contacts" : "Nepavyko įkelti jūsų kontaktų", "Loading your contacts …" : "Kraunami informacija apie pažįstamus asmenis", "Looking for {term} …" : "Ieškoma {term} ...", "There were problems with the code integrity check. More information…" : "Buvo problemų su kodo vientisumo patikrinimu. Daugiau informacijos…", @@ -294,6 +295,8 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s egzempliorius šiuo metu yra techninės priežiūros veiksenoje, kas savo ruožtu gali šiek tiek užtrukti.", "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", - "Thank you for your patience." : "Dėkojame už jūsų kantrumą." + "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", + "Wrong password. Reset it?" : "Neteisingas slaptažodis. Atstatyti jį?", + "You are about to grant \"%s\" access to your %s account." : "Ketinate suteikti \"%s\" prieigą prie savo %s paskyros." }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 78e151f0b911d..53d40379e7c2b 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -54,6 +54,7 @@ "Search contacts …" : "Pažįstamų asmenų paieška...", "No contacts found" : "Pažįstamų asmenų nerasta", "Show all contacts …" : "Rodyti visus pažįstamus asmenis...", + "Could not load your contacts" : "Nepavyko įkelti jūsų kontaktų", "Loading your contacts …" : "Kraunami informacija apie pažįstamus asmenis", "Looking for {term} …" : "Ieškoma {term} ...", "There were problems with the code integrity check. More information…" : "Buvo problemų su kodo vientisumo patikrinimu. Daugiau informacijos…", @@ -292,6 +293,8 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Šis %s egzempliorius šiuo metu yra techninės priežiūros veiksenoje, kas savo ruožtu gali šiek tiek užtrukti.", "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", - "Thank you for your patience." : "Dėkojame už jūsų kantrumą." + "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", + "Wrong password. Reset it?" : "Neteisingas slaptažodis. Atstatyti jį?", + "You are about to grant \"%s\" access to your %s account." : "Ketinate suteikti \"%s\" prieigą prie savo %s paskyros." },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/core/l10n/lv.js b/core/l10n/lv.js index 1db9f05839ce9..5931476767866 100644 --- a/core/l10n/lv.js +++ b/core/l10n/lv.js @@ -1,10 +1,10 @@ OC.L10N.register( "core", { - "Please select a file." : "Lūdzu izvēlies failu.", + "Please select a file." : "Lūdzu izvēlies datni.", "File is too big" : "Datne ir par lielu", - "The selected file is not an image." : "Atlasītais fails nav attēls.", - "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", + "The selected file is not an image." : "Atlasītā datne nav attēls.", + "The selected file cannot be read." : "Atlasīto datni nevar nolasīt.", "Invalid file provided" : "Norādīta nederīga datne", "No image or file provided" : "Nav norādīts attēls vai datne", "Unknown filetype" : "Nezināms datnes tips", diff --git a/core/l10n/lv.json b/core/l10n/lv.json index 18b944abb66d5..1fefe08c15fea 100644 --- a/core/l10n/lv.json +++ b/core/l10n/lv.json @@ -1,8 +1,8 @@ { "translations": { - "Please select a file." : "Lūdzu izvēlies failu.", + "Please select a file." : "Lūdzu izvēlies datni.", "File is too big" : "Datne ir par lielu", - "The selected file is not an image." : "Atlasītais fails nav attēls.", - "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", + "The selected file is not an image." : "Atlasītā datne nav attēls.", + "The selected file cannot be read." : "Atlasīto datni nevar nolasīt.", "Invalid file provided" : "Norādīta nederīga datne", "No image or file provided" : "Nav norādīts attēls vai datne", "Unknown filetype" : "Nezināms datnes tips", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 866661e23dfe4..7cfb8b4cd932c 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -328,6 +328,7 @@ OC.L10N.register( "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Neem alstublieft contact op met de serverbeheerder als deze foutmelding meerdere keren terugkomt, en neem onderstaande technische details hierin op. ", "This action requires you to confirm your password:" : "Deze actie moet je met je wachtwoord bevestigen:", "Wrong password. Reset it?" : "Onjuist wachtwoord. Wachtwoord resetten?", - "You are accessing the server from an untrusted domain." : "Je benadert de server van een niet-vertrouwd domein." + "You are accessing the server from an untrusted domain." : "Je benadert de server van een niet-vertrouwd domein.", + "For help, see the documentation." : "Voor hulp, zie de documentatie." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 42cfbd0112097..96e5382990123 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -326,6 +326,7 @@ "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Neem alstublieft contact op met de serverbeheerder als deze foutmelding meerdere keren terugkomt, en neem onderstaande technische details hierin op. ", "This action requires you to confirm your password:" : "Deze actie moet je met je wachtwoord bevestigen:", "Wrong password. Reset it?" : "Onjuist wachtwoord. Wachtwoord resetten?", - "You are accessing the server from an untrusted domain." : "Je benadert de server van een niet-vertrouwd domein." + "You are accessing the server from an untrusted domain." : "Je benadert de server van een niet-vertrouwd domein.", + "For help, see the documentation." : "Voor hulp, zie de documentatie." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 5da8e5103c54e..beb91ad88d651 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -315,6 +315,14 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Этот сервер %s находится в режиме технического обслуживания, которое может занять некоторое время.", "This page will refresh itself when the %s instance is available again." : "Эта страница обновится автоматически когда сервер %s снова станет доступен.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", - "Thank you for your patience." : "Спасибо за терпение." + "Thank you for your patience." : "Спасибо за терпение.", + "%s (3rdparty)" : "%s (стороннее)", + "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш веб-сервер ещё не настроен должным образом для синхронизации файлов — интерфейс WebDAV, кажется, испорчен.", + "Shared with {recipients}" : "Вы поделились с {recipients}", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Пожалуйста, свяжитесь с администратором сервера если эта ошибка будет повторяться. Прикрепите указанную ниже техническую информацию к своему сообщению.", + "This action requires you to confirm your password:" : "Это действие требует подтверждения вашего пароля:", + "Wrong password. Reset it?" : "Неверный пароль. Сбросить его?", + "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена." }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/core/l10n/ru.json b/core/l10n/ru.json index 9fb9c4643b34d..a51f69d1243d6 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -313,6 +313,14 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Этот сервер %s находится в режиме технического обслуживания, которое может занять некоторое время.", "This page will refresh itself when the %s instance is available again." : "Эта страница обновится автоматически когда сервер %s снова станет доступен.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", - "Thank you for your patience." : "Спасибо за терпение." + "Thank you for your patience." : "Спасибо за терпение.", + "%s (3rdparty)" : "%s (стороннее)", + "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш веб-сервер ещё не настроен должным образом для синхронизации файлов — интерфейс WebDAV, кажется, испорчен.", + "Shared with {recipients}" : "Вы поделились с {recipients}", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Пожалуйста, свяжитесь с администратором сервера если эта ошибка будет повторяться. Прикрепите указанную ниже техническую информацию к своему сообщению.", + "This action requires you to confirm your password:" : "Это действие требует подтверждения вашего пароля:", + "Wrong password. Reset it?" : "Неверный пароль. Сбросить его?", + "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена." },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/lib/l10n/ar.js b/lib/l10n/ar.js index d5c3652f6d0cb..1cfe6fa1ce2ad 100644 --- a/lib/l10n/ar.js +++ b/lib/l10n/ar.js @@ -21,23 +21,41 @@ OC.L10N.register( "The library %s is not available." : "مكتبة %s غير متوفرة.", "Unknown filetype" : "نوع الملف غير معروف", "Invalid image" : "الصورة غير صالحة", + "Avatar image is not square" : "الصورة الرمزية ليست على شكل مربّع", "today" : "اليوم", + "tomorrow" : "غدًا", "yesterday" : "يوم أمس", "_%n day ago_::_%n days ago_" : ["قبل ساعات","قبل يوم","قبل يومين","قبل %n يوماً","قبل %n يوماً","قبل %n يوماً"], + "next month" : "الشهر القادم", "last month" : "الشهر الماضي", "_%n month ago_::_%n months ago_" : ["قبل عدة أيام","قبل شهر","قبل شهرين","قبل %n شهراً","قبل %n شهراً","قبل %n شهراً"], + "next year" : "العام القادم", "last year" : "السنةالماضية", + "in a few seconds" : "خلال بضع ثواني", "seconds ago" : "منذ ثواني", "File name is a reserved word" : "اسم الملف كلمة محجوزة", "File name contains at least one invalid character" : "اسم الملف به ، على الأقل ، حرف غير صالح", "File name is too long" : "اسم الملف طويل جداً", "Empty filename is not allowed" : "لا يسمح بأسماء فارغة للملفات", + "Help" : "المساعدة", "Apps" : "التطبيقات", + "Settings" : "الإعدادات", + "Log out" : "الخروج", "Users" : "المستخدمين", "Unknown user" : "المستخدم غير معروف", "Basic settings" : "الإعدادات الأساسية", + "Sharing" : "المشاركة", + "Security" : "الأمان", + "Encryption" : "التعمية", "Additional settings" : "الإعدادات المتقدمة", + "Tips & tricks" : "نصائح و تلميحات", + "Personal info" : "المعلومات الشخصية", + "Sync clients" : "مزامنة العملاء", + "Unlimited" : "غير محدود", "__language_name__" : "اللغة العربية", + "Verifying" : "التحقق", + "Verifying …" : "عملية التحقق جارية …", + "Verify" : "التحقق", "%s enter the database username and name." : "%s أدخِل اسم قاعدة البيانات واسم مستخدمها.", "%s enter the database username." : "%s ادخل اسم المستخدم الخاص بقاعدة البيانات.", "%s enter the database name." : "%s ادخل اسم فاعدة البيانات", @@ -58,13 +76,67 @@ OC.L10N.register( "Sharing %s failed, because the user %s does not exist" : "فشلت مشاركة %s لأن المستخدم %s غير موجود", "Share type %s is not valid for %s" : "مشاركة النوع %s غير صالحة لـ %s", "%s shared »%s« with you" : "%s شارك »%s« معك", + "Click the button below to open it." : "أنقر على الزر أدناه لفتحه.", "%s via %s" : "%s عبر %s", "Could not find category \"%s\"" : "تعذر العثور على المجلد \"%s\"", + "Sunday" : "الأحد", + "Monday" : "الإثنين", + "Tuesday" : "الثلاثاء", + "Wednesday" : "الأربعاء", + "Thursday" : "الخميس", + "Friday" : "الجمعة", + "Saturday" : "السبت", + "Sun." : "أح.", + "Mon." : "إث.", + "Tue." : "ثلا.", + "Wed." : "أر.", + "Thu." : "خم.", + "Fri." : "جم.", + "Sat." : "سب.", + "Su" : "أح", + "Mo" : "إث", + "Tu" : "ثلا", + "We" : "أر", + "Th" : "خم", + "Fr" : "جم", + "Sa" : "سب", + "January" : "جانفي", + "February" : "فيفري", + "March" : "مارس", + "April" : "أفريل", + "May" : "ماي", + "June" : "جوان", + "July" : "جويلية", + "August" : "أوت", + "September" : "سبتمبر", + "October" : "أكتوبر", + "November" : "نوفمبر", + "December" : "ديسمبر", + "Jan." : "جان.", + "Feb." : "فيف.", + "Mar." : "مار.", + "Apr." : "أفر.", + "May." : "ماي", + "Jun." : "جوا.", + "Jul." : "جوي.", + "Aug." : "أوت", + "Sep." : "سبت.", + "Oct." : "أكت.", + "Nov." : "نوف.", + "Dec." : "ديس.", "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", + "Username contains whitespace at the beginning or at the end" : "إنّ إسم المستخدم يحتوي على مسافة بيضاء سواءا في البداية أو النهاية", "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "Could not create user" : "لا يمكن إنشاء المستخدم", + "User disabled" : "المستخدم معطّل", + "Login canceled by app" : "تم إلغاء الدخول مِن طرف التطبيق", "a safe home for all your data" : "المكان الآمن لجميع بياناتك", + "File is currently busy, please try again later" : "إنّ الملف مشغول الآمن، يرجى إعادة المحاولة لاحقًا", + "Can't read file" : "لا يمكن قراءة الملف", "Application is not enabled" : "التطبيق غير مفعّل", "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", - "Token expired. Please reload page." : "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة" + "Token expired. Please reload page." : "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة", + "Personal" : "الحساب الشخصي", + "Admin" : "المدير" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/lib/l10n/ar.json b/lib/l10n/ar.json index 7c8b3f37ac19e..386a516e0a6d5 100644 --- a/lib/l10n/ar.json +++ b/lib/l10n/ar.json @@ -19,23 +19,41 @@ "The library %s is not available." : "مكتبة %s غير متوفرة.", "Unknown filetype" : "نوع الملف غير معروف", "Invalid image" : "الصورة غير صالحة", + "Avatar image is not square" : "الصورة الرمزية ليست على شكل مربّع", "today" : "اليوم", + "tomorrow" : "غدًا", "yesterday" : "يوم أمس", "_%n day ago_::_%n days ago_" : ["قبل ساعات","قبل يوم","قبل يومين","قبل %n يوماً","قبل %n يوماً","قبل %n يوماً"], + "next month" : "الشهر القادم", "last month" : "الشهر الماضي", "_%n month ago_::_%n months ago_" : ["قبل عدة أيام","قبل شهر","قبل شهرين","قبل %n شهراً","قبل %n شهراً","قبل %n شهراً"], + "next year" : "العام القادم", "last year" : "السنةالماضية", + "in a few seconds" : "خلال بضع ثواني", "seconds ago" : "منذ ثواني", "File name is a reserved word" : "اسم الملف كلمة محجوزة", "File name contains at least one invalid character" : "اسم الملف به ، على الأقل ، حرف غير صالح", "File name is too long" : "اسم الملف طويل جداً", "Empty filename is not allowed" : "لا يسمح بأسماء فارغة للملفات", + "Help" : "المساعدة", "Apps" : "التطبيقات", + "Settings" : "الإعدادات", + "Log out" : "الخروج", "Users" : "المستخدمين", "Unknown user" : "المستخدم غير معروف", "Basic settings" : "الإعدادات الأساسية", + "Sharing" : "المشاركة", + "Security" : "الأمان", + "Encryption" : "التعمية", "Additional settings" : "الإعدادات المتقدمة", + "Tips & tricks" : "نصائح و تلميحات", + "Personal info" : "المعلومات الشخصية", + "Sync clients" : "مزامنة العملاء", + "Unlimited" : "غير محدود", "__language_name__" : "اللغة العربية", + "Verifying" : "التحقق", + "Verifying …" : "عملية التحقق جارية …", + "Verify" : "التحقق", "%s enter the database username and name." : "%s أدخِل اسم قاعدة البيانات واسم مستخدمها.", "%s enter the database username." : "%s ادخل اسم المستخدم الخاص بقاعدة البيانات.", "%s enter the database name." : "%s ادخل اسم فاعدة البيانات", @@ -56,13 +74,67 @@ "Sharing %s failed, because the user %s does not exist" : "فشلت مشاركة %s لأن المستخدم %s غير موجود", "Share type %s is not valid for %s" : "مشاركة النوع %s غير صالحة لـ %s", "%s shared »%s« with you" : "%s شارك »%s« معك", + "Click the button below to open it." : "أنقر على الزر أدناه لفتحه.", "%s via %s" : "%s عبر %s", "Could not find category \"%s\"" : "تعذر العثور على المجلد \"%s\"", + "Sunday" : "الأحد", + "Monday" : "الإثنين", + "Tuesday" : "الثلاثاء", + "Wednesday" : "الأربعاء", + "Thursday" : "الخميس", + "Friday" : "الجمعة", + "Saturday" : "السبت", + "Sun." : "أح.", + "Mon." : "إث.", + "Tue." : "ثلا.", + "Wed." : "أر.", + "Thu." : "خم.", + "Fri." : "جم.", + "Sat." : "سب.", + "Su" : "أح", + "Mo" : "إث", + "Tu" : "ثلا", + "We" : "أر", + "Th" : "خم", + "Fr" : "جم", + "Sa" : "سب", + "January" : "جانفي", + "February" : "فيفري", + "March" : "مارس", + "April" : "أفريل", + "May" : "ماي", + "June" : "جوان", + "July" : "جويلية", + "August" : "أوت", + "September" : "سبتمبر", + "October" : "أكتوبر", + "November" : "نوفمبر", + "December" : "ديسمبر", + "Jan." : "جان.", + "Feb." : "فيف.", + "Mar." : "مار.", + "Apr." : "أفر.", + "May." : "ماي", + "Jun." : "جوا.", + "Jul." : "جوي.", + "Aug." : "أوت", + "Sep." : "سبت.", + "Oct." : "أكت.", + "Nov." : "نوف.", + "Dec." : "ديس.", "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", + "Username contains whitespace at the beginning or at the end" : "إنّ إسم المستخدم يحتوي على مسافة بيضاء سواءا في البداية أو النهاية", "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "Could not create user" : "لا يمكن إنشاء المستخدم", + "User disabled" : "المستخدم معطّل", + "Login canceled by app" : "تم إلغاء الدخول مِن طرف التطبيق", "a safe home for all your data" : "المكان الآمن لجميع بياناتك", + "File is currently busy, please try again later" : "إنّ الملف مشغول الآمن، يرجى إعادة المحاولة لاحقًا", + "Can't read file" : "لا يمكن قراءة الملف", "Application is not enabled" : "التطبيق غير مفعّل", "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", - "Token expired. Please reload page." : "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة" + "Token expired. Please reload page." : "انتهت صلاحية الكلمة , يرجى اعادة تحميل الصفحة", + "Personal" : "الحساب الشخصي", + "Admin" : "المدير" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" } \ No newline at end of file diff --git a/lib/l10n/lv.js b/lib/l10n/lv.js index b3d655e376921..54d625af61c59 100644 --- a/lib/l10n/lv.js +++ b/lib/l10n/lv.js @@ -4,7 +4,7 @@ OC.L10N.register( "Cannot write into \"config\" directory!" : "Nevar rakstīt \"config\" mapē!", "This can usually be fixed by giving the webserver write access to the config directory" : "To parasti var labot, dodot tīmekļa servera rakstīšanas piekļuvi config direktorijai", "See %s" : "Skatīt %s", - "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Faili no programmas %$1s netika aizvietoti pareizi. Pārliecinieties, vai tā ir versija, kas ir saderīga ar serveri.", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Datnes no programmas %$1s netika aizvietotas pareizi. Pārliecinieties, vai tā ir versija, kas ir saderīga ar serveri.", "Sample configuration detected" : "Atrasta konfigurācijas paraugs", "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Konstatēts, ka paraug konfigurācija ir nokopēta. Tas var izjaukt jūsu instalāciju un nav atbalstīts. Lūdzu, izlasiet dokumentāciju, pirms veicat izmaiņas config.php", "%1$s and %2$s" : "%1$s un %2$s", diff --git a/lib/l10n/lv.json b/lib/l10n/lv.json index 33956326c8446..7a549f53c4f74 100644 --- a/lib/l10n/lv.json +++ b/lib/l10n/lv.json @@ -2,7 +2,7 @@ "Cannot write into \"config\" directory!" : "Nevar rakstīt \"config\" mapē!", "This can usually be fixed by giving the webserver write access to the config directory" : "To parasti var labot, dodot tīmekļa servera rakstīšanas piekļuvi config direktorijai", "See %s" : "Skatīt %s", - "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Faili no programmas %$1s netika aizvietoti pareizi. Pārliecinieties, vai tā ir versija, kas ir saderīga ar serveri.", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Datnes no programmas %$1s netika aizvietotas pareizi. Pārliecinieties, vai tā ir versija, kas ir saderīga ar serveri.", "Sample configuration detected" : "Atrasta konfigurācijas paraugs", "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Konstatēts, ka paraug konfigurācija ir nokopēta. Tas var izjaukt jūsu instalāciju un nav atbalstīts. Lūdzu, izlasiet dokumentāciju, pirms veicat izmaiņas config.php", "%1$s and %2$s" : "%1$s un %2$s", diff --git a/lib/l10n/nl.js b/lib/l10n/nl.js index 393927174da10..a13c99f77d89d 100644 --- a/lib/l10n/nl.js +++ b/lib/l10n/nl.js @@ -230,6 +230,10 @@ OC.L10N.register( "Storage connection timeout. %s" : "Opslag verbinding time-out. %s", "Personal" : "Persoonlijk", "Admin" : "Beheerder", - "DB Error: \"%s\"" : "DB Fout: \"%s\"" + "DB Error: \"%s\"" : "DB Fout: \"%s\"", + "Files can't be shared with delete permissions" : "Bestanden kunnen niet gedeeld worden met 'verwijder' rechten", + "Files can't be shared with create permissions" : "Bestanden kunnen niet gedeeld worden met 'creëer' rechten", + "No app name specified" : "Geen app naam gespecificeerd", + "App '%s' could not be installed!" : "App '%s' kon niet geïnstalleerd worden!" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/nl.json b/lib/l10n/nl.json index c3c8f6cf072e8..3cd3b32971115 100644 --- a/lib/l10n/nl.json +++ b/lib/l10n/nl.json @@ -228,6 +228,10 @@ "Storage connection timeout. %s" : "Opslag verbinding time-out. %s", "Personal" : "Persoonlijk", "Admin" : "Beheerder", - "DB Error: \"%s\"" : "DB Fout: \"%s\"" + "DB Error: \"%s\"" : "DB Fout: \"%s\"", + "Files can't be shared with delete permissions" : "Bestanden kunnen niet gedeeld worden met 'verwijder' rechten", + "Files can't be shared with create permissions" : "Bestanden kunnen niet gedeeld worden met 'creëer' rechten", + "No app name specified" : "Geen app naam gespecificeerd", + "App '%s' could not be installed!" : "App '%s' kon niet geïnstalleerd worden!" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/ru.js b/lib/l10n/ru.js index 084a79561bbff..5a18e75ed32f5 100644 --- a/lib/l10n/ru.js +++ b/lib/l10n/ru.js @@ -227,6 +227,11 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Неполная конфигурация хранилища. %s", "Storage connection error. %s" : "Ошибка подключения к хранилищу. %s", "Storage is temporarily not available" : "Хранилище временно недоступно", - "Storage connection timeout. %s" : "Истекло время ожидания подключения к хранилищу. %s" + "Storage connection timeout. %s" : "Истекло время ожидания подключения к хранилищу. %s", + "Personal" : "Личное", + "Admin" : "Администратор", + "DB Error: \"%s\"" : "Ошибка БД: «%s»", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Невозможно очистить дату истечения срока действия. Общие ресурсы должны иметь срок действия.", + "No app name specified" : "Не указано имя приложения" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/lib/l10n/ru.json b/lib/l10n/ru.json index f9bd45402e8f3..62da4204b9304 100644 --- a/lib/l10n/ru.json +++ b/lib/l10n/ru.json @@ -225,6 +225,11 @@ "Storage incomplete configuration. %s" : "Неполная конфигурация хранилища. %s", "Storage connection error. %s" : "Ошибка подключения к хранилищу. %s", "Storage is temporarily not available" : "Хранилище временно недоступно", - "Storage connection timeout. %s" : "Истекло время ожидания подключения к хранилищу. %s" + "Storage connection timeout. %s" : "Истекло время ожидания подключения к хранилищу. %s", + "Personal" : "Личное", + "Admin" : "Администратор", + "DB Error: \"%s\"" : "Ошибка БД: «%s»", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Невозможно очистить дату истечения срока действия. Общие ресурсы должны иметь срок действия.", + "No app name specified" : "Не указано имя приложения" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/settings/l10n/ar.js b/settings/l10n/ar.js index 9534130ed6a21..81b6c4a490f78 100644 --- a/settings/l10n/ar.js +++ b/settings/l10n/ar.js @@ -1,28 +1,101 @@ OC.L10N.register( "settings", { + "{actor} changed your password" : "{actor} قام بتغيير كلمتك السرية", + "You changed your password" : "لقد قمت بتعديل كلمة مرورك", + "Your password was reset by an administrator" : "قام أحد المدراء بإعادة تعيين كلمة مرورك", + "{actor} changed your email address" : "{actor} قام بتغيير عنوان بريدك الإلكتروني", + "You changed your email address" : "لقد قمت بتعديل عنوان بريدك الإلكتروني", + "Your email address was changed by an administrator" : "قام أحد المدراء بتغيير عنوان بريدك الإلكتروني", + "Security" : "الأمان", "Your apps" : "تطبيقاتك", "Updates" : "التحديثات", + "Enabled apps" : "التطبيقات المفعّلة", + "Disabled apps" : "التطبيقات المعطلة", + "App bundles" : "حُزَم التطبيقات", "Wrong password" : "كلمة مرور خاطئة", "Saved" : "حفظ", "No user supplied" : "لم يتم توفير مستخدم ", "Unable to change password" : "لا يمكن تغيير كلمة المرور", "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", "Wrong admin recovery password. Please check the password and try again." : "خطا في كلمة مرور المسؤول المستردة, يرجى التاكد من كلمة المرور والمحاولة مرة اخرى.", + "Federated Cloud Sharing" : "المشاركة السحابية الموحّدة", + "Migration Completed" : "إكتملت عملية الترحيل", + "Invalid SMTP password." : "كلمة مرور SMTP خاطئة.", + "Email setting test" : "تجريب إعدادات البريد الإلكتروني", + "Well done, %s!" : "حسنًا فعلت، %s !", + "Invalid mail address" : "عنوان البريد الإلكتروني خاطئ", + "Unable to create user." : "لا يمكن إنشاء المستخدم", + "Unable to delete user." : "لا يمكن حذف المستخدم.", + "Error while enabling user." : "طرأ خطأ أثناء تنشيط المستخدم.", + "Error while disabling user." : "طرأ خطأ أثناء تعطيل المستخدم.", + "Settings saved" : "تم حفظ الإعدادات", "Unable to change full name" : "لم يتم التمكن من تغيير اسمك الكامل", "Your full name has been changed." : "اسمك الكامل تم تغييره.", + "Forbidden" : "ممنوعع", + "Invalid user" : "مستخدم غير صالح", + "Unable to change mail address" : "لم نتمكّن مِن تغيير عنوان بريدك الإلكتروني", "Email saved" : "تم حفظ البريد الإلكتروني", + "Password changed for %s" : "تم تعديل كلمة سر %s", + "Welcome aboard" : "مرحبًا بكم على متن ناكست كلاود", + "Welcome aboard %s" : "مرحبًا بكم على متن ناكست كلاود يا %s", + "Your username is: %s" : "إسم المستخدم الخاص بك هو : %s", + "Set your password" : "قم بإدخال كلمتك السرية", + "Go to %s" : "الإنتقال إلى %s", + "Install Client" : "تنصيب العميل", + "Password confirmation is required" : "مِن الواجب تأكيد كلمة السر", + "Couldn't remove app." : "لم نتمكّن مِن حذف التطبيق.", "Couldn't update app." : "تعذر تحديث التطبيق.", "Add trusted domain" : "أضافة نطاق موثوق فيه", + "Migration in progress. Please wait until the migration is finished" : "عملية الترحيل جارية. الرجاء الإنتظار حتى تكتمل العملية", + "Migration started …" : "بدأت عملية الترحيل …", + "Not saved" : "لم يتم حفظه", + "Sending…" : "جارٍ الإرسال …", "Email sent" : "تم ارسال البريد الالكتروني", + "Official" : "الرسمي", "All" : "الكل", + "Update to %s" : "التحديث إلى %s", + "Disabling app …" : "جارٍ تعطيل التطبيق …", "Error while disabling app" : "خطا عند تعطيل البرنامج", "Disable" : "إيقاف", "Enable" : "تفعيل", + "Enabling app …" : "جارٍ تنشيط التطبيق …", "Error while enabling app" : "خطا عند تفعيل البرنامج ", + "App up to date" : "التطبيق مُحدّث", + "Upgrading …" : "الترقية جارية …", + "Could not upgrade app" : "لم نتمكّن مِن ترقية التطبيق", "Updated" : "تم التحديث بنجاح", + "Removing …" : "عملية الحذف جارية …", + "Could not remove app" : "لم نتمكّن مِن حذف التطبيق", + "Remove" : "حذف", + "App upgrade" : "ترقية التطبيق", + "Approved" : "تم قبوله", + "Experimental" : "تجريبي", + "Enable all" : "تنشيط الكل", + "Allow filesystem access" : "السماح بالنفاذ إلى نظام الملفات", + "Disconnect" : "قطع الإتصال", + "Revoke" : "إلغاء", + "Internet Explorer" : "إنترنت إكسبلورر", + "Edge" : "آدج", + "Firefox" : "فايرفوكس", + "Google Chrome" : "غوغل كروم", + "Safari" : "سفاري", + "Google Chrome for Android" : "غوغل كروم لنظام الأندرويد", + "iPhone iOS" : "نظام الآيفون iOS", + "iOS Client" : "عميل iOS", + "Android Client" : "عميل أندرويد", + "This session" : "هذه الجلسة", "Copy" : "نسخ", + "Copied!" : "تم نسخه !", + "Not supported!" : "غير مدعوم !", + "Press ⌘-C to copy." : "إضغط ⌘-C للنسخ", + "Press Ctrl-C to copy." : "إضغط Ctrl-C للنسخ.", "Delete" : "إلغاء", + "Local" : "المحلي", + "Contacts" : "جهات الإتصال", + "Public" : "عمومي", + "Verify" : "تحقق", + "Verifying …" : "عملية التحقق جارية …", "Select a profile picture" : "اختر صورة الملف الشخصي ", "Very weak password" : "كلمة السر ضعيفة جدا", "Weak password" : "كلمة السر ضعيفة", @@ -31,54 +104,128 @@ OC.L10N.register( "Groups" : "مجموعات", "undo" : "تراجع", "never" : "بتاتا", + "Add group" : "إضافة فريق", + "Password successfully changed" : "تم تغيير كلمة السر بنجاح", "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "A valid email must be provided" : "مِن اللازم إدخال عنوان بريد إلكتروني صحيح", + "Developer documentation" : "دليل المُطوّر", + "View in store" : "العرض على المتجر", + "by %s" : "مِن %s", "Documentation:" : "التوثيق", + "User documentation" : "دليل المستخدم", + "Admin documentation" : "دليل المدير", + "Visit website" : "زر الموقع", + "Report a bug" : "الإبلاغ عن عِلّة", + "Show description …" : "إظهار الوصف …", + "Hide description …" : "إخفاء الوصف …", + "SSL Root Certificates" : "شهادات أمان الـ SSL الجذرية", + "Common Name" : "الإسم الشائع", "Valid until" : "صالح حتى", + "Issued By" : "سُلّمت مِن طرف", + "Valid until %s" : "صالحة إلى غاية %s", + "Import root certificate" : "إستيراد شهادة جذرية", + "Administrator documentation" : "دليل المدير", + "Online documentation" : "التعليمات على الإنترنت", "Forum" : "منتدى", + "Getting help" : "طلب المساعدة", + "Commercial support" : "الدعم التجاري", "None" : "لا شيء", "Login" : "تسجيل الدخول", + "NT LAN Manager" : "مدير الشبكة المحلية LAN NT", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "خادوم البريد", "Send mode" : "وضعية الإرسال", "Encryption" : "التشفير", + "mail" : "البريد", "Authentication method" : "أسلوب التطابق", + "Authentication required" : "المصادقة لازمة", "Server address" : "عنوان الخادم", "Port" : "المنفذ", + "SMTP Username" : "إسم مستخدم الـ SMTP", + "SMTP Password" : "كلمة مرور الـ SMTP", "Test email settings" : "فحص إعدادات البريد الإلكتروني", + "Send email" : "إرسال بريد إلكتروني", + "Enable encryption" : "تنشيط التعمية", + "Start migration" : "إبدأ الترحيل", + "Security & setup warnings" : "تحذيرات الإعداد و الأمان", "System locale can not be set to a one which supports UTF-8." : "لا يمكن تعيين لغة النظام الى احد اللغات التي تدعم UTF-8.", + "Background jobs" : "الأنشطة في الخلفية", "Execute one task with each page loaded" : "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها", "Version" : "إصدار", "Sharing" : "مشاركة", "Allow apps to use the Share API" : "السماح للتطبيقات بالمشاركة عن طريق الAPI", "Allow users to share via link" : "السماح للمستخدم بمشاركة الملف عن طريق رابط", "Allow public uploads" : "السماح بالرفع للعامة ", + "Always ask for a password" : "أطلب دائما كلمة السر", + "Set default expiration date" : "تعيين تاريخ إنتهاء الصلاحية الإفتراضية", "Expire after " : "ينتهي بعد", "days" : "أيام", "Allow resharing" : "السماح بإعادة المشاركة ", + "Tips & tricks" : "نصائح و تلميحات", + "How to do backups" : "كيف يمكنكم إنشاء نسخ إحتياطية", + "Theming" : "المظهر", + "Personal" : "شخصي", + "Administration" : "الإدارة", "Profile picture" : "صورة الملف الشخصي", "Upload new" : "رفع الان", + "Select from Files" : "إختر مِن بين الملفات", "Remove image" : "إزالة الصورة", "Cancel" : "الغاء", + "Choose as profile picture" : "اختر صورة للملف الشخصي ", + "Full name" : "الإسم الكامل", + "No display name set" : "لم يتم إدخال أي إسم", "Email" : "البريد الإلكترونى", "Your email address" : "عنوانك البريدي", + "No email address set" : "لم يتم إدخال أي عنوان للبريد الإلكتروني", + "For password reset and notifications" : "لإعادة تعيين كلمة السر و تلقي الإشعارات", + "Phone number" : "رقم الهاتف", + "Your phone number" : "رقم هاتفك", + "Address" : "العنوان", + "Your postal address" : "عنوان البريد العادي", + "Website" : "موقع الويب", + "Link https://…" : "الرابط https://…", + "Twitter" : "تويتر", "Language" : "اللغة", "Help translate" : "ساعد في الترجمه", "Password" : "كلمة المرور", "Current password" : "كلمات السر الحالية", "New password" : "كلمات سر جديدة", "Change password" : "عدل كلمة السر", + "Device" : "الجهاز", + "Last activity" : "آخر نشاط", + "App name" : "إسم التطبيق", + "Create new app password" : "إنشاء كلمة سرية جديدة للتطبيق", "Username" : "إسم المستخدم", + "Done" : "تم", + "Follow us on Google+" : "تابعنا على Google+", + "Like our Facebook page" : "قم بالإعجاب بصفحتنا على الفايسبوك", "Settings" : "الإعدادات", "E-Mail" : "بريد إلكتروني", "Create" : "انشئ", "Admin Recovery Password" : "استعادة كلمة المرور للمسؤول", "Enter the recovery password in order to recover the users files during password change" : "ادخل كلمة المرور المستعادة من اجل استرداد ملفات المستخدمين اثناء تغيير كلمة المرور", "Everyone" : "الجميع", + "Admins" : "المدراء", + "Disabled" : "معطّل", "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "يرجى ادخال تخزين quota (مثل:\"512 MB\" او \"12 GB\")", "Unlimited" : "غير محدود", "Other" : "شيء آخر", "Quota" : "حصه", "change full name" : "تغيير اسمك الكامل", "set new password" : "اعداد كلمة مرور جديدة", - "Default" : "افتراضي" + "Default" : "افتراضي", + "Updating...." : "جاري التحديث ...", + "__language_name__" : "__language_name__", + "Verifying" : "التحقق", + "Personal info" : "المعلومات الشخصية", + "Sync clients" : "مزامنة العملاء", + "Android app" : "تطبيق الأندرويد", + "Follow us on Google+!" : "تابعنا على Google+ !", + "Like our facebook page!" : "قم بالإعجاب بصفحتنا على الفايسبوك !", + "Follow us on Twitter!" : "تابعنا على تويتر !", + "Check out our blog!" : "إلقي نظرة على مدوّنتنا !", + "Group name" : "إسم الفريق" }, "nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"); diff --git a/settings/l10n/ar.json b/settings/l10n/ar.json index c0bac3abd4927..92d7a10e887ec 100644 --- a/settings/l10n/ar.json +++ b/settings/l10n/ar.json @@ -1,26 +1,99 @@ { "translations": { + "{actor} changed your password" : "{actor} قام بتغيير كلمتك السرية", + "You changed your password" : "لقد قمت بتعديل كلمة مرورك", + "Your password was reset by an administrator" : "قام أحد المدراء بإعادة تعيين كلمة مرورك", + "{actor} changed your email address" : "{actor} قام بتغيير عنوان بريدك الإلكتروني", + "You changed your email address" : "لقد قمت بتعديل عنوان بريدك الإلكتروني", + "Your email address was changed by an administrator" : "قام أحد المدراء بتغيير عنوان بريدك الإلكتروني", + "Security" : "الأمان", "Your apps" : "تطبيقاتك", "Updates" : "التحديثات", + "Enabled apps" : "التطبيقات المفعّلة", + "Disabled apps" : "التطبيقات المعطلة", + "App bundles" : "حُزَم التطبيقات", "Wrong password" : "كلمة مرور خاطئة", "Saved" : "حفظ", "No user supplied" : "لم يتم توفير مستخدم ", "Unable to change password" : "لا يمكن تغيير كلمة المرور", "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", "Wrong admin recovery password. Please check the password and try again." : "خطا في كلمة مرور المسؤول المستردة, يرجى التاكد من كلمة المرور والمحاولة مرة اخرى.", + "Federated Cloud Sharing" : "المشاركة السحابية الموحّدة", + "Migration Completed" : "إكتملت عملية الترحيل", + "Invalid SMTP password." : "كلمة مرور SMTP خاطئة.", + "Email setting test" : "تجريب إعدادات البريد الإلكتروني", + "Well done, %s!" : "حسنًا فعلت، %s !", + "Invalid mail address" : "عنوان البريد الإلكتروني خاطئ", + "Unable to create user." : "لا يمكن إنشاء المستخدم", + "Unable to delete user." : "لا يمكن حذف المستخدم.", + "Error while enabling user." : "طرأ خطأ أثناء تنشيط المستخدم.", + "Error while disabling user." : "طرأ خطأ أثناء تعطيل المستخدم.", + "Settings saved" : "تم حفظ الإعدادات", "Unable to change full name" : "لم يتم التمكن من تغيير اسمك الكامل", "Your full name has been changed." : "اسمك الكامل تم تغييره.", + "Forbidden" : "ممنوعع", + "Invalid user" : "مستخدم غير صالح", + "Unable to change mail address" : "لم نتمكّن مِن تغيير عنوان بريدك الإلكتروني", "Email saved" : "تم حفظ البريد الإلكتروني", + "Password changed for %s" : "تم تعديل كلمة سر %s", + "Welcome aboard" : "مرحبًا بكم على متن ناكست كلاود", + "Welcome aboard %s" : "مرحبًا بكم على متن ناكست كلاود يا %s", + "Your username is: %s" : "إسم المستخدم الخاص بك هو : %s", + "Set your password" : "قم بإدخال كلمتك السرية", + "Go to %s" : "الإنتقال إلى %s", + "Install Client" : "تنصيب العميل", + "Password confirmation is required" : "مِن الواجب تأكيد كلمة السر", + "Couldn't remove app." : "لم نتمكّن مِن حذف التطبيق.", "Couldn't update app." : "تعذر تحديث التطبيق.", "Add trusted domain" : "أضافة نطاق موثوق فيه", + "Migration in progress. Please wait until the migration is finished" : "عملية الترحيل جارية. الرجاء الإنتظار حتى تكتمل العملية", + "Migration started …" : "بدأت عملية الترحيل …", + "Not saved" : "لم يتم حفظه", + "Sending…" : "جارٍ الإرسال …", "Email sent" : "تم ارسال البريد الالكتروني", + "Official" : "الرسمي", "All" : "الكل", + "Update to %s" : "التحديث إلى %s", + "Disabling app …" : "جارٍ تعطيل التطبيق …", "Error while disabling app" : "خطا عند تعطيل البرنامج", "Disable" : "إيقاف", "Enable" : "تفعيل", + "Enabling app …" : "جارٍ تنشيط التطبيق …", "Error while enabling app" : "خطا عند تفعيل البرنامج ", + "App up to date" : "التطبيق مُحدّث", + "Upgrading …" : "الترقية جارية …", + "Could not upgrade app" : "لم نتمكّن مِن ترقية التطبيق", "Updated" : "تم التحديث بنجاح", + "Removing …" : "عملية الحذف جارية …", + "Could not remove app" : "لم نتمكّن مِن حذف التطبيق", + "Remove" : "حذف", + "App upgrade" : "ترقية التطبيق", + "Approved" : "تم قبوله", + "Experimental" : "تجريبي", + "Enable all" : "تنشيط الكل", + "Allow filesystem access" : "السماح بالنفاذ إلى نظام الملفات", + "Disconnect" : "قطع الإتصال", + "Revoke" : "إلغاء", + "Internet Explorer" : "إنترنت إكسبلورر", + "Edge" : "آدج", + "Firefox" : "فايرفوكس", + "Google Chrome" : "غوغل كروم", + "Safari" : "سفاري", + "Google Chrome for Android" : "غوغل كروم لنظام الأندرويد", + "iPhone iOS" : "نظام الآيفون iOS", + "iOS Client" : "عميل iOS", + "Android Client" : "عميل أندرويد", + "This session" : "هذه الجلسة", "Copy" : "نسخ", + "Copied!" : "تم نسخه !", + "Not supported!" : "غير مدعوم !", + "Press ⌘-C to copy." : "إضغط ⌘-C للنسخ", + "Press Ctrl-C to copy." : "إضغط Ctrl-C للنسخ.", "Delete" : "إلغاء", + "Local" : "المحلي", + "Contacts" : "جهات الإتصال", + "Public" : "عمومي", + "Verify" : "تحقق", + "Verifying …" : "عملية التحقق جارية …", "Select a profile picture" : "اختر صورة الملف الشخصي ", "Very weak password" : "كلمة السر ضعيفة جدا", "Weak password" : "كلمة السر ضعيفة", @@ -29,54 +102,128 @@ "Groups" : "مجموعات", "undo" : "تراجع", "never" : "بتاتا", + "Add group" : "إضافة فريق", + "Password successfully changed" : "تم تغيير كلمة السر بنجاح", "A valid username must be provided" : "يجب ادخال اسم مستخدم صحيح", "A valid password must be provided" : "يجب ادخال كلمة مرور صحيحة", + "A valid email must be provided" : "مِن اللازم إدخال عنوان بريد إلكتروني صحيح", + "Developer documentation" : "دليل المُطوّر", + "View in store" : "العرض على المتجر", + "by %s" : "مِن %s", "Documentation:" : "التوثيق", + "User documentation" : "دليل المستخدم", + "Admin documentation" : "دليل المدير", + "Visit website" : "زر الموقع", + "Report a bug" : "الإبلاغ عن عِلّة", + "Show description …" : "إظهار الوصف …", + "Hide description …" : "إخفاء الوصف …", + "SSL Root Certificates" : "شهادات أمان الـ SSL الجذرية", + "Common Name" : "الإسم الشائع", "Valid until" : "صالح حتى", + "Issued By" : "سُلّمت مِن طرف", + "Valid until %s" : "صالحة إلى غاية %s", + "Import root certificate" : "إستيراد شهادة جذرية", + "Administrator documentation" : "دليل المدير", + "Online documentation" : "التعليمات على الإنترنت", "Forum" : "منتدى", + "Getting help" : "طلب المساعدة", + "Commercial support" : "الدعم التجاري", "None" : "لا شيء", "Login" : "تسجيل الدخول", + "NT LAN Manager" : "مدير الشبكة المحلية LAN NT", + "SSL/TLS" : "SSL/TLS", + "STARTTLS" : "STARTTLS", + "Email server" : "خادوم البريد", "Send mode" : "وضعية الإرسال", "Encryption" : "التشفير", + "mail" : "البريد", "Authentication method" : "أسلوب التطابق", + "Authentication required" : "المصادقة لازمة", "Server address" : "عنوان الخادم", "Port" : "المنفذ", + "SMTP Username" : "إسم مستخدم الـ SMTP", + "SMTP Password" : "كلمة مرور الـ SMTP", "Test email settings" : "فحص إعدادات البريد الإلكتروني", + "Send email" : "إرسال بريد إلكتروني", + "Enable encryption" : "تنشيط التعمية", + "Start migration" : "إبدأ الترحيل", + "Security & setup warnings" : "تحذيرات الإعداد و الأمان", "System locale can not be set to a one which supports UTF-8." : "لا يمكن تعيين لغة النظام الى احد اللغات التي تدعم UTF-8.", + "Background jobs" : "الأنشطة في الخلفية", "Execute one task with each page loaded" : "قم بتنفيذ مهمة واحدة مع كل صفحة تم تحميلها", "Version" : "إصدار", "Sharing" : "مشاركة", "Allow apps to use the Share API" : "السماح للتطبيقات بالمشاركة عن طريق الAPI", "Allow users to share via link" : "السماح للمستخدم بمشاركة الملف عن طريق رابط", "Allow public uploads" : "السماح بالرفع للعامة ", + "Always ask for a password" : "أطلب دائما كلمة السر", + "Set default expiration date" : "تعيين تاريخ إنتهاء الصلاحية الإفتراضية", "Expire after " : "ينتهي بعد", "days" : "أيام", "Allow resharing" : "السماح بإعادة المشاركة ", + "Tips & tricks" : "نصائح و تلميحات", + "How to do backups" : "كيف يمكنكم إنشاء نسخ إحتياطية", + "Theming" : "المظهر", + "Personal" : "شخصي", + "Administration" : "الإدارة", "Profile picture" : "صورة الملف الشخصي", "Upload new" : "رفع الان", + "Select from Files" : "إختر مِن بين الملفات", "Remove image" : "إزالة الصورة", "Cancel" : "الغاء", + "Choose as profile picture" : "اختر صورة للملف الشخصي ", + "Full name" : "الإسم الكامل", + "No display name set" : "لم يتم إدخال أي إسم", "Email" : "البريد الإلكترونى", "Your email address" : "عنوانك البريدي", + "No email address set" : "لم يتم إدخال أي عنوان للبريد الإلكتروني", + "For password reset and notifications" : "لإعادة تعيين كلمة السر و تلقي الإشعارات", + "Phone number" : "رقم الهاتف", + "Your phone number" : "رقم هاتفك", + "Address" : "العنوان", + "Your postal address" : "عنوان البريد العادي", + "Website" : "موقع الويب", + "Link https://…" : "الرابط https://…", + "Twitter" : "تويتر", "Language" : "اللغة", "Help translate" : "ساعد في الترجمه", "Password" : "كلمة المرور", "Current password" : "كلمات السر الحالية", "New password" : "كلمات سر جديدة", "Change password" : "عدل كلمة السر", + "Device" : "الجهاز", + "Last activity" : "آخر نشاط", + "App name" : "إسم التطبيق", + "Create new app password" : "إنشاء كلمة سرية جديدة للتطبيق", "Username" : "إسم المستخدم", + "Done" : "تم", + "Follow us on Google+" : "تابعنا على Google+", + "Like our Facebook page" : "قم بالإعجاب بصفحتنا على الفايسبوك", "Settings" : "الإعدادات", "E-Mail" : "بريد إلكتروني", "Create" : "انشئ", "Admin Recovery Password" : "استعادة كلمة المرور للمسؤول", "Enter the recovery password in order to recover the users files during password change" : "ادخل كلمة المرور المستعادة من اجل استرداد ملفات المستخدمين اثناء تغيير كلمة المرور", "Everyone" : "الجميع", + "Admins" : "المدراء", + "Disabled" : "معطّل", "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "يرجى ادخال تخزين quota (مثل:\"512 MB\" او \"12 GB\")", "Unlimited" : "غير محدود", "Other" : "شيء آخر", "Quota" : "حصه", "change full name" : "تغيير اسمك الكامل", "set new password" : "اعداد كلمة مرور جديدة", - "Default" : "افتراضي" + "Default" : "افتراضي", + "Updating...." : "جاري التحديث ...", + "__language_name__" : "__language_name__", + "Verifying" : "التحقق", + "Personal info" : "المعلومات الشخصية", + "Sync clients" : "مزامنة العملاء", + "Android app" : "تطبيق الأندرويد", + "Follow us on Google+!" : "تابعنا على Google+ !", + "Like our facebook page!" : "قم بالإعجاب بصفحتنا على الفايسبوك !", + "Follow us on Twitter!" : "تابعنا على تويتر !", + "Check out our blog!" : "إلقي نظرة على مدوّنتنا !", + "Group name" : "إسم الفريق" },"pluralForm" :"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;" } \ No newline at end of file diff --git a/settings/l10n/lt_LT.js b/settings/l10n/lt_LT.js index 3c7d6dbf09371..3ace0da7e48bb 100644 --- a/settings/l10n/lt_LT.js +++ b/settings/l10n/lt_LT.js @@ -71,12 +71,14 @@ OC.L10N.register( "Enable" : "Įjungti", "Enabling app …" : "Programėlė įjungiama", "Error while enabling app" : "Klaida, įjungiant programėlę", + "Upgrading …" : "Naujinama …", "Updated" : "Atnaujinta", "Removing …" : "Šalinama …", "Remove" : "Šalinti", "Approved" : "Patvirtinta", "Experimental" : "Eksperimentinė", "Disconnect" : "Atjungti", + "Revoke" : "Panaikinti", "Internet Explorer" : "Internet Explorer", "Edge" : "Edge", "Firefox" : "Firefox", @@ -112,9 +114,11 @@ OC.L10N.register( "undo" : "anuliuoti", "never" : "niekada", "Add group" : "Pridėti grupę", + "Invalid quota value \"{val}\"" : "Neteisinga leidžiamo duomenų kiekio reikšmė \"{val}\"", "Password successfully changed" : "Slaptažodis sėkmingai pakeistas", "Changing the password will result in data loss, because data recovery is not available for this user" : "Slaptažodžio pakeitimas sąlygos duomenų praradimą, kadangi šiam naudotojui nėra prieinamas duomenų atkūrimas", "A valid username must be provided" : "Privalo būti pateiktas tinkamas naudotojo vardas", + "Error creating user: {message}" : "Klaida kuriant naudotoją: {message}", "A valid password must be provided" : "Slaptažodis turi būti tinkamas", "Documentation:" : "Dokumentacija:", "User documentation" : "Naudotojo dokumentacija", @@ -146,6 +150,10 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį.", "Start migration" : "Pradėti perkėlimą", "Security & setup warnings" : "Saugos ir diegimo perspėjimai", + "Background jobs" : "Foninės užduotys", + "Last job ran %s." : "Paskutinė užduotis buvo vykdyta %s.", + "Last job execution ran %s. Something seems wrong." : "Paskutinės užduoties vykdymas vyko %s. Atrodo, kad kažkas nutiko.", + "Background job didn’t run yet!" : "Foninės užduotys kol kas nebuvo vykdomos!", "Execute one task with each page loaded" : "Įvykdyti vieną užduotį su kiekvieno puslapio įkėlimu", "Version" : "Versija", "Sharing" : "Dalijimasis", @@ -155,6 +163,7 @@ OC.L10N.register( "Allow resharing" : "Leisti dalintis", "Tips & tricks" : "Patarimai ir gudrybės", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", + "How to do backups" : "Kaip daryti atsargines kopijas", "You are using %s of %s" : "Jūs naudojate %s%s", "Profile picture" : "Profilio paveikslas", "Upload new" : "Įkelti naują", @@ -186,15 +195,27 @@ OC.L10N.register( "Done" : "Atlikta", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Sukurta {communityopen}Nextcloud bendruomenės{linkclose}, {githubopen}pirminis kodas{linkclose} yra licencijuotas pagal {licenseopen}AGPL{linkclose}.", "Settings" : "Nustatymai", + "Show last login" : "Rodyti paskutinį prisijungimą", + "Show email address" : "Rodyti el. pašto adresą", "Create" : "Sukurti", "Admin Recovery Password" : "Administracinis atkūrimo slaptažodis", "Enter the recovery password in order to recover the users files during password change" : "Įveskite atkūrimo slaptažodį, kad atkurtumėte naudotojo failus keičiant slaptažodį", + "Disabled" : "Išjungta", + "Default quota" : "Numatytasis leidžiamas duomenų kiekis", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Įveskite saugyklos leidžiamą duomenų kiekį (pvz.: \"512 MB\" ar \"12 GB\")", "Unlimited" : "Neribotai", "Other" : "Kita", "Quota" : "Limitas", "change full name" : "keisti pilną vardą", "set new password" : "nustatyti naują slaptažodį", "Default" : "Numatytasis", - "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗." + "Updating...." : "Atnaujinama...", + "__language_name__" : "Lietuvių", + "Personal info" : "Asmeninė informacija", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", + "Show First Run Wizard again" : "Dar kartą rodyti pirmojo paleidimo vediklį", + "Follow us on Google+!" : "Sekite mus Google+!", + "Follow us on Twitter!" : "Sekite mus Twitter!", + "Subscribe to our newsletter!" : "Prenumeruokite mūsų naujienlaiškį!" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/settings/l10n/lt_LT.json b/settings/l10n/lt_LT.json index e070ff944a9f9..59dd7489608d8 100644 --- a/settings/l10n/lt_LT.json +++ b/settings/l10n/lt_LT.json @@ -69,12 +69,14 @@ "Enable" : "Įjungti", "Enabling app …" : "Programėlė įjungiama", "Error while enabling app" : "Klaida, įjungiant programėlę", + "Upgrading …" : "Naujinama …", "Updated" : "Atnaujinta", "Removing …" : "Šalinama …", "Remove" : "Šalinti", "Approved" : "Patvirtinta", "Experimental" : "Eksperimentinė", "Disconnect" : "Atjungti", + "Revoke" : "Panaikinti", "Internet Explorer" : "Internet Explorer", "Edge" : "Edge", "Firefox" : "Firefox", @@ -110,9 +112,11 @@ "undo" : "anuliuoti", "never" : "niekada", "Add group" : "Pridėti grupę", + "Invalid quota value \"{val}\"" : "Neteisinga leidžiamo duomenų kiekio reikšmė \"{val}\"", "Password successfully changed" : "Slaptažodis sėkmingai pakeistas", "Changing the password will result in data loss, because data recovery is not available for this user" : "Slaptažodžio pakeitimas sąlygos duomenų praradimą, kadangi šiam naudotojui nėra prieinamas duomenų atkūrimas", "A valid username must be provided" : "Privalo būti pateiktas tinkamas naudotojo vardas", + "Error creating user: {message}" : "Klaida kuriant naudotoją: {message}", "A valid password must be provided" : "Slaptažodis turi būti tinkamas", "Documentation:" : "Dokumentacija:", "User documentation" : "Naudotojo dokumentacija", @@ -144,6 +148,10 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Jūs turite perkelti savo šifravimo raktus iš senojo šifravimo (ownCloud <= 8.0) į naująjį.", "Start migration" : "Pradėti perkėlimą", "Security & setup warnings" : "Saugos ir diegimo perspėjimai", + "Background jobs" : "Foninės užduotys", + "Last job ran %s." : "Paskutinė užduotis buvo vykdyta %s.", + "Last job execution ran %s. Something seems wrong." : "Paskutinės užduoties vykdymas vyko %s. Atrodo, kad kažkas nutiko.", + "Background job didn’t run yet!" : "Foninės užduotys kol kas nebuvo vykdomos!", "Execute one task with each page loaded" : "Įvykdyti vieną užduotį su kiekvieno puslapio įkėlimu", "Version" : "Versija", "Sharing" : "Dalijimasis", @@ -153,6 +161,7 @@ "Allow resharing" : "Leisti dalintis", "Tips & tricks" : "Patarimai ir gudrybės", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", + "How to do backups" : "Kaip daryti atsargines kopijas", "You are using %s of %s" : "Jūs naudojate %s%s", "Profile picture" : "Profilio paveikslas", "Upload new" : "Įkelti naują", @@ -184,15 +193,27 @@ "Done" : "Atlikta", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Sukurta {communityopen}Nextcloud bendruomenės{linkclose}, {githubopen}pirminis kodas{linkclose} yra licencijuotas pagal {licenseopen}AGPL{linkclose}.", "Settings" : "Nustatymai", + "Show last login" : "Rodyti paskutinį prisijungimą", + "Show email address" : "Rodyti el. pašto adresą", "Create" : "Sukurti", "Admin Recovery Password" : "Administracinis atkūrimo slaptažodis", "Enter the recovery password in order to recover the users files during password change" : "Įveskite atkūrimo slaptažodį, kad atkurtumėte naudotojo failus keičiant slaptažodį", + "Disabled" : "Išjungta", + "Default quota" : "Numatytasis leidžiamas duomenų kiekis", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Įveskite saugyklos leidžiamą duomenų kiekį (pvz.: \"512 MB\" ar \"12 GB\")", "Unlimited" : "Neribotai", "Other" : "Kita", "Quota" : "Limitas", "change full name" : "keisti pilną vardą", "set new password" : "nustatyti naują slaptažodį", "Default" : "Numatytasis", - "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗." + "Updating...." : "Atnaujinama...", + "__language_name__" : "Lietuvių", + "Personal info" : "Asmeninė informacija", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Norėdami persikelti į kitą duomenų bazę, naudokite komandų eilutės įrankį: \"occ db:convert-type\" arba žiūrėkite dokumentaciją ↗.", + "Show First Run Wizard again" : "Dar kartą rodyti pirmojo paleidimo vediklį", + "Follow us on Google+!" : "Sekite mus Google+!", + "Follow us on Twitter!" : "Sekite mus Twitter!", + "Subscribe to our newsletter!" : "Prenumeruokite mūsų naujienlaiškį!" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/settings/l10n/zh_CN.js b/settings/l10n/zh_CN.js index 436a5bc756a6f..83f6b9a02f971 100644 --- a/settings/l10n/zh_CN.js +++ b/settings/l10n/zh_CN.js @@ -104,7 +104,7 @@ OC.L10N.register( "Error: Could not disable broken app" : "错误: 无法禁用损坏的应用", "Error while disabling broken app" : "禁用损坏的应用时出错", "App up to date" : "已是最新应用", - "Upgrading …" : "正在更新。。。", + "Upgrading …" : "正在更新...", "Could not upgrade app" : "无法更新应用", "Updated" : "已更新", "Removing …" : "正在移除...", diff --git a/settings/l10n/zh_CN.json b/settings/l10n/zh_CN.json index 8537d8bc46c4b..d077ef1f7155f 100644 --- a/settings/l10n/zh_CN.json +++ b/settings/l10n/zh_CN.json @@ -102,7 +102,7 @@ "Error: Could not disable broken app" : "错误: 无法禁用损坏的应用", "Error while disabling broken app" : "禁用损坏的应用时出错", "App up to date" : "已是最新应用", - "Upgrading …" : "正在更新。。。", + "Upgrading …" : "正在更新...", "Could not upgrade app" : "无法更新应用", "Updated" : "已更新", "Removing …" : "正在移除...", From de9865b9d9ed95cb8d4ba354f581babaf0c36555 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Fri, 16 Feb 2018 01:12:34 +0000 Subject: [PATCH 096/251] [tx-robot] updated from transifex --- apps/twofactor_backupcodes/l10n/nb.js | 1 + apps/twofactor_backupcodes/l10n/nb.json | 1 + core/l10n/nb.js | 2 +- core/l10n/nb.json | 2 +- settings/l10n/de.js | 2 +- settings/l10n/de.json | 2 +- settings/l10n/de_DE.js | 2 +- settings/l10n/de_DE.json | 2 +- settings/l10n/es_MX.js | 2 +- settings/l10n/es_MX.json | 2 +- settings/l10n/nb.js | 6 ++++++ settings/l10n/nb.json | 6 ++++++ 12 files changed, 22 insertions(+), 8 deletions(-) diff --git a/apps/twofactor_backupcodes/l10n/nb.js b/apps/twofactor_backupcodes/l10n/nb.js index 82ce6520eb0fd..42fc503194859 100644 --- a/apps/twofactor_backupcodes/l10n/nb.js +++ b/apps/twofactor_backupcodes/l10n/nb.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Du opprettet to-trinns bekreftelse sikkerhetskopi-koder", "Backup code" : "Sikkerhetskopi-kode", "Use backup code" : "Bruker sikkerhetskopi-kode", + "Two factor backup codes" : "Sikkerhetskopikoder for tofaktor", "Second-factor backup codes" : "To-trinns bekreftelse sikkerhetskopi-koder" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/nb.json b/apps/twofactor_backupcodes/l10n/nb.json index a5d95f4be41c6..25927e0f6e85d 100644 --- a/apps/twofactor_backupcodes/l10n/nb.json +++ b/apps/twofactor_backupcodes/l10n/nb.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Du opprettet to-trinns bekreftelse sikkerhetskopi-koder", "Backup code" : "Sikkerhetskopi-kode", "Use backup code" : "Bruker sikkerhetskopi-kode", + "Two factor backup codes" : "Sikkerhetskopikoder for tofaktor", "Second-factor backup codes" : "To-trinns bekreftelse sikkerhetskopi-koder" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/nb.js b/core/l10n/nb.js index 1938d375467b1..0f70985894ef3 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -316,7 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", "Thank you for your patience." : "Takk for din tålmodighet.", - "%s (3rdparty)" : "%s (3dje-part)", + "%s (3rdparty)" : "%s (tredjepart)", "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i vår dokumentasjon.", diff --git a/core/l10n/nb.json b/core/l10n/nb.json index cec1884ec64f1..2d732a1bb4bf1 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -314,7 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Denne siden vil bli lastet på nytt når %s-instansen er tilgjengelig igjen.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Kontakt systemadministratoren hvis denne meldingen var uventet eller ikke forsvinner.", "Thank you for your patience." : "Takk for din tålmodighet.", - "%s (3rdparty)" : "%s (3dje-part)", + "%s (3rdparty)" : "%s (tredjepart)", "There was an error loading your contacts" : "Feil ved innlasting av kontaktene dine", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Vev-tjeneren din er ikke satt opp til å tillate synkronisering av filer ennå, fordi WebDAV-grensesnittet ikke ser ut til å virke.", "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Din vevtjener er ikke satt opp korrekt for å hente \"{url}\". Mer informasjon finner du i vår dokumentasjon.", diff --git a/settings/l10n/de.js b/settings/l10n/de.js index 6b3947395b8de..88e9ac3b63a67 100644 --- a/settings/l10n/de.js +++ b/settings/l10n/de.js @@ -74,7 +74,7 @@ OC.L10N.register( "Welcome aboard %s" : "Willkommen an Bord %s", "Welcome to your %s account, you can add, protect, and share your data." : "Willkommen zu Deinem %s-Konto. Du kannst Deine Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Dein Benutzername lautet: %s", - "Set your password" : "Vergebe Dein Passwort", + "Set your password" : "Setze Dein Kennwort", "Go to %s" : "Gehe zu %s", "Install Client" : "Installiere den Client", "Password confirmation is required" : "Passwortbestätigung erforderlich", diff --git a/settings/l10n/de.json b/settings/l10n/de.json index 5210bfa4261f8..d57fc88815e42 100644 --- a/settings/l10n/de.json +++ b/settings/l10n/de.json @@ -72,7 +72,7 @@ "Welcome aboard %s" : "Willkommen an Bord %s", "Welcome to your %s account, you can add, protect, and share your data." : "Willkommen zu Deinem %s-Konto. Du kannst Deine Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Dein Benutzername lautet: %s", - "Set your password" : "Vergebe Dein Passwort", + "Set your password" : "Setze Dein Kennwort", "Go to %s" : "Gehe zu %s", "Install Client" : "Installiere den Client", "Password confirmation is required" : "Passwortbestätigung erforderlich", diff --git a/settings/l10n/de_DE.js b/settings/l10n/de_DE.js index 860797a10ec7e..00b99873e258b 100644 --- a/settings/l10n/de_DE.js +++ b/settings/l10n/de_DE.js @@ -74,7 +74,7 @@ OC.L10N.register( "Welcome aboard %s" : "Willkommen an Bord %s", "Welcome to your %s account, you can add, protect, and share your data." : "Willkommen zu Ihrem %s-Konto. Sie können Ihre Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Ihr Benutzername lautet: %s", - "Set your password" : "Vergeben Sie Ihr Passwort", + "Set your password" : "Setzen Sie Ihr Passwort", "Go to %s" : "Gehe zu %s", "Install Client" : "Installiere den Client", "Password confirmation is required" : "Passwortbestätigung erforderlich", diff --git a/settings/l10n/de_DE.json b/settings/l10n/de_DE.json index 28a6d98437ae2..0435e13404fca 100644 --- a/settings/l10n/de_DE.json +++ b/settings/l10n/de_DE.json @@ -72,7 +72,7 @@ "Welcome aboard %s" : "Willkommen an Bord %s", "Welcome to your %s account, you can add, protect, and share your data." : "Willkommen zu Ihrem %s-Konto. Sie können Ihre Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Ihr Benutzername lautet: %s", - "Set your password" : "Vergeben Sie Ihr Passwort", + "Set your password" : "Setzen Sie Ihr Passwort", "Go to %s" : "Gehe zu %s", "Install Client" : "Installiere den Client", "Password confirmation is required" : "Passwortbestätigung erforderlich", diff --git a/settings/l10n/es_MX.js b/settings/l10n/es_MX.js index de56935d93836..fefa8c69bce8e 100644 --- a/settings/l10n/es_MX.js +++ b/settings/l10n/es_MX.js @@ -66,7 +66,7 @@ OC.L10N.register( "%1$s changed your email address on %2$s." : "%1$s cambió tu dirección de correo electrónico el %2$s.", "Your email address on %s was changed." : "Tu dirección de correo electrónico en %s fue cambiada. ", "Your email address on %s was changed by an administrator." : "Tu dirección de correo electrónico en %s fue cambiada por un adminsitrador. ", - "Email address for %1$s changed on %2$s" : "La dirección de correo electrónico para %1$s fue cambiada el %2$s", + "Email address for %1$s changed on %2$s" : "La dirección de correo %1$s en %2$s ha cambiado", "Email address changed for %s" : "La dirección de correo electrónico fue cambiada para %s", "The new email address is %s" : "La nueva dirección de correo electrónico es %s", "Your %s account was created" : "Tu cuenta %s ha sido creada", diff --git a/settings/l10n/es_MX.json b/settings/l10n/es_MX.json index ab2bbbb556bb9..987b6ca5e71a1 100644 --- a/settings/l10n/es_MX.json +++ b/settings/l10n/es_MX.json @@ -64,7 +64,7 @@ "%1$s changed your email address on %2$s." : "%1$s cambió tu dirección de correo electrónico el %2$s.", "Your email address on %s was changed." : "Tu dirección de correo electrónico en %s fue cambiada. ", "Your email address on %s was changed by an administrator." : "Tu dirección de correo electrónico en %s fue cambiada por un adminsitrador. ", - "Email address for %1$s changed on %2$s" : "La dirección de correo electrónico para %1$s fue cambiada el %2$s", + "Email address for %1$s changed on %2$s" : "La dirección de correo %1$s en %2$s ha cambiado", "Email address changed for %s" : "La dirección de correo electrónico fue cambiada para %s", "The new email address is %s" : "La nueva dirección de correo electrónico es %s", "Your %s account was created" : "Tu cuenta %s ha sido creada", diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index cc42049967396..3cc20187166fb 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -396,6 +396,12 @@ OC.L10N.register( "Sync clients" : "Synkroniser klienter", "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ser ikke ut til å være satt opp riktig for å lese systemets miljøvariabler. Testen med getenv(\"PATH\") returnerer bare et tomt svar.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Sjekk installasjonsdokumentasjonen ↗ etter php-oppsettssnotater og oppsett av PHP på tjeneren din, særlig om du bruker php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "Det ser ut for at PHP er satt opp til å fjerne innebygde doc-blokker. Dette gjør at flere av kjerneprogrammene blir utilgjengelige.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-modulen 'fileinfo' mangler. Vi anbefaler at du aktiverer denne modulen for å kunne detektere MIME-typen korrekt.", + "This means that there might be problems with certain characters in file names." : "Dette betyr at det kan forekomme problemer med visse tegn i filnavn.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "For å kjøre denne trenger du «PHP posix extension». Se {linkstart}PHP dokumentasjonen{linkend} for flere detaljer.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "For å migrere til en annen database, bruk kommandolinjeverktøyet: 'occ db:convert-type', eller les i dokumentasjonen ↗.", "Get the apps to sync your files" : "Hent programmer som synkroniserer filene dine", "Desktop client" : "Skrivebordsklient", "Android app" : "Android-program", diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index 2faeda67d36f1..24af47be50150 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -394,6 +394,12 @@ "Sync clients" : "Synkroniser klienter", "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ser ikke ut til å være satt opp riktig for å lese systemets miljøvariabler. Testen med getenv(\"PATH\") returnerer bare et tomt svar.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Sjekk installasjonsdokumentasjonen ↗ etter php-oppsettssnotater og oppsett av PHP på tjeneren din, særlig om du bruker php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "Det ser ut for at PHP er satt opp til å fjerne innebygde doc-blokker. Dette gjør at flere av kjerneprogrammene blir utilgjengelige.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-modulen 'fileinfo' mangler. Vi anbefaler at du aktiverer denne modulen for å kunne detektere MIME-typen korrekt.", + "This means that there might be problems with certain characters in file names." : "Dette betyr at det kan forekomme problemer med visse tegn i filnavn.", + "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "For å kjøre denne trenger du «PHP posix extension». Se {linkstart}PHP dokumentasjonen{linkend} for flere detaljer.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "For å migrere til en annen database, bruk kommandolinjeverktøyet: 'occ db:convert-type', eller les i dokumentasjonen ↗.", "Get the apps to sync your files" : "Hent programmer som synkroniserer filene dine", "Desktop client" : "Skrivebordsklient", "Android app" : "Android-program", From 38a03f319371d4599b0027feeded70c89a2fc4e2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Daniel=20Calvi=C3=B1o=20S=C3=A1nchez?= Date: Thu, 15 Feb 2018 16:25:11 +0100 Subject: [PATCH 097/251] Add acceptance tests for comments to Drone MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Daniel Calviño Sánchez --- .drone.yml | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/.drone.yml b/.drone.yml index 63c9b191fc249..d05e2bcbe285a 100644 --- a/.drone.yml +++ b/.drone.yml @@ -615,6 +615,13 @@ pipeline: when: matrix: TESTS-ACCEPTANCE: access-levels + acceptance-app-comments: + image: nextcloudci/integration-php7.0:integration-php7.0-6 + commands: + - tests/acceptance/run-local.sh --timeout-multiplier 10 --nextcloud-server-domain acceptance-app-comments --selenium-server selenium:4444 allow-git-repository-modifications features/app-comments.feature + when: + matrix: + TESTS-ACCEPTANCE: app-comments acceptance-app-files: image: nextcloudci/integration-php7.0:integration-php7.0-6 commands: @@ -813,6 +820,8 @@ matrix: - TESTS: integration-remote-api - TESTS: acceptance TESTS-ACCEPTANCE: access-levels + - TESTS: acceptance + TESTS-ACCEPTANCE: app-comments - TESTS: acceptance TESTS-ACCEPTANCE: app-files - TESTS: acceptance From f6737e43e90b6fc56bd4ccce2f872eed0a1af3e4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Daniel=20Calvi=C3=B1o=20S=C3=A1nchez?= Date: Thu, 15 Feb 2018 16:34:48 +0100 Subject: [PATCH 098/251] Move locators above step definitions MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit The locators are moved above the step definitions for consistency with other context files; besides that I made some minor adjustments for consistency too in the locator descriptions and identation, and moved the locators for ".newCommentRow" descendants together. Signed-off-by: Daniel Calviño Sánchez --- .../features/bootstrap/CommentsAppContext.php | 47 ++++++++++--------- 1 file changed, 26 insertions(+), 21 deletions(-) diff --git a/tests/acceptance/features/bootstrap/CommentsAppContext.php b/tests/acceptance/features/bootstrap/CommentsAppContext.php index 64d1dc69bc4a4..83a2476eb91d4 100644 --- a/tests/acceptance/features/bootstrap/CommentsAppContext.php +++ b/tests/acceptance/features/bootstrap/CommentsAppContext.php @@ -26,6 +26,32 @@ class CommentsAppContext implements Context, ActorAwareInterface { use ActorAware; + /** + * @return Locator + */ + public static function newCommentField() { + return Locator::forThe()->css("div.newCommentRow .message")-> + descendantOf(FilesAppContext::currentSectionDetailsView())-> + describedAs("New comment field in current section details view in Files app"); + } + + /** + * @return Locator + */ + public static function submitNewCommentButton() { + return Locator::forThe()->css("div.newCommentRow .submit")-> + descendantOf(FilesAppContext::currentSectionDetailsView())-> + describedAs("Submit new comment button in current section details view in Files app"); + } + + /** + * @return Locator + */ + public static function commentFields() { + return Locator::forThe()->css(".comments .comment .message")-> + descendantOf(FilesAppContext::currentSectionDetailsView())-> + describedAs("Comment fields in current section details view in Files app"); + } /** * @When /^I create a new comment with "([^"]*)" as message$/ @@ -58,25 +84,4 @@ public function isCommentAdded() { } return true; } - - /** - * @return Locator - */ - public static function newCommentField() { - return Locator::forThe()->css("div.newCommentRow .message")->descendantOf(FilesAppContext::currentSectionDetailsView())-> - describedAs("New comment field in the details view in Files app"); - } - - public static function commentFields() { - return Locator::forThe()->css(".comments .comment .message")->descendantOf(FilesAppContext::currentSectionDetailsView())-> - describedAs("Comment fields in the details view in Files app"); - } - - /** - * @return Locator - */ - public static function submitNewCommentButton() { - return Locator::forThe()->css("div.newCommentRow .submit")->descendantOf(FilesAppContext::currentSectionDetailsView())-> - describedAs("Submit new comment button in the details view in Files app"); - } } From d9e66b211499b611d08c7e7a914c050fdfa31597 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Daniel=20Calvi=C3=B1o=20S=C3=A1nchez?= Date: Thu, 15 Feb 2018 16:55:42 +0100 Subject: [PATCH 099/251] Adjust timeouts in the step to create a new comment MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Depending on the previous steps the new comment field may be already shown or not when the step to create a new comment is executed. Therefore, the timeout was increased from 2 to the "standard" 10 seconds used in other tests. If the new comment field was found there is no need to use a timeout when looking for the new comment button; it is either there or not, it will not appear after some time. Signed-off-by: Daniel Calviño Sánchez --- tests/acceptance/features/bootstrap/CommentsAppContext.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/acceptance/features/bootstrap/CommentsAppContext.php b/tests/acceptance/features/bootstrap/CommentsAppContext.php index 83a2476eb91d4..8bc0f28ca34b2 100644 --- a/tests/acceptance/features/bootstrap/CommentsAppContext.php +++ b/tests/acceptance/features/bootstrap/CommentsAppContext.php @@ -57,8 +57,8 @@ public static function commentFields() { * @When /^I create a new comment with "([^"]*)" as message$/ */ public function iCreateANewCommentWithAsMessage($commentText) { - $this->actor->find(self::newCommentField(), 2)->setValue($commentText); - $this->actor->find(self::submitNewCommentButton(), 2)->click(); + $this->actor->find(self::newCommentField(), 10)->setValue($commentText); + $this->actor->find(self::submitNewCommentButton())->click(); } /** From 5fd7de527553ae892b80ca63afe60f14d85a5f6d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Daniel=20Calvi=C3=B1o=20S=C3=A1nchez?= Date: Thu, 15 Feb 2018 17:30:51 +0100 Subject: [PATCH 100/251] Take into account the comment message when looking for it MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Instead of checking that the list contains one comment it is now checked that a comment with certain message is visible. This makes the step (and the locator) more reusable in future tests and also simplifies the code. Signed-off-by: Daniel Calviño Sánchez --- .../acceptance/features/app-comments.feature | 2 +- .../features/bootstrap/CommentsAppContext.php | 39 ++++++++----------- 2 files changed, 17 insertions(+), 24 deletions(-) diff --git a/tests/acceptance/features/app-comments.feature b/tests/acceptance/features/app-comments.feature index 81fc6f89ad112..a5bdb0aa745ab 100644 --- a/tests/acceptance/features/app-comments.feature +++ b/tests/acceptance/features/app-comments.feature @@ -5,4 +5,4 @@ Feature: app-comments And I open the details view for "welcome.txt" And I open the "Comments" tab in the details view When I create a new comment with "Hello world" as message - Then I see that a comment was added + Then I see a comment with "Hello world" as message diff --git a/tests/acceptance/features/bootstrap/CommentsAppContext.php b/tests/acceptance/features/bootstrap/CommentsAppContext.php index 8bc0f28ca34b2..7e804cfac2326 100644 --- a/tests/acceptance/features/bootstrap/CommentsAppContext.php +++ b/tests/acceptance/features/bootstrap/CommentsAppContext.php @@ -47,10 +47,19 @@ public static function submitNewCommentButton() { /** * @return Locator */ - public static function commentFields() { - return Locator::forThe()->css(".comments .comment .message")-> + public static function commentList() { + return Locator::forThe()->css("ul.comments")-> descendantOf(FilesAppContext::currentSectionDetailsView())-> - describedAs("Comment fields in current section details view in Files app"); + describedAs("Comment list in current section details view in Files app"); + } + + /** + * @return Locator + */ + public static function commentWithText($text) { + return Locator::forThe()->xpath("//div[normalize-space() = '$text']/ancestor::li")-> + descendantOf(self::commentList())-> + describedAs("Comment with text \"$text\" in current section details view in Files app"); } /** @@ -62,26 +71,10 @@ public function iCreateANewCommentWithAsMessage($commentText) { } /** - * @Then /^I see that a comment was added$/ + * @Then /^I see a comment with "([^"]*)" as message$/ */ - public function iSeeThatACommentWasAdded() { - $self = $this; - - $result = Utils::waitFor(function () use ($self) { - return $self->isCommentAdded(); - }, 5, 0.5); - - PHPUnit_Framework_Assert::assertTrue($result); - } - - public function isCommentAdded() { - try { - $locator = self::commentFields(); - $comments = $this->actor->getSession()->getPage()->findAll($locator->getSelector(), $locator->getLocator()); - PHPUnit_Framework_Assert::assertSame(1, count($comments)); - } catch (PHPUnit_Framework_ExpectationFailedException $e) { - return false; - } - return true; + public function iSeeACommentWithAsMessage($commentText) { + PHPUnit_Framework_Assert::assertTrue( + $this->actor->find(self::commentWithText($commentText), 10)->isVisible()); } } From b631cc128642bcc08cd461ce098b4601fb4ab37f Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Sat, 17 Feb 2018 01:12:30 +0000 Subject: [PATCH 101/251] [tx-robot] updated from transifex --- apps/federatedfilesharing/l10n/ja.js | 1 + apps/federatedfilesharing/l10n/ja.json | 1 + apps/files/l10n/ja.js | 14 +++- apps/files/l10n/ja.json | 14 +++- apps/files_external/l10n/ast.js | 1 + apps/files_external/l10n/ast.json | 1 + apps/files_external/l10n/ja.js | 12 +++- apps/files_external/l10n/ja.json | 12 +++- apps/files_sharing/l10n/ja.js | 4 +- apps/files_sharing/l10n/ja.json | 4 +- apps/files_sharing/l10n/pt_PT.js | 1 + apps/files_sharing/l10n/pt_PT.json | 1 + apps/oauth2/l10n/ast.js | 1 + apps/oauth2/l10n/ast.json | 1 + apps/theming/l10n/ast.js | 2 + apps/theming/l10n/ast.json | 2 + apps/workflowengine/l10n/ja.js | 1 + apps/workflowengine/l10n/ja.json | 1 + core/l10n/pt_PT.js | 21 +++++- core/l10n/pt_PT.json | 21 +++++- lib/l10n/ast.js | 1 + lib/l10n/ast.json | 1 + lib/l10n/pt_PT.js | 90 +++++++++++++++++++++++++- lib/l10n/pt_PT.json | 90 +++++++++++++++++++++++++- settings/l10n/ast.js | 1 + settings/l10n/ast.json | 1 + settings/l10n/fi.js | 17 +++++ settings/l10n/fi.json | 17 +++++ 28 files changed, 324 insertions(+), 10 deletions(-) diff --git a/apps/federatedfilesharing/l10n/ja.js b/apps/federatedfilesharing/l10n/ja.js index c25ab82bc3c7d..a310958d70904 100644 --- a/apps/federatedfilesharing/l10n/ja.js +++ b/apps/federatedfilesharing/l10n/ja.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "#Nextcloud の「クラウド共有ID」で私と共有できます。こちらを見てください。%s", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud の「クラウド共有ID」で私と共有できます。", "Sharing" : "共有中", + "Federated file sharing" : "連携共有", "Federated Cloud Sharing" : "統合されたクラウド共有", "Open documentation" : "ドキュメントを開く", "Adjust how people can share between servers." : "サーバー間でどうやって共有するかを調整する", diff --git a/apps/federatedfilesharing/l10n/ja.json b/apps/federatedfilesharing/l10n/ja.json index 678700546319e..89c5c06bf1b15 100644 --- a/apps/federatedfilesharing/l10n/ja.json +++ b/apps/federatedfilesharing/l10n/ja.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "#Nextcloud の「クラウド共有ID」で私と共有できます。こちらを見てください。%s", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud の「クラウド共有ID」で私と共有できます。", "Sharing" : "共有中", + "Federated file sharing" : "連携共有", "Federated Cloud Sharing" : "統合されたクラウド共有", "Open documentation" : "ドキュメントを開く", "Adjust how people can share between servers." : "サーバー間でどうやって共有するかを調整する", diff --git a/apps/files/l10n/ja.js b/apps/files/l10n/ja.js index 7629e27378443..e7e754f5ead03 100644 --- a/apps/files/l10n/ja.js +++ b/apps/files/l10n/ja.js @@ -16,7 +16,10 @@ OC.L10N.register( "Not enough free space, you are uploading {size1} but only {size2} is left" : "空き容量が十分でなく、 {size1} をアップロードしていますが、 {size2} しか残っていません。", "Target folder \"{dir}\" does not exist any more" : "対象フォルダー \"{dir}\" がもう存在しません", "Not enough free space" : "十分な空き容量がありません", + "Uploading …" : "アップロード中...", + "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{totalSize} 中 {loadedSize} ({bitrate})", + "Target folder does not exist any more" : "対象フォルダーがもう存在しません", "Actions" : "アクション", "Download" : "ダウンロード", "Rename" : "名前の変更", @@ -56,8 +59,11 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "ここにファイルをアップロードもしくは作成する権限がありません", "_Uploading %n file_::_Uploading %n files_" : ["%n 個のファイルをアップロード中"], "New" : "新規作成", + "{used} of {quota} used" : "{used} / {quota} 使用中", + "{used} used" : "{used} 使用中", "\"{name}\" is an invalid file name." : "\"{name}\" は無効なファイル名です。", "File name cannot be empty." : "ファイル名を空にすることはできません。", + "\"/\" is not allowed inside a file name." : "\"/\" はファイル名に利用できません。", "\"{name}\" is not an allowed filetype" : "\"{name}\" は無効なファイル形式です", "Storage of {owner} is full, files can not be updated or synced anymore!" : "{owner} のストレージは一杯です。ファイルの更新と同期はもうできません!", "Your storage is full, files can not be updated or synced anymore!" : "あなたのストレージは一杯です。ファイルの更新と同期はもうできません!", @@ -73,6 +79,9 @@ OC.L10N.register( "Favorite" : "お気に入り", "New folder" : "新しいフォルダー", "Upload file" : "ファイルをアップロード", + "Not favorited" : "お気に入りではありません", + "Remove from favorites" : "お気に入りから削除", + "Add to favorites" : "お気に入りに追加", "An error occurred while trying to update the tags" : "タグを更新する際にエラーが発生しました", "Added to favorites" : "お気に入りに追加", "Removed from favorites" : "お気に入りから削除", @@ -118,6 +127,8 @@ OC.L10N.register( "Settings" : "設定", "Show hidden files" : "隠しファイルを表示", "WebDAV" : "WebDAV", + "Use this address to access your Files via WebDAV" : "WebDAV 経由でファイルにアクセスするにはこのアドレスを利用してください", + "Cancel upload" : "アップロードをキャンセル", "No files in here" : "ファイルがありません", "Upload some content or sync with your devices!" : "何かコンテンツをアップロードするか、デバイスからファイルを同期してください。", "No entries found in this folder" : "このフォルダーにはエントリーがありません", @@ -132,6 +143,7 @@ OC.L10N.register( "Tags" : "タグ", "Deleted files" : "ゴミ箱", "Text file" : "テキストファイル", - "New text file.txt" : "新規のテキストファイル作成" + "New text file.txt" : "新規のテキストファイル作成", + "Move" : "移動" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ja.json b/apps/files/l10n/ja.json index 1af3dbeb40b17..a643d750f1ca7 100644 --- a/apps/files/l10n/ja.json +++ b/apps/files/l10n/ja.json @@ -14,7 +14,10 @@ "Not enough free space, you are uploading {size1} but only {size2} is left" : "空き容量が十分でなく、 {size1} をアップロードしていますが、 {size2} しか残っていません。", "Target folder \"{dir}\" does not exist any more" : "対象フォルダー \"{dir}\" がもう存在しません", "Not enough free space" : "十分な空き容量がありません", + "Uploading …" : "アップロード中...", + "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{totalSize} 中 {loadedSize} ({bitrate})", + "Target folder does not exist any more" : "対象フォルダーがもう存在しません", "Actions" : "アクション", "Download" : "ダウンロード", "Rename" : "名前の変更", @@ -54,8 +57,11 @@ "You don’t have permission to upload or create files here" : "ここにファイルをアップロードもしくは作成する権限がありません", "_Uploading %n file_::_Uploading %n files_" : ["%n 個のファイルをアップロード中"], "New" : "新規作成", + "{used} of {quota} used" : "{used} / {quota} 使用中", + "{used} used" : "{used} 使用中", "\"{name}\" is an invalid file name." : "\"{name}\" は無効なファイル名です。", "File name cannot be empty." : "ファイル名を空にすることはできません。", + "\"/\" is not allowed inside a file name." : "\"/\" はファイル名に利用できません。", "\"{name}\" is not an allowed filetype" : "\"{name}\" は無効なファイル形式です", "Storage of {owner} is full, files can not be updated or synced anymore!" : "{owner} のストレージは一杯です。ファイルの更新と同期はもうできません!", "Your storage is full, files can not be updated or synced anymore!" : "あなたのストレージは一杯です。ファイルの更新と同期はもうできません!", @@ -71,6 +77,9 @@ "Favorite" : "お気に入り", "New folder" : "新しいフォルダー", "Upload file" : "ファイルをアップロード", + "Not favorited" : "お気に入りではありません", + "Remove from favorites" : "お気に入りから削除", + "Add to favorites" : "お気に入りに追加", "An error occurred while trying to update the tags" : "タグを更新する際にエラーが発生しました", "Added to favorites" : "お気に入りに追加", "Removed from favorites" : "お気に入りから削除", @@ -116,6 +125,8 @@ "Settings" : "設定", "Show hidden files" : "隠しファイルを表示", "WebDAV" : "WebDAV", + "Use this address to access your Files via WebDAV" : "WebDAV 経由でファイルにアクセスするにはこのアドレスを利用してください", + "Cancel upload" : "アップロードをキャンセル", "No files in here" : "ファイルがありません", "Upload some content or sync with your devices!" : "何かコンテンツをアップロードするか、デバイスからファイルを同期してください。", "No entries found in this folder" : "このフォルダーにはエントリーがありません", @@ -130,6 +141,7 @@ "Tags" : "タグ", "Deleted files" : "ゴミ箱", "Text file" : "テキストファイル", - "New text file.txt" : "新規のテキストファイル作成" + "New text file.txt" : "新規のテキストファイル作成", + "Move" : "移動" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_external/l10n/ast.js b/apps/files_external/l10n/ast.js index 294c3f38b5395..28d44e12b6d7f 100644 --- a/apps/files_external/l10n/ast.js +++ b/apps/files_external/l10n/ast.js @@ -11,6 +11,7 @@ OC.L10N.register( "Error generating key pair" : "Fallu xenerando'l par de claves", "All users. Type to select user or group." : "Tolos usuarios. Escribe pa seleccionar usuariu o grupu.", "(group)" : "(grupu)", + "Delete storage?" : "¿Desaniciar almacenamientu?", "Saved" : "Guardáu", "Saving..." : "Guardando...", "Save" : "Guardar", diff --git a/apps/files_external/l10n/ast.json b/apps/files_external/l10n/ast.json index 1f30910b7450b..7898a38e01dbe 100644 --- a/apps/files_external/l10n/ast.json +++ b/apps/files_external/l10n/ast.json @@ -9,6 +9,7 @@ "Error generating key pair" : "Fallu xenerando'l par de claves", "All users. Type to select user or group." : "Tolos usuarios. Escribe pa seleccionar usuariu o grupu.", "(group)" : "(grupu)", + "Delete storage?" : "¿Desaniciar almacenamientu?", "Saved" : "Guardáu", "Saving..." : "Guardando...", "Save" : "Guardar", diff --git a/apps/files_external/l10n/ja.js b/apps/files_external/l10n/ja.js index 4cb446d630548..fc9ceed9ca5f8 100644 --- a/apps/files_external/l10n/ja.js +++ b/apps/files_external/l10n/ja.js @@ -75,6 +75,7 @@ OC.L10N.register( "Region" : "リージョン", "Enable SSL" : "SSLを有効", "Enable Path Style" : "パス形式を有効", + "Legacy (v2) authentication" : "レガシー認証(v2)", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "リモートサブフォルダー", @@ -99,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHPでのcURLのサポートが有効になっていないか、インストールされていません。 %s のマウントは不可能です。システム管理者にインストールを依頼してください。", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHPのFTPサポートが有効になっていないか、インストールされていません。%s のマウントは不可能です。システム管理者にインストールを依頼してください。", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\"はインストールされていません。 %s のマウントは不可能です。システム管理者にインストールを依頼してください。", + "External storage support" : "外部ストレージのサポート", "No external storage configured" : "外部ストレージは設定されていません", "You can add external storages in the personal settings" : "個人設定で外部ストレージを設定することができます。", "Name" : "名前", @@ -119,6 +121,14 @@ OC.L10N.register( "Advanced settings" : "詳細設定", "Delete" : "削除", "Allow users to mount external storage" : "ユーザーに外部ストレージの接続を許可する", - "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する" + "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "リクエストトークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "アクセストークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", + "Step 1 failed. Exception: %s" : "ステップ 1 の実行に失敗しました。例外: %s", + "Step 2 failed. Exception: %s" : "ステップ 2 の実行に失敗しました。例外: %s", + "Dropbox App Configuration" : "Dropbox アプリ設定", + "Google Drive App Configuration" : "Google アプリ設定", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" }, "nplurals=1; plural=0;"); diff --git a/apps/files_external/l10n/ja.json b/apps/files_external/l10n/ja.json index cb5e680a8b4ea..ed1d339368d54 100644 --- a/apps/files_external/l10n/ja.json +++ b/apps/files_external/l10n/ja.json @@ -73,6 +73,7 @@ "Region" : "リージョン", "Enable SSL" : "SSLを有効", "Enable Path Style" : "パス形式を有効", + "Legacy (v2) authentication" : "レガシー認証(v2)", "WebDAV" : "WebDAV", "URL" : "URL", "Remote subfolder" : "リモートサブフォルダー", @@ -97,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHPでのcURLのサポートが有効になっていないか、インストールされていません。 %s のマウントは不可能です。システム管理者にインストールを依頼してください。", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "PHPのFTPサポートが有効になっていないか、インストールされていません。%s のマウントは不可能です。システム管理者にインストールを依頼してください。", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "\"%s\"はインストールされていません。 %s のマウントは不可能です。システム管理者にインストールを依頼してください。", + "External storage support" : "外部ストレージのサポート", "No external storage configured" : "外部ストレージは設定されていません", "You can add external storages in the personal settings" : "個人設定で外部ストレージを設定することができます。", "Name" : "名前", @@ -117,6 +119,14 @@ "Advanced settings" : "詳細設定", "Delete" : "削除", "Allow users to mount external storage" : "ユーザーに外部ストレージの接続を許可する", - "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する" + "Allow users to mount the following external storage" : "ユーザーに以下の外部ストレージのマウントを許可する", + "Fetching request tokens failed. Verify that your app key and secret are correct." : "リクエストトークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", + "Fetching access tokens failed. Verify that your app key and secret are correct." : "アクセストークンの取得に失敗しました。アプリのキーとパスワードが正しいことを確認してください。", + "Step 1 failed. Exception: %s" : "ステップ 1 の実行に失敗しました。例外: %s", + "Step 2 failed. Exception: %s" : "ステップ 2 の実行に失敗しました。例外: %s", + "Dropbox App Configuration" : "Dropbox アプリ設定", + "Google Drive App Configuration" : "Google アプリ設定", + "Dropbox" : "Dropbox", + "Google Drive" : "Google Drive" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ja.js b/apps/files_sharing/l10n/ja.js index a9df4eb22daeb..e0ea814ebd7b9 100644 --- a/apps/files_sharing/l10n/ja.js +++ b/apps/files_sharing/l10n/ja.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "URLリンク共有のパーミッションを変更できません", "Cannot increase permissions" : "パーミッションを追加できません", "Share API is disabled" : "共有APIが無効です。", + "File sharing" : "ファイル共有", "This share is password-protected" : "この共有はパスワードで保護されています", "The password is wrong. Try again." : "パスワードが間違っています。再試行してください。", "Password" : "パスワード", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "%s にファイルをアップロード", "Select or drop files" : "ファイルを選択するか、ドラッグ&ドロップしてください", "Uploading files…" : "ファイルをアップロード中...", - "Uploaded files:" : "アップロード済ファイル:" + "Uploaded files:" : "アップロード済ファイル:", + "%s is publicly shared" : "%s が公開共有されました" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/ja.json b/apps/files_sharing/l10n/ja.json index dbb7604ee6a0b..0ed2739e522a9 100644 --- a/apps/files_sharing/l10n/ja.json +++ b/apps/files_sharing/l10n/ja.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "URLリンク共有のパーミッションを変更できません", "Cannot increase permissions" : "パーミッションを追加できません", "Share API is disabled" : "共有APIが無効です。", + "File sharing" : "ファイル共有", "This share is password-protected" : "この共有はパスワードで保護されています", "The password is wrong. Try again." : "パスワードが間違っています。再試行してください。", "Password" : "パスワード", @@ -107,6 +108,7 @@ "Upload files to %s" : "%s にファイルをアップロード", "Select or drop files" : "ファイルを選択するか、ドラッグ&ドロップしてください", "Uploading files…" : "ファイルをアップロード中...", - "Uploaded files:" : "アップロード済ファイル:" + "Uploaded files:" : "アップロード済ファイル:", + "%s is publicly shared" : "%s が公開共有されました" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/pt_PT.js b/apps/files_sharing/l10n/pt_PT.js index f2c387e7591da..a2dd0a4708af1 100644 --- a/apps/files_sharing/l10n/pt_PT.js +++ b/apps/files_sharing/l10n/pt_PT.js @@ -86,6 +86,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Não é possível alterar as permissões para as hiperligações de partilha pública", "Cannot increase permissions" : "Não é possível incrementar as permissões", "Share API is disabled" : "A partilha de API está desativada", + "File sharing" : "Partilha de ficheiro", "This share is password-protected" : "Esta partilha está protegida por palavra-passe", "The password is wrong. Try again." : "A palavra-passe está errada. Por favor, tente de novo.", "Password" : "Palavra-passe", diff --git a/apps/files_sharing/l10n/pt_PT.json b/apps/files_sharing/l10n/pt_PT.json index c6ce44a9f88ff..5c17afacf979d 100644 --- a/apps/files_sharing/l10n/pt_PT.json +++ b/apps/files_sharing/l10n/pt_PT.json @@ -84,6 +84,7 @@ "Can't change permissions for public share links" : "Não é possível alterar as permissões para as hiperligações de partilha pública", "Cannot increase permissions" : "Não é possível incrementar as permissões", "Share API is disabled" : "A partilha de API está desativada", + "File sharing" : "Partilha de ficheiro", "This share is password-protected" : "Esta partilha está protegida por palavra-passe", "The password is wrong. Try again." : "A palavra-passe está errada. Por favor, tente de novo.", "Password" : "Palavra-passe", diff --git a/apps/oauth2/l10n/ast.js b/apps/oauth2/l10n/ast.js index ddb11d0b9edc7..07a7510eda655 100644 --- a/apps/oauth2/l10n/ast.js +++ b/apps/oauth2/l10n/ast.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Veceros d'OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 permite a los servicios esternos solicitar accesu a %s.", "Name" : "Nome", diff --git a/apps/oauth2/l10n/ast.json b/apps/oauth2/l10n/ast.json index 5e2db794420e9..53ac163ef17b4 100644 --- a/apps/oauth2/l10n/ast.json +++ b/apps/oauth2/l10n/ast.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Veceros d'OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 permite a los servicios esternos solicitar accesu a %s.", "Name" : "Nome", diff --git a/apps/theming/l10n/ast.js b/apps/theming/l10n/ast.js index 7d205db32a002..1155c63b78cf2 100644 --- a/apps/theming/l10n/ast.js +++ b/apps/theming/l10n/ast.js @@ -8,6 +8,8 @@ OC.L10N.register( "The given web address is too long" : "La direición web dada ye perllarga", "The given slogan is too long" : "La conseña dada ye perllarga", "The given color is invalid" : "El color dau ye perllargu", + "No file was uploaded" : "Nun se xubieron fichjeros", + "Failed to write file to disk." : "Fallu al escribir el ficheru nel discu", "No file uploaded" : "Nun se xubieron ficheros", "Unsupported image type" : "Triba non sofitada d'imaxe", "You are already using a custom theme" : "Yá tas usando un tema personalizáu", diff --git a/apps/theming/l10n/ast.json b/apps/theming/l10n/ast.json index e6a8a2e718ae4..d652ff9d5f5e5 100644 --- a/apps/theming/l10n/ast.json +++ b/apps/theming/l10n/ast.json @@ -6,6 +6,8 @@ "The given web address is too long" : "La direición web dada ye perllarga", "The given slogan is too long" : "La conseña dada ye perllarga", "The given color is invalid" : "El color dau ye perllargu", + "No file was uploaded" : "Nun se xubieron fichjeros", + "Failed to write file to disk." : "Fallu al escribir el ficheru nel discu", "No file uploaded" : "Nun se xubieron ficheros", "Unsupported image type" : "Triba non sofitada d'imaxe", "You are already using a custom theme" : "Yá tas usando un tema personalizáu", diff --git a/apps/workflowengine/l10n/ja.js b/apps/workflowengine/l10n/ja.js index 77f73ff79560b..a6eca63cbc936 100644 --- a/apps/workflowengine/l10n/ja.js +++ b/apps/workflowengine/l10n/ja.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "チェック %s は無効です", "Check #%s does not exist" : "チェック #%s は存在しません", "Workflow" : "ワークフロー", + "Files workflow engine" : "ファイルワークフローエンジン", "Open documentation" : "ドキュメントを開く", "Add rule group" : "ルールグループを追加する", "Short rule description" : "ルールの簡潔な説明", diff --git a/apps/workflowengine/l10n/ja.json b/apps/workflowengine/l10n/ja.json index ecaf3af32f5b3..3f3b5673a2487 100644 --- a/apps/workflowengine/l10n/ja.json +++ b/apps/workflowengine/l10n/ja.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "チェック %s は無効です", "Check #%s does not exist" : "チェック #%s は存在しません", "Workflow" : "ワークフロー", + "Files workflow engine" : "ファイルワークフローエンジン", "Open documentation" : "ドキュメントを開く", "Add rule group" : "ルールグループを追加する", "Short rule description" : "ルールの簡潔な説明", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 58e7a617482de..02c2423e6a48b 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -41,6 +41,7 @@ OC.L10N.register( "Checking updates of apps" : "A procurar por atualizações das aplicações", "Checking for update of app \"%s\" in appstore" : "A procurar por atualizações da aplicação \"%s\" na appstore", "Update app \"%s\" from appstore" : "Atualizar app \"%s\" da appstore", + "Checked for update of app \"%s\" in appstore" : "Actualização pra a aplicação \"%s\" procuradas na loja.", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados para %s pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", "Checked database schema update for apps" : "Atualização do esquema da base de dados para as aplicações verificada.", "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", @@ -59,6 +60,7 @@ OC.L10N.register( "Looking for {term} …" : "Procurando por {term} …", "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", "No action available" : "Nenhuma acção disponível", + "Error fetching contact actions" : "Erro ao obter acções dos contactos", "Settings" : "Configurações", "Connection to server lost" : "Ligação perdida ao servidor", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], @@ -106,6 +108,12 @@ OC.L10N.register( "So-so password" : "Senha aceitável", "Good password" : "Senha boa", "Strong password" : "Senha forte", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "O seu servidor da Web não está configurado corretamente para permitir a sincronização de ficheiros, porque a interface WebDAV parece estar com problemas.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "O seu servidor web não está configurado corretamente para resolver \"{url}\". Mais informação pode ser encontrada na nossa documentação.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the Internet to enjoy all features." : "Este servidor não tem ligação à Internet: Não foi possível detectar vários pontos de extremidade. Isso significa que alguns dos recursos como a montagem de armazenamento externo, notificações sobre actualizações ou instalação de aplicações de terceiros não funcionarão. Pode também não ser possível aceder a ficheiros remotamente e enviar emails de notificação. Sugerimos que active a ligação à Internet para este servidor se desejar ter todos os recursos.", + "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Nenhuma memória cache foi configurada. Para melhorar o seu desempenho, por favor configure a memcache, se disponível. Mais informação pode ser encontrada na nossa documentation.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom não é legível pelo PHP, o que é altamente desencorajado por motivos de segurança. Pode ser encontrada mais informação na documentação.", + "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Neste momento está a executar PHP {version}. Aconselhamos actualizar a versão de PHP para tirar partido das actualizações de desempenho e segurança fornecidas pelo PHP Group assim que a sua distribuição as suporte.", "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", "Shared" : "Partilhado", "Shared with" : "Partilhado com ", @@ -160,6 +168,7 @@ OC.L10N.register( "{sharee} (email)" : "{sharee} (email)", "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", "Share" : "Partilhar", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo, um identificador de federação ou um endereço de e-mail.", "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", "Share with other people by entering a user or group or an email address." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", "Name or email address..." : "Nome ou endereço de email...", @@ -219,6 +228,7 @@ OC.L10N.register( "Trace" : "Rasto", "Security warning" : "Aviso de Segurança", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da internet pois o ficheiro .htaccess não funciona.", + "For information how to properly configure your server, please see the documentation." : "Para obter informações de como configurar correctamente o servidor, veja em: documentação.", "Create an admin account" : "Criar uma conta administrativa", "Username" : "Nome de utilizador", "Storage & database" : "Armazenamento e base de dados", @@ -257,6 +267,9 @@ OC.L10N.register( "Forgot password?" : "Senha esquecida?", "Back to log in" : "Voltar à entrada", "Alternative Logins" : "Contas de Acesso Alternativas", + "Account access" : "Acesso a conta", + "You are about to grant %s access to your %s account." : "Está prestes a permitir %s aceder á sua conta %s.", + "Grant access" : "Conceder acesso", "Redirecting …" : "A redirecionar...", "New password" : "Nova senha", "New Password" : "Nova senha", @@ -280,6 +293,12 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", - "Thank you for your patience." : "Obrigado pela sua paciência." + "Thank you for your patience." : "Obrigado pela sua paciência.", + "This action requires you to confirm your password:" : "Esta acção requer a confirmação da senha:", + "Wrong password. Reset it?" : "Senha errada. Redefini-la?", + "You are about to grant \"%s\" access to your %s account." : "Está prestes a permitir \"%s\" aceder à sua conta %s.", + "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", + "For help, see the documentation." : "Para obter ajuda, consulte a documentação." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index 53b19e170e8aa..fa289b6ed2e8c 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -39,6 +39,7 @@ "Checking updates of apps" : "A procurar por atualizações das aplicações", "Checking for update of app \"%s\" in appstore" : "A procurar por atualizações da aplicação \"%s\" na appstore", "Update app \"%s\" from appstore" : "Atualizar app \"%s\" da appstore", + "Checked for update of app \"%s\" in appstore" : "Actualização pra a aplicação \"%s\" procuradas na loja.", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "A verificar se o esquema da base de dados para %s pode ser atualizado (isto pode demorar algum tempo dependendo do tamanho da base de dados)", "Checked database schema update for apps" : "Atualização do esquema da base de dados para as aplicações verificada.", "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", @@ -57,6 +58,7 @@ "Looking for {term} …" : "Procurando por {term} …", "There were problems with the code integrity check. More information…" : "Existiram alguns problemas com a verificação de integridade do código. Mais informação…", "No action available" : "Nenhuma acção disponível", + "Error fetching contact actions" : "Erro ao obter acções dos contactos", "Settings" : "Configurações", "Connection to server lost" : "Ligação perdida ao servidor", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Problema a carregar a página. A recarregar dentro de %n segundos","Problema ao carregar a página. A recarregar dentro de %n segundos"], @@ -104,6 +106,12 @@ "So-so password" : "Senha aceitável", "Good password" : "Senha boa", "Strong password" : "Senha forte", + "Your web server is not yet properly set up to allow file synchronization, because the WebDAV interface seems to be broken." : "O seu servidor da Web não está configurado corretamente para permitir a sincronização de ficheiros, porque a interface WebDAV parece estar com problemas.", + "Your web server is not properly set up to resolve \"{url}\". Further information can be found in the documentation." : "O seu servidor web não está configurado corretamente para resolver \"{url}\". Mais informação pode ser encontrada na nossa documentação.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the Internet to enjoy all features." : "Este servidor não tem ligação à Internet: Não foi possível detectar vários pontos de extremidade. Isso significa que alguns dos recursos como a montagem de armazenamento externo, notificações sobre actualizações ou instalação de aplicações de terceiros não funcionarão. Pode também não ser possível aceder a ficheiros remotamente e enviar emails de notificação. Sugerimos que active a ligação à Internet para este servidor se desejar ter todos os recursos.", + "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Nenhuma memória cache foi configurada. Para melhorar o seu desempenho, por favor configure a memcache, se disponível. Mais informação pode ser encontrada na nossa documentation.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom não é legível pelo PHP, o que é altamente desencorajado por motivos de segurança. Pode ser encontrada mais informação na documentação.", + "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Neste momento está a executar PHP {version}. Aconselhamos actualizar a versão de PHP para tirar partido das actualizações de desempenho e segurança fornecidas pelo PHP Group assim que a sua distribuição as suporte.", "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", "Shared" : "Partilhado", "Shared with" : "Partilhado com ", @@ -158,6 +166,7 @@ "{sharee} (email)" : "{sharee} (email)", "{sharee} ({type}, {owner})" : "{sharee} ({type}, {owner})", "Share" : "Partilhar", + "Share with other people by entering a user or group, a federated cloud ID or an email address." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo, um identificador de federação ou um endereço de e-mail.", "Share with other people by entering a user or group or a federated cloud ID." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo, um ID de cloud federada ou um endereço de e-mail.", "Share with other people by entering a user or group or an email address." : "Partilhar com terceiros introduzindo um nome de utilizador ou grupo ou um endereço de e-mail.", "Name or email address..." : "Nome ou endereço de email...", @@ -217,6 +226,7 @@ "Trace" : "Rasto", "Security warning" : "Aviso de Segurança", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "A pasta de dados e os respetivos ficheiros estão provavelmente acessíveis a partir da internet pois o ficheiro .htaccess não funciona.", + "For information how to properly configure your server, please see the documentation." : "Para obter informações de como configurar correctamente o servidor, veja em: documentação.", "Create an admin account" : "Criar uma conta administrativa", "Username" : "Nome de utilizador", "Storage & database" : "Armazenamento e base de dados", @@ -255,6 +265,9 @@ "Forgot password?" : "Senha esquecida?", "Back to log in" : "Voltar à entrada", "Alternative Logins" : "Contas de Acesso Alternativas", + "Account access" : "Acesso a conta", + "You are about to grant %s access to your %s account." : "Está prestes a permitir %s aceder á sua conta %s.", + "Grant access" : "Conceder acesso", "Redirecting …" : "A redirecionar...", "New password" : "Nova senha", "New Password" : "Nova senha", @@ -278,6 +291,12 @@ "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", - "Thank you for your patience." : "Obrigado pela sua paciência." + "Thank you for your patience." : "Obrigado pela sua paciência.", + "This action requires you to confirm your password:" : "Esta acção requer a confirmação da senha:", + "Wrong password. Reset it?" : "Senha errada. Redefini-la?", + "You are about to grant \"%s\" access to your %s account." : "Está prestes a permitir \"%s\" aceder à sua conta %s.", + "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", + "For help, see the documentation." : "Para obter ajuda, consulte a documentação." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/ast.js b/lib/l10n/ast.js index 73955dbdb933a..3d9a5084ab9ba 100644 --- a/lib/l10n/ast.js +++ b/lib/l10n/ast.js @@ -25,6 +25,7 @@ OC.L10N.register( "Invalid image" : "Imaxe inválida", "Avatar image is not square" : "La imaxe del avatar nun ye cuadrada", "today" : "güei", + "tomorrow" : "mañana", "yesterday" : "ayeri", "_%n day ago_::_%n days ago_" : ["hai %n día","hai %n díes"], "last month" : "mes caberu", diff --git a/lib/l10n/ast.json b/lib/l10n/ast.json index 3e0047ee423c9..a52d3721b34ee 100644 --- a/lib/l10n/ast.json +++ b/lib/l10n/ast.json @@ -23,6 +23,7 @@ "Invalid image" : "Imaxe inválida", "Avatar image is not square" : "La imaxe del avatar nun ye cuadrada", "today" : "güei", + "tomorrow" : "mañana", "yesterday" : "ayeri", "_%n day ago_::_%n days ago_" : ["hai %n día","hai %n díes"], "last month" : "mes caberu", diff --git a/lib/l10n/pt_PT.js b/lib/l10n/pt_PT.js index 223f7286a0051..77d44beac2c86 100644 --- a/lib/l10n/pt_PT.js +++ b/lib/l10n/pt_PT.js @@ -7,6 +7,10 @@ OC.L10N.register( "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de configuração ao servidor web. Ver %s.", "Sample configuration detected" : "Detetado exemplo de configuração", "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Foi detectado que a configuração de amostra foi copiada. Isso pode danificar a sua instalação e não é suportado. Por favor, leia a documentação antes de realizar mudanças no config.php", + "%1$s and %2$s" : "%1$s e %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s e %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s e %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s e %5$s", "PHP %s or higher is required." : "Necessário PHP %s ou superior.", "PHP with a version lower than %s is required." : "É necessário um PHP com uma versão inferir a %s.", "%sbit or higher PHP required." : "Necessário PHP %sbit ou superior.", @@ -18,13 +22,25 @@ OC.L10N.register( "Following platforms are supported: %s" : "São suportadas as seguintes plataformas: %s", "Unknown filetype" : "Tipo de ficheiro desconhecido", "Invalid image" : "Imagem inválida", + "Avatar image is not square" : "A imagem do avatar não é quadrada.", "today" : "hoje", "tomorrow" : "Amanhã", "yesterday" : "ontem", + "_in %n day_::_in %n days_" : ["em %n dia","em %n dias"], "_%n day ago_::_%n days ago_" : ["%n dia atrás","%n dias atrás"], + "next month" : "Próximo mês", "last month" : "ultimo mês", + "_in %n month_::_in %n months_" : ["em %n mês","em %n meses"], + "_%n month ago_::_%n months ago_" : ["%n mês atrás","%n meses atrás"], + "next year" : "Próximo ano", "last year" : "ano passado", + "_in %n year_::_in %n years_" : ["dentro de%n ano","dentro de%n anos"], "_%n year ago_::_%n years ago_" : ["%n ano atrás","%n anos atrás"], + "_in %n hour_::_in %n hours_" : ["dentro de %n hora","dentro de %n horas"], + "_%n hour ago_::_%n hours ago_" : ["%n hora atrás","%n horas atrás"], + "_in %n minute_::_in %n minutes_" : ["dentro de %n minuto","dentro de %n minutos"], + "_%n minute ago_::_%n minutes ago_" : ["%n minuto atrás","%n minutos atrás"], + "in a few seconds" : "em breves segundos", "seconds ago" : "Minutos atrás", "File name is a reserved word" : "Nome de ficheiro é uma palavra reservada", "File name contains at least one invalid character" : "Nome de ficheiro contém pelo menos um caráter inválido", @@ -39,9 +55,19 @@ OC.L10N.register( "Log out" : "Sair", "Users" : "Utilizadores", "Unknown user" : "Utilizador desconhecido", + "Basic settings" : "Definições básicas", "Sharing" : "Partilhar", "Security" : "Segurança", + "Encryption" : "Encriptação", + "Additional settings" : "Definições adicionais", + "Tips & tricks" : "Dicas e truques", + "Personal info" : "Informação pessoal", + "Sync clients" : "Sincronizar clientes", + "Unlimited" : "Ilimitado", "__language_name__" : "Português", + "Verifying" : "A verificar", + "Verifying …" : "A verificar...", + "Verify" : "Verificar", "%s enter the database username and name." : "%s introduza o nome de utilizador da base de dados e o nome da base de dados.", "%s enter the database username." : "%s introduza o nome de utilizador da base de dados", "%s enter the database name." : "%s introduza o nome da base de dados", @@ -49,6 +75,7 @@ OC.L10N.register( "Oracle connection could not be established" : "Não foi possível estabelecer a ligação Oracle", "Oracle username and/or password not valid" : "Nome de utilizador/password do Oracle inválida", "PostgreSQL username and/or password not valid" : "Nome de utilizador/password do PostgreSQL inválido", + "You need to enter details of an existing account." : "Precisa de introduzir detalhes de uma conta existente.", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Esta plataforma não suporta o sistema operativo Mac OS X e o %s poderá não funcionar correctamente. Utilize por sua conta e risco.", "For the best results, please consider using a GNU/Linux server instead." : "Para um melhor resultado, utilize antes o servidor GNU/Linux.", "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Parece que a instância %s está a ser executada num ambiente PHP de 32-bits e o open_basedir foi configurado no php.ini. Isto levará a problemas com ficheiros de tamanho superior a 4 GB e é altamente desencorajado.", @@ -82,19 +109,74 @@ OC.L10N.register( "Sharing %s failed, because resharing is not allowed" : "A partilha %s falhou, porque repartilhar não é permitido", "Sharing %s failed, because the sharing backend for %s could not find its source" : "A partilha %s falhou porque a partilha da interface para %s não conseguiu encontrar a sua fonte", "Sharing %s failed, because the file could not be found in the file cache" : "A partilha %s falhou, devido ao ficheiro não poder ser encontrado na cache de ficheiros", + "Can’t increase permissions of %s" : "Não é possível aumentar as permissões de %s", + "Files can’t be shared with delete permissions" : "Ficheiros não podem ser partilhados com permissões de apagar", + "Files can’t be shared with create permissions" : "Ficheiros não podem ser partilhados com permissões de criação", "Expiration date is in the past" : "A data de expiração está no passado", + "Can’t set expiration date more than %s days in the future" : "Não é possível definir data de expiração a mais de %s dias no futuro", "%s shared »%s« with you" : "%s partilhado »%s« consigo", + "%s shared »%s« with you." : "%s partilhou »%s« consigo.", + "Click the button below to open it." : "Clicar no botão abaixo para abrir.", + "Open »%s«" : "Abrir »%s«", "%s via %s" : "%s via %s", + "The requested share does not exist anymore" : "A partilha requisitada já não existe", "Could not find category \"%s\"" : "Não foi encontrado a categoria \"%s\"", + "Sunday" : "Domingo", + "Monday" : "Segunda-feira", + "Tuesday" : "Terça-feira", + "Wednesday" : "Quarta-feira", + "Thursday" : "Quinta-feira", + "Friday" : "Sexta-feira", + "Saturday" : "Sábado", + "Sun." : "Dom.", + "Mon." : "Seg.", + "Tue." : "Ter.", + "Wed." : "Qua.", + "Thu." : "Qui.", + "Fri." : "Sex.", + "Sat." : "Sáb.", + "Su" : "Dom", + "Mo" : "Seg", + "Tu" : "Ter", + "We" : "Qua", + "Th" : "Qui", + "Fr" : "Sex", + "Sa" : "Sáb", + "January" : "Janeiro", + "February" : "Fevereiro", + "March" : "Março", + "April" : "Abril", + "May" : "Maio", + "June" : "Junho", + "July" : "Julho", + "August" : "Agosto", + "September" : "Setembro", + "October" : "Outubro", + "November" : "Novembro", + "December" : "Dezembro", + "Jan." : "Jan.", + "Feb." : "Fev.", + "Mar." : "Mar.", + "Apr." : "Abr.", + "May." : "Mai.", + "Jun." : "Jun.", + "Jul." : "Jul.", + "Aug." : "Ago.", + "Sep." : "Set.", + "Oct." : "Out.", + "Nov." : "Nov.", + "Dec." : "Dez.", "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Apenas os seguintes caracteres são permitidos num nome de utilizador: \"a-z\", \"A-Z\", \"0-9\", e \"_.@-'\"", "A valid username must be provided" : "Um nome de utilizador válido deve ser fornecido", "Username contains whitespace at the beginning or at the end" : "Nome de utilizador contém espaço em branco no início ou no fim", + "Username must not consist of dots only" : "O utilizador não pode consistir de apenas pontos", "A valid password must be provided" : "Uma password válida deve ser fornecida", "The username is already being used" : "O nome de utilizador já está a ser usado", "Could not create user" : "Não foi possível criar o utilizador", "User disabled" : "Utilizador desativado", "Login canceled by app" : "Sessão cancelada pela app", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "A aplicação \"%s\" não pode ser instalada porque as seguintes dependências não podem ser realizadas: %s", + "a safe home for all your data" : "Um lugar seguro para todos os seus dados", "File is currently busy, please try again later" : "O ficheiro está ocupado, por favor, tente mais tarde", "Can't read file" : "Não é possível ler o ficheiro", "Application is not enabled" : "A aplicação não está activada", @@ -103,6 +185,10 @@ OC.L10N.register( "No database drivers (sqlite, mysql, or postgresql) installed." : "Nenhuma base de dados de drivers (sqlite, mysql, or postgresql) instaladas.", "Cannot write into \"config\" directory" : "Não é possível escrever na directoria \"configurar\"", "Cannot write into \"apps\" directory" : "Não é possivel escrever na directoria \"aplicações\"", + "This can usually be fixed by giving the webserver write access to the apps directory or disabling the appstore in the config file. See %s" : "Isto pode ser normalmente resolvido dando ao servidor web direito de escrita para o directório de aplicação ou desactivando a loja de aplicações no ficheiro de configuração. Ver %s", + "Cannot create \"data\" directory" : "Não é possivel criar a directoria \"data\"", + "This can usually be fixed by giving the webserver write access to the root directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de raiz. Ver %s", + "Permissions can usually be fixed by giving the webserver write access to the root directory. See %s." : "As permissões podem geralmente ser corrigidas dando ao servidor web permissões de escrita na pasta de raiz. Ver %s.", "Setting locale to %s failed" : "Definindo local para %s falhado", "Please install one of these locales on your system and restart your webserver." : "Por favor instale um destes locais no seu sistema e reinicie o seu servidor web.", "Please ask your server administrator to install the module." : "Por favor pergunte ao seu administrador do servidor para instalar o modulo.", @@ -124,6 +210,8 @@ OC.L10N.register( "Storage unauthorized. %s" : "Armazenamento desautorizado. %s", "Storage incomplete configuration. %s" : "Configuração incompleta do armazenamento. %s", "Storage connection error. %s" : "Erro de ligação ao armazenamento. %s", - "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s" + "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s", + "Personal" : "Pessoal", + "Admin" : "Admin" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/pt_PT.json b/lib/l10n/pt_PT.json index d0403a5fcce29..b2f9b699f0b20 100644 --- a/lib/l10n/pt_PT.json +++ b/lib/l10n/pt_PT.json @@ -5,6 +5,10 @@ "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de configuração ao servidor web. Ver %s.", "Sample configuration detected" : "Detetado exemplo de configuração", "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Foi detectado que a configuração de amostra foi copiada. Isso pode danificar a sua instalação e não é suportado. Por favor, leia a documentação antes de realizar mudanças no config.php", + "%1$s and %2$s" : "%1$s e %2$s", + "%1$s, %2$s and %3$s" : "%1$s, %2$s e %3$s", + "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s e %4$s", + "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s e %5$s", "PHP %s or higher is required." : "Necessário PHP %s ou superior.", "PHP with a version lower than %s is required." : "É necessário um PHP com uma versão inferir a %s.", "%sbit or higher PHP required." : "Necessário PHP %sbit ou superior.", @@ -16,13 +20,25 @@ "Following platforms are supported: %s" : "São suportadas as seguintes plataformas: %s", "Unknown filetype" : "Tipo de ficheiro desconhecido", "Invalid image" : "Imagem inválida", + "Avatar image is not square" : "A imagem do avatar não é quadrada.", "today" : "hoje", "tomorrow" : "Amanhã", "yesterday" : "ontem", + "_in %n day_::_in %n days_" : ["em %n dia","em %n dias"], "_%n day ago_::_%n days ago_" : ["%n dia atrás","%n dias atrás"], + "next month" : "Próximo mês", "last month" : "ultimo mês", + "_in %n month_::_in %n months_" : ["em %n mês","em %n meses"], + "_%n month ago_::_%n months ago_" : ["%n mês atrás","%n meses atrás"], + "next year" : "Próximo ano", "last year" : "ano passado", + "_in %n year_::_in %n years_" : ["dentro de%n ano","dentro de%n anos"], "_%n year ago_::_%n years ago_" : ["%n ano atrás","%n anos atrás"], + "_in %n hour_::_in %n hours_" : ["dentro de %n hora","dentro de %n horas"], + "_%n hour ago_::_%n hours ago_" : ["%n hora atrás","%n horas atrás"], + "_in %n minute_::_in %n minutes_" : ["dentro de %n minuto","dentro de %n minutos"], + "_%n minute ago_::_%n minutes ago_" : ["%n minuto atrás","%n minutos atrás"], + "in a few seconds" : "em breves segundos", "seconds ago" : "Minutos atrás", "File name is a reserved word" : "Nome de ficheiro é uma palavra reservada", "File name contains at least one invalid character" : "Nome de ficheiro contém pelo menos um caráter inválido", @@ -37,9 +53,19 @@ "Log out" : "Sair", "Users" : "Utilizadores", "Unknown user" : "Utilizador desconhecido", + "Basic settings" : "Definições básicas", "Sharing" : "Partilhar", "Security" : "Segurança", + "Encryption" : "Encriptação", + "Additional settings" : "Definições adicionais", + "Tips & tricks" : "Dicas e truques", + "Personal info" : "Informação pessoal", + "Sync clients" : "Sincronizar clientes", + "Unlimited" : "Ilimitado", "__language_name__" : "Português", + "Verifying" : "A verificar", + "Verifying …" : "A verificar...", + "Verify" : "Verificar", "%s enter the database username and name." : "%s introduza o nome de utilizador da base de dados e o nome da base de dados.", "%s enter the database username." : "%s introduza o nome de utilizador da base de dados", "%s enter the database name." : "%s introduza o nome da base de dados", @@ -47,6 +73,7 @@ "Oracle connection could not be established" : "Não foi possível estabelecer a ligação Oracle", "Oracle username and/or password not valid" : "Nome de utilizador/password do Oracle inválida", "PostgreSQL username and/or password not valid" : "Nome de utilizador/password do PostgreSQL inválido", + "You need to enter details of an existing account." : "Precisa de introduzir detalhes de uma conta existente.", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Esta plataforma não suporta o sistema operativo Mac OS X e o %s poderá não funcionar correctamente. Utilize por sua conta e risco.", "For the best results, please consider using a GNU/Linux server instead." : "Para um melhor resultado, utilize antes o servidor GNU/Linux.", "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Parece que a instância %s está a ser executada num ambiente PHP de 32-bits e o open_basedir foi configurado no php.ini. Isto levará a problemas com ficheiros de tamanho superior a 4 GB e é altamente desencorajado.", @@ -80,19 +107,74 @@ "Sharing %s failed, because resharing is not allowed" : "A partilha %s falhou, porque repartilhar não é permitido", "Sharing %s failed, because the sharing backend for %s could not find its source" : "A partilha %s falhou porque a partilha da interface para %s não conseguiu encontrar a sua fonte", "Sharing %s failed, because the file could not be found in the file cache" : "A partilha %s falhou, devido ao ficheiro não poder ser encontrado na cache de ficheiros", + "Can’t increase permissions of %s" : "Não é possível aumentar as permissões de %s", + "Files can’t be shared with delete permissions" : "Ficheiros não podem ser partilhados com permissões de apagar", + "Files can’t be shared with create permissions" : "Ficheiros não podem ser partilhados com permissões de criação", "Expiration date is in the past" : "A data de expiração está no passado", + "Can’t set expiration date more than %s days in the future" : "Não é possível definir data de expiração a mais de %s dias no futuro", "%s shared »%s« with you" : "%s partilhado »%s« consigo", + "%s shared »%s« with you." : "%s partilhou »%s« consigo.", + "Click the button below to open it." : "Clicar no botão abaixo para abrir.", + "Open »%s«" : "Abrir »%s«", "%s via %s" : "%s via %s", + "The requested share does not exist anymore" : "A partilha requisitada já não existe", "Could not find category \"%s\"" : "Não foi encontrado a categoria \"%s\"", + "Sunday" : "Domingo", + "Monday" : "Segunda-feira", + "Tuesday" : "Terça-feira", + "Wednesday" : "Quarta-feira", + "Thursday" : "Quinta-feira", + "Friday" : "Sexta-feira", + "Saturday" : "Sábado", + "Sun." : "Dom.", + "Mon." : "Seg.", + "Tue." : "Ter.", + "Wed." : "Qua.", + "Thu." : "Qui.", + "Fri." : "Sex.", + "Sat." : "Sáb.", + "Su" : "Dom", + "Mo" : "Seg", + "Tu" : "Ter", + "We" : "Qua", + "Th" : "Qui", + "Fr" : "Sex", + "Sa" : "Sáb", + "January" : "Janeiro", + "February" : "Fevereiro", + "March" : "Março", + "April" : "Abril", + "May" : "Maio", + "June" : "Junho", + "July" : "Julho", + "August" : "Agosto", + "September" : "Setembro", + "October" : "Outubro", + "November" : "Novembro", + "December" : "Dezembro", + "Jan." : "Jan.", + "Feb." : "Fev.", + "Mar." : "Mar.", + "Apr." : "Abr.", + "May." : "Mai.", + "Jun." : "Jun.", + "Jul." : "Jul.", + "Aug." : "Ago.", + "Sep." : "Set.", + "Oct." : "Out.", + "Nov." : "Nov.", + "Dec." : "Dez.", "Only the following characters are allowed in a username: \"a-z\", \"A-Z\", \"0-9\", and \"_.@-'\"" : "Apenas os seguintes caracteres são permitidos num nome de utilizador: \"a-z\", \"A-Z\", \"0-9\", e \"_.@-'\"", "A valid username must be provided" : "Um nome de utilizador válido deve ser fornecido", "Username contains whitespace at the beginning or at the end" : "Nome de utilizador contém espaço em branco no início ou no fim", + "Username must not consist of dots only" : "O utilizador não pode consistir de apenas pontos", "A valid password must be provided" : "Uma password válida deve ser fornecida", "The username is already being used" : "O nome de utilizador já está a ser usado", "Could not create user" : "Não foi possível criar o utilizador", "User disabled" : "Utilizador desativado", "Login canceled by app" : "Sessão cancelada pela app", "App \"%s\" cannot be installed because the following dependencies are not fulfilled: %s" : "A aplicação \"%s\" não pode ser instalada porque as seguintes dependências não podem ser realizadas: %s", + "a safe home for all your data" : "Um lugar seguro para todos os seus dados", "File is currently busy, please try again later" : "O ficheiro está ocupado, por favor, tente mais tarde", "Can't read file" : "Não é possível ler o ficheiro", "Application is not enabled" : "A aplicação não está activada", @@ -101,6 +183,10 @@ "No database drivers (sqlite, mysql, or postgresql) installed." : "Nenhuma base de dados de drivers (sqlite, mysql, or postgresql) instaladas.", "Cannot write into \"config\" directory" : "Não é possível escrever na directoria \"configurar\"", "Cannot write into \"apps\" directory" : "Não é possivel escrever na directoria \"aplicações\"", + "This can usually be fixed by giving the webserver write access to the apps directory or disabling the appstore in the config file. See %s" : "Isto pode ser normalmente resolvido dando ao servidor web direito de escrita para o directório de aplicação ou desactivando a loja de aplicações no ficheiro de configuração. Ver %s", + "Cannot create \"data\" directory" : "Não é possivel criar a directoria \"data\"", + "This can usually be fixed by giving the webserver write access to the root directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de raiz. Ver %s", + "Permissions can usually be fixed by giving the webserver write access to the root directory. See %s." : "As permissões podem geralmente ser corrigidas dando ao servidor web permissões de escrita na pasta de raiz. Ver %s.", "Setting locale to %s failed" : "Definindo local para %s falhado", "Please install one of these locales on your system and restart your webserver." : "Por favor instale um destes locais no seu sistema e reinicie o seu servidor web.", "Please ask your server administrator to install the module." : "Por favor pergunte ao seu administrador do servidor para instalar o modulo.", @@ -122,6 +208,8 @@ "Storage unauthorized. %s" : "Armazenamento desautorizado. %s", "Storage incomplete configuration. %s" : "Configuração incompleta do armazenamento. %s", "Storage connection error. %s" : "Erro de ligação ao armazenamento. %s", - "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s" + "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s", + "Personal" : "Pessoal", + "Admin" : "Admin" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/settings/l10n/ast.js b/settings/l10n/ast.js index 47eabf58c096d..8c8dfd7545beb 100644 --- a/settings/l10n/ast.js +++ b/settings/l10n/ast.js @@ -12,6 +12,7 @@ OC.L10N.register( "A login attempt using two-factor authentication failed (%1$s)" : "Falló un intentu d'aniciu de sesión usando l'autenticación en dos pasos (%1$s)", "Your password or email was modified" : "Modificóse la to contraseña o corréu", "Your apps" : "Les tos aplicaciones", + "Updates" : "Anovamientos", "Enabled apps" : "Aplicaciones habilitaes", "Disabled apps" : "Aplicaciones deshabilitaes", "App bundles" : "Llotes d'aplicaciones", diff --git a/settings/l10n/ast.json b/settings/l10n/ast.json index b04bb5a80532b..618c05bb19395 100644 --- a/settings/l10n/ast.json +++ b/settings/l10n/ast.json @@ -10,6 +10,7 @@ "A login attempt using two-factor authentication failed (%1$s)" : "Falló un intentu d'aniciu de sesión usando l'autenticación en dos pasos (%1$s)", "Your password or email was modified" : "Modificóse la to contraseña o corréu", "Your apps" : "Les tos aplicaciones", + "Updates" : "Anovamientos", "Enabled apps" : "Aplicaciones habilitaes", "Disabled apps" : "Aplicaciones deshabilitaes", "App bundles" : "Llotes d'aplicaciones", diff --git a/settings/l10n/fi.js b/settings/l10n/fi.js index ceaca538bbaf5..a557381955623 100644 --- a/settings/l10n/fi.js +++ b/settings/l10n/fi.js @@ -109,6 +109,8 @@ OC.L10N.register( "Removing …" : "Poistetaan…", "Could not remove app" : "Sovellusta ei voitu poistaa", "Remove" : "Poista", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Sovellus on käytössä, mutta se tulee päivittää. Sinut ohjataan sovelluksen versiopäivityssivulle viiden sekunnin kuluttua.", + "App upgrade" : "Sovelluksen versiopäivitys", "Approved" : "Hyväksytty", "Experimental" : "Kokeellinen", "No apps found for {query}" : "Haulla {query} ei löytynyt sovelluksia", @@ -276,6 +278,7 @@ OC.L10N.register( "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Näytä vastuuvapauslauseke julkisen linkin lähetyssivulla. (Näytetään vain, kun tiedostolista on piilotettu.)", "This text will be shown on the public link upload page when the file list is hidden." : "Tämä teksti näytetään julkisen linkin lähetyssivulla, kun tiedostolista on piilotettu.", "Tips & tricks" : "Vinkit", + "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLitea käytetään tällä hetkellä taustaosan tietokantana. Laajoja asennuksia varten on suositeltavaa käyttää jotain muuta tietokantaa.", "This is particularly recommended when using the desktop client for file synchronisation." : "Tämä on suositeltavaa erityisesti silloin, kun työpöytäsovellusta käytetään tiedostojen synkronointiin.", "How to do backups" : "Kuinka tehdä varmuuskopioita", "Performance tuning" : "Suorituskyvyn hienosäätö", @@ -359,11 +362,25 @@ OC.L10N.register( "set new password" : "aseta uusi salasana", "change email address" : "vaihda sähköpostiosoite", "Default" : "Oletus", + "_You have %n app update pending_::_You have %n app updates pending_" : ["%n odottava sovelluspäivitys","%n odottavaa sovelluspäivitystä"], "Updating...." : "Päivitetään....", + "Error while updating app" : "Virhe sovellusta päivittäessä", + "Error while removing app" : "Virhe sovellusta poistaessa", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Sovellus on käytössä, mutta se tulee päivittää. Sinut ohjataan sovelluksen päivityssivulle viiden sekunnin kuluttua.", + "App update" : "Sovelluspäivitys", + "Verifying" : "Vahvistetaan", + "Personal info" : "Henkilökohtaiset tiedot", + "Sync clients" : "Synkronointiasiakkaat", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-moduuli 'fileinfo' puuttuu. Suosittelemme sen ottamista käyttöön, jotta MIME-tyypit on mahdollista havaita parhain tuloksin.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Siirtyäksesi toiseen tietokantaan, käytä komentorivityökalua: 'occ db:convert-type', tai lue dokumentaatio ↗.", + "Get the apps to sync your files" : "Laita sovellukset synkronoimaan tiedostosi", "Desktop client" : "Työpöytäsovellus", "Android app" : "Android-sovellus", "iOS app" : "iOS-sovellus", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Jos haluat tukea projektia, {contributeopen}liity mukaan kehitystoimintaan{linkclose} tai {contributeopen}levitä sanaa{linkclose}!", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Verkko-, työpöytä-, mobiilisovellukset ja sovellusten yksittäiset salasanat, joilla on käyttöoikeus tiliisi.", "App passwords" : "Sovellussalasanat", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Täällä voit luoda yksittäisiä salasanoja sovelluksille, jolloin sinun ei tarvitse antaa varsinaista salasanaa niille. Voit kumota yksittäisten sovellusten salasanoja.", "Follow us on Google+!" : "Seuraa meitä Google+:ssa!", "Like our facebook page!" : "Tykkää Facebook-sivustamme!", "Follow us on Twitter!" : "Seuraa meitä Twitterissä!", diff --git a/settings/l10n/fi.json b/settings/l10n/fi.json index f7e2e1497fec3..63d3b4ae2f83e 100644 --- a/settings/l10n/fi.json +++ b/settings/l10n/fi.json @@ -107,6 +107,8 @@ "Removing …" : "Poistetaan…", "Could not remove app" : "Sovellusta ei voitu poistaa", "Remove" : "Poista", + "The app has been enabled but needs to be upgraded. You will be redirected to the upgrade page in 5 seconds." : "Sovellus on käytössä, mutta se tulee päivittää. Sinut ohjataan sovelluksen versiopäivityssivulle viiden sekunnin kuluttua.", + "App upgrade" : "Sovelluksen versiopäivitys", "Approved" : "Hyväksytty", "Experimental" : "Kokeellinen", "No apps found for {query}" : "Haulla {query} ei löytynyt sovelluksia", @@ -274,6 +276,7 @@ "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Näytä vastuuvapauslauseke julkisen linkin lähetyssivulla. (Näytetään vain, kun tiedostolista on piilotettu.)", "This text will be shown on the public link upload page when the file list is hidden." : "Tämä teksti näytetään julkisen linkin lähetyssivulla, kun tiedostolista on piilotettu.", "Tips & tricks" : "Vinkit", + "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLitea käytetään tällä hetkellä taustaosan tietokantana. Laajoja asennuksia varten on suositeltavaa käyttää jotain muuta tietokantaa.", "This is particularly recommended when using the desktop client for file synchronisation." : "Tämä on suositeltavaa erityisesti silloin, kun työpöytäsovellusta käytetään tiedostojen synkronointiin.", "How to do backups" : "Kuinka tehdä varmuuskopioita", "Performance tuning" : "Suorituskyvyn hienosäätö", @@ -357,11 +360,25 @@ "set new password" : "aseta uusi salasana", "change email address" : "vaihda sähköpostiosoite", "Default" : "Oletus", + "_You have %n app update pending_::_You have %n app updates pending_" : ["%n odottava sovelluspäivitys","%n odottavaa sovelluspäivitystä"], "Updating...." : "Päivitetään....", + "Error while updating app" : "Virhe sovellusta päivittäessä", + "Error while removing app" : "Virhe sovellusta poistaessa", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Sovellus on käytössä, mutta se tulee päivittää. Sinut ohjataan sovelluksen päivityssivulle viiden sekunnin kuluttua.", + "App update" : "Sovelluspäivitys", + "Verifying" : "Vahvistetaan", + "Personal info" : "Henkilökohtaiset tiedot", + "Sync clients" : "Synkronointiasiakkaat", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-moduuli 'fileinfo' puuttuu. Suosittelemme sen ottamista käyttöön, jotta MIME-tyypit on mahdollista havaita parhain tuloksin.", + "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Siirtyäksesi toiseen tietokantaan, käytä komentorivityökalua: 'occ db:convert-type', tai lue dokumentaatio ↗.", + "Get the apps to sync your files" : "Laita sovellukset synkronoimaan tiedostosi", "Desktop client" : "Työpöytäsovellus", "Android app" : "Android-sovellus", "iOS app" : "iOS-sovellus", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Jos haluat tukea projektia, {contributeopen}liity mukaan kehitystoimintaan{linkclose} tai {contributeopen}levitä sanaa{linkclose}!", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Verkko-, työpöytä-, mobiilisovellukset ja sovellusten yksittäiset salasanat, joilla on käyttöoikeus tiliisi.", "App passwords" : "Sovellussalasanat", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Täällä voit luoda yksittäisiä salasanoja sovelluksille, jolloin sinun ei tarvitse antaa varsinaista salasanaa niille. Voit kumota yksittäisten sovellusten salasanoja.", "Follow us on Google+!" : "Seuraa meitä Google+:ssa!", "Like our facebook page!" : "Tykkää Facebook-sivustamme!", "Follow us on Twitter!" : "Seuraa meitä Twitterissä!", From 09dbcd964747b23aa0fdd1f3781f239396c6896d Mon Sep 17 00:00:00 2001 From: Aastha Gupta Date: Thu, 15 Feb 2018 17:34:42 +0530 Subject: [PATCH 102/251] Fix edit tag textbox size Fixes #7586 Signed-off-by: Aastha Gupta --- core/css/systemtags.scss | 1 + 1 file changed, 1 insertion(+) diff --git a/core/css/systemtags.scss b/core/css/systemtags.scss index 76db389a6dc30..bffafe101e3f3 100644 --- a/core/css/systemtags.scss +++ b/core/css/systemtags.scss @@ -43,6 +43,7 @@ position: relative; input { display: inline-block; + height: 30px; width: calc(100% - 40px); } } From 3d06d946b0963bad572393c80e8bb0397b600277 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Sun, 18 Feb 2018 01:12:28 +0000 Subject: [PATCH 103/251] [tx-robot] updated from transifex --- apps/federatedfilesharing/l10n/hu.js | 1 + apps/federatedfilesharing/l10n/hu.json | 1 + apps/federation/l10n/hu.js | 1 + apps/federation/l10n/hu.json | 1 + apps/files_external/l10n/hu.js | 1 + apps/files_external/l10n/hu.json | 1 + apps/files_sharing/l10n/hu.js | 1 + apps/files_sharing/l10n/hu.json | 1 + apps/oauth2/l10n/hu.js | 1 + apps/oauth2/l10n/hu.json | 1 + apps/twofactor_backupcodes/l10n/hu.js | 1 + apps/twofactor_backupcodes/l10n/hu.json | 1 + apps/updatenotification/l10n/hu.js | 1 + apps/updatenotification/l10n/hu.json | 1 + apps/workflowengine/l10n/hu.js | 1 + apps/workflowengine/l10n/hu.json | 1 + 16 files changed, 16 insertions(+) diff --git a/apps/federatedfilesharing/l10n/hu.js b/apps/federatedfilesharing/l10n/hu.js index ec462c190c10a..0f57f27e5fa36 100644 --- a/apps/federatedfilesharing/l10n/hu.js +++ b/apps/federatedfilesharing/l10n/hu.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Ossza meg velem az #Nextcloud Egyesített Felhő Azonosító segítségével, lásd %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Ossza meg velem az #Nextcloud Egyesített Felhő Azonosító segítségével ", "Sharing" : "Megosztás", + "Federated file sharing" : "Egyesített fájlmegosztás", "Federated Cloud Sharing" : "Megosztás Egyesített Felhőben", "Open documentation" : "Dokumentáció megnyitása", "Adjust how people can share between servers." : "A szerverek közti megosztási lehetőségek beállítása", diff --git a/apps/federatedfilesharing/l10n/hu.json b/apps/federatedfilesharing/l10n/hu.json index e4c4094be26d1..5315c6593b5e7 100644 --- a/apps/federatedfilesharing/l10n/hu.json +++ b/apps/federatedfilesharing/l10n/hu.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Ossza meg velem az #Nextcloud Egyesített Felhő Azonosító segítségével, lásd %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Ossza meg velem az #Nextcloud Egyesített Felhő Azonosító segítségével ", "Sharing" : "Megosztás", + "Federated file sharing" : "Egyesített fájlmegosztás", "Federated Cloud Sharing" : "Megosztás Egyesített Felhőben", "Open documentation" : "Dokumentáció megnyitása", "Adjust how people can share between servers." : "A szerverek közti megosztási lehetőségek beállítása", diff --git a/apps/federation/l10n/hu.js b/apps/federation/l10n/hu.js index 3050ffe0e6943..70a86b87b27e5 100644 --- a/apps/federation/l10n/hu.js +++ b/apps/federation/l10n/hu.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "A szerver már a megbízható szerverek közt van.", "No server to federate with found" : "Nem található egyesíthető szerver", "Could not add server" : "Nem lehet hozzáadni a szervert", + "Federation" : "Egyesítés", "Trusted servers" : "Megbízható szerverek", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Az egyesítés lehetővé teszi a kapcsolódást más megbízható szerverekhez a felhasználói könyvtárak kicseréléséhez. Például ennek segítségével lesznek automatikusan kiegészítve a külső felhasználók az egyesített megosztáshoz.", "Add server automatically once a federated share was created successfully" : "Szerver automatikus hozzáadása, ha az egyesített megosztás létrehozása sikeres", diff --git a/apps/federation/l10n/hu.json b/apps/federation/l10n/hu.json index 08db887b3480e..49c8d704a7f96 100644 --- a/apps/federation/l10n/hu.json +++ b/apps/federation/l10n/hu.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "A szerver már a megbízható szerverek közt van.", "No server to federate with found" : "Nem található egyesíthető szerver", "Could not add server" : "Nem lehet hozzáadni a szervert", + "Federation" : "Egyesítés", "Trusted servers" : "Megbízható szerverek", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Az egyesítés lehetővé teszi a kapcsolódást más megbízható szerverekhez a felhasználói könyvtárak kicseréléséhez. Például ennek segítségével lesznek automatikusan kiegészítve a külső felhasználók az egyesített megosztáshoz.", "Add server automatically once a federated share was created successfully" : "Szerver automatikus hozzáadása, ha az egyesített megosztás létrehozása sikeres", diff --git a/apps/files_external/l10n/hu.js b/apps/files_external/l10n/hu.js index ce9b36cc0f4de..c9f112fd8f5af 100644 --- a/apps/files_external/l10n/hu.js +++ b/apps/files_external/l10n/hu.js @@ -100,6 +100,7 @@ OC.L10N.register( "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "A cURL támogatás, a PHP-ban nincs engedélyezve vagy telepítve. %s csatolása lehetetlen. Kérd meg a rendszergazdádat, hogy telepítse.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Az FTP támogatás, a PHP-ban nincs engedélyezve vagy telepítve. %s csatolása lehetetlen. Kérd meg a rendszergazdádat, hogy telepítse.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "%s nincs telepítve. %s csatolása lehetetlen. Kérd meg a rendszergazdádat, hogy telepítse.", + "External storage support" : "Külső tároló támogatás", "No external storage configured" : "Nincs külső tároló beállítva.", "You can add external storages in the personal settings" : "Hozzáadhatsz külső tárolókat a személyes beállítások közt.", "Name" : "Név", diff --git a/apps/files_external/l10n/hu.json b/apps/files_external/l10n/hu.json index 67ce98c0fc69f..c4de7b558aff6 100644 --- a/apps/files_external/l10n/hu.json +++ b/apps/files_external/l10n/hu.json @@ -98,6 +98,7 @@ "The cURL support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "A cURL támogatás, a PHP-ban nincs engedélyezve vagy telepítve. %s csatolása lehetetlen. Kérd meg a rendszergazdádat, hogy telepítse.", "The FTP support in PHP is not enabled or installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "Az FTP támogatás, a PHP-ban nincs engedélyezve vagy telepítve. %s csatolása lehetetlen. Kérd meg a rendszergazdádat, hogy telepítse.", "\"%s\" is not installed. Mounting of %s is not possible. Please ask your system administrator to install it." : "%s nincs telepítve. %s csatolása lehetetlen. Kérd meg a rendszergazdádat, hogy telepítse.", + "External storage support" : "Külső tároló támogatás", "No external storage configured" : "Nincs külső tároló beállítva.", "You can add external storages in the personal settings" : "Hozzáadhatsz külső tárolókat a személyes beállítások közt.", "Name" : "Név", diff --git a/apps/files_sharing/l10n/hu.js b/apps/files_sharing/l10n/hu.js index 9705d709fa65d..df038f6f38f09 100644 --- a/apps/files_sharing/l10n/hu.js +++ b/apps/files_sharing/l10n/hu.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Nem lehet módosítani a nyilvános megosztási hivatkozások jogosultságait", "Cannot increase permissions" : "Nem lehet növelni az engedélyeket", "Share API is disabled" : "Megosztás API letiltva", + "File sharing" : "Fájlmegosztás", "This share is password-protected" : "Ez egy jelszóval védett megosztás", "The password is wrong. Try again." : "A megadott jelszó nem megfelelő. Próbálja újra!", "Password" : "Jelszó", diff --git a/apps/files_sharing/l10n/hu.json b/apps/files_sharing/l10n/hu.json index 628741239dd17..1b65474cda2c3 100644 --- a/apps/files_sharing/l10n/hu.json +++ b/apps/files_sharing/l10n/hu.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Nem lehet módosítani a nyilvános megosztási hivatkozások jogosultságait", "Cannot increase permissions" : "Nem lehet növelni az engedélyeket", "Share API is disabled" : "Megosztás API letiltva", + "File sharing" : "Fájlmegosztás", "This share is password-protected" : "Ez egy jelszóval védett megosztás", "The password is wrong. Try again." : "A megadott jelszó nem megfelelő. Próbálja újra!", "Password" : "Jelszó", diff --git a/apps/oauth2/l10n/hu.js b/apps/oauth2/l10n/hu.js index 48747669a31bf..64124c7a5d40f 100644 --- a/apps/oauth2/l10n/hu.js +++ b/apps/oauth2/l10n/hu.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 kliensek", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 megengedi külső szolgáltatásoknak, hogy hozzáférést kérjenek ehhez: %s.", "Name" : "Név", diff --git a/apps/oauth2/l10n/hu.json b/apps/oauth2/l10n/hu.json index c69fbb0fcd8ab..8c07c53e66ff9 100644 --- a/apps/oauth2/l10n/hu.json +++ b/apps/oauth2/l10n/hu.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 kliensek", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 megengedi külső szolgáltatásoknak, hogy hozzáférést kérjenek ehhez: %s.", "Name" : "Név", diff --git a/apps/twofactor_backupcodes/l10n/hu.js b/apps/twofactor_backupcodes/l10n/hu.js index 0d168f9f62b87..c363ce8232634 100644 --- a/apps/twofactor_backupcodes/l10n/hu.js +++ b/apps/twofactor_backupcodes/l10n/hu.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Kétfaktoros helyreállítási kódot hoztál létre a fiókodhoz", "Backup code" : "Biztonsági kód", "Use backup code" : "Biztonsági kód használata", + "Two factor backup codes" : "Kétfaktoros biztonsági mentési kódok", "Second-factor backup codes" : "Második lépcsős biztonsági kódok" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/hu.json b/apps/twofactor_backupcodes/l10n/hu.json index 4e981a9acc6aa..fba5f6f594efb 100644 --- a/apps/twofactor_backupcodes/l10n/hu.json +++ b/apps/twofactor_backupcodes/l10n/hu.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Kétfaktoros helyreállítási kódot hoztál létre a fiókodhoz", "Backup code" : "Biztonsági kód", "Use backup code" : "Biztonsági kód használata", + "Two factor backup codes" : "Kétfaktoros biztonsági mentési kódok", "Second-factor backup codes" : "Második lépcsős biztonsági kódok" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/updatenotification/l10n/hu.js b/apps/updatenotification/l10n/hu.js index d9a9d308f63ee..a78f684ba0f24 100644 --- a/apps/updatenotification/l10n/hu.js +++ b/apps/updatenotification/l10n/hu.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "%1$s frissítés elérhető.", "Update for %1$s to version %2$s is available." : "%1$s frissíthető %2$s verzióra.", "Update for {app} to version %s is available." : "{app} %s verzió frissítése elérhető", + "Update notification" : "Frissítési értesítés", "A new version is available: %s" : "Új verzió érhető el: %s", "Open updater" : "Frissítő megnyitása", "Download now" : "Letöltés most", diff --git a/apps/updatenotification/l10n/hu.json b/apps/updatenotification/l10n/hu.json index f800931c2dc82..823d230615a66 100644 --- a/apps/updatenotification/l10n/hu.json +++ b/apps/updatenotification/l10n/hu.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "%1$s frissítés elérhető.", "Update for %1$s to version %2$s is available." : "%1$s frissíthető %2$s verzióra.", "Update for {app} to version %s is available." : "{app} %s verzió frissítése elérhető", + "Update notification" : "Frissítési értesítés", "A new version is available: %s" : "Új verzió érhető el: %s", "Open updater" : "Frissítő megnyitása", "Download now" : "Letöltés most", diff --git a/apps/workflowengine/l10n/hu.js b/apps/workflowengine/l10n/hu.js index 8148a34b6a04c..25190f7f619ee 100644 --- a/apps/workflowengine/l10n/hu.js +++ b/apps/workflowengine/l10n/hu.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "%s érvénytelen, ellenőrizd", "Check #%s does not exist" : "#%s nem létezik, ellenőrizd", "Workflow" : "Munkafolyamat", + "Files workflow engine" : "Fájl munkafolyamat motor", "Open documentation" : "Dokumentáció megnyitása", "Add rule group" : "Szabály csoport hozzáadás", "Short rule description" : "A szabály rövid leírása", diff --git a/apps/workflowengine/l10n/hu.json b/apps/workflowengine/l10n/hu.json index 98909aab244c4..9bae6fb384bdd 100644 --- a/apps/workflowengine/l10n/hu.json +++ b/apps/workflowengine/l10n/hu.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "%s érvénytelen, ellenőrizd", "Check #%s does not exist" : "#%s nem létezik, ellenőrizd", "Workflow" : "Munkafolyamat", + "Files workflow engine" : "Fájl munkafolyamat motor", "Open documentation" : "Dokumentáció megnyitása", "Add rule group" : "Szabály csoport hozzáadás", "Short rule description" : "A szabály rövid leírása", From b5029f89753bba56e3ab380d286412263f3476e2 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Mon, 19 Feb 2018 01:12:17 +0000 Subject: [PATCH 104/251] [tx-robot] updated from transifex --- apps/dav/l10n/hu.js | 1 + apps/dav/l10n/hu.json | 1 + apps/federation/l10n/nl.js | 1 + apps/federation/l10n/nl.json | 1 + apps/files/l10n/nl.js | 5 ++++- apps/files/l10n/nl.json | 5 ++++- apps/files_sharing/l10n/nl.js | 4 +++- apps/files_sharing/l10n/nl.json | 4 +++- apps/systemtags/l10n/nl.js | 14 +++++++------- apps/systemtags/l10n/nl.json | 14 +++++++------- apps/theming/l10n/ar.js | 3 +++ apps/theming/l10n/ar.json | 3 +++ apps/theming/l10n/nl.js | 2 +- apps/theming/l10n/nl.json | 2 +- apps/twofactor_backupcodes/l10n/nl.js | 1 + apps/twofactor_backupcodes/l10n/nl.json | 1 + apps/updatenotification/l10n/nl.js | 1 + apps/updatenotification/l10n/nl.json | 1 + apps/workflowengine/l10n/nl.js | 3 ++- apps/workflowengine/l10n/nl.json | 3 ++- core/l10n/nl.js | 25 +++++++++++++++++++------ core/l10n/nl.json | 25 +++++++++++++++++++------ lib/l10n/lt_LT.js | 3 ++- lib/l10n/lt_LT.json | 3 ++- settings/l10n/nl.js | 12 ++++++------ settings/l10n/nl.json | 12 ++++++------ 26 files changed, 102 insertions(+), 48 deletions(-) diff --git a/apps/dav/l10n/hu.js b/apps/dav/l10n/hu.js index e028e61e78776..88c86a874a3e2 100644 --- a/apps/dav/l10n/hu.js +++ b/apps/dav/l10n/hu.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Leírás:", "Link:" : "Link:", "Contacts" : "Névjegyek", + "WebDAV" : "WebDAV", "Technical details" : "Technikai adatok", "Remote Address: %s" : "Távoli cím: %s", "Request ID: %s" : "Kérelem azonosító: %s", diff --git a/apps/dav/l10n/hu.json b/apps/dav/l10n/hu.json index 2f507d46aa9ed..cd9af1917565e 100644 --- a/apps/dav/l10n/hu.json +++ b/apps/dav/l10n/hu.json @@ -53,6 +53,7 @@ "Description:" : "Leírás:", "Link:" : "Link:", "Contacts" : "Névjegyek", + "WebDAV" : "WebDAV", "Technical details" : "Technikai adatok", "Remote Address: %s" : "Távoli cím: %s", "Request ID: %s" : "Kérelem azonosító: %s", diff --git a/apps/federation/l10n/nl.js b/apps/federation/l10n/nl.js index fa714a8c718ba..b85a8f00876d1 100644 --- a/apps/federation/l10n/nl.js +++ b/apps/federation/l10n/nl.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Server bestaat reeds in de lijst van vertrouwde servers.", "No server to federate with found" : "Geen server gevonden om mee te federeren", "Could not add server" : "Kon server niet toevoegen", + "Federation" : "Federatie", "Trusted servers" : "Vertrouwde servers", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federatie maakt het mogelijk om te verbinden met vertrouwde servers en de gebuikersadministratie te delen. Zo kun je automatisch externe gebruikers toevoegen voor federatief delen.", "Add server automatically once a federated share was created successfully" : "Voeg server automatisch toe zodra een gefedereerde share succesvol gecreëerd is", diff --git a/apps/federation/l10n/nl.json b/apps/federation/l10n/nl.json index 9d22b153f7299..31ab6dcee211d 100644 --- a/apps/federation/l10n/nl.json +++ b/apps/federation/l10n/nl.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Server bestaat reeds in de lijst van vertrouwde servers.", "No server to federate with found" : "Geen server gevonden om mee te federeren", "Could not add server" : "Kon server niet toevoegen", + "Federation" : "Federatie", "Trusted servers" : "Vertrouwde servers", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federatie maakt het mogelijk om te verbinden met vertrouwde servers en de gebuikersadministratie te delen. Zo kun je automatisch externe gebruikers toevoegen voor federatief delen.", "Add server automatically once a federated share was created successfully" : "Voeg server automatisch toe zodra een gefedereerde share succesvol gecreëerd is", diff --git a/apps/files/l10n/nl.js b/apps/files/l10n/nl.js index aacae19af4199..6adfb86aee1b5 100644 --- a/apps/files/l10n/nl.js +++ b/apps/files/l10n/nl.js @@ -147,6 +147,9 @@ OC.L10N.register( "Deleted files" : "Verwijderde bestanden", "Text file" : "Tekstbestand", "New text file.txt" : "Nieuw tekstbestand.txt", - "Move" : "Verplaatsen" + "Move" : "Verplaatsen", + "A new file or folder has been deleted" : "Een nieuw bestand of nieuwe map is verwijderd", + "A new file or folder has been restored" : "Een nieuw bestand of een nieuwe map is hersteld", + "Use this address to access your Files via WebDAV" : "Gebruik deze link om je bestanden via WebDAV te benaderen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nl.json b/apps/files/l10n/nl.json index de059f16f089c..ca422e8d07bd1 100644 --- a/apps/files/l10n/nl.json +++ b/apps/files/l10n/nl.json @@ -145,6 +145,9 @@ "Deleted files" : "Verwijderde bestanden", "Text file" : "Tekstbestand", "New text file.txt" : "Nieuw tekstbestand.txt", - "Move" : "Verplaatsen" + "Move" : "Verplaatsen", + "A new file or folder has been deleted" : "Een nieuw bestand of nieuwe map is verwijderd", + "A new file or folder has been restored" : "Een nieuw bestand of een nieuwe map is hersteld", + "Use this address to access your Files via WebDAV" : "Gebruik deze link om je bestanden via WebDAV te benaderen" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/nl.js b/apps/files_sharing/l10n/nl.js index a54c1d46224ed..0a35c91d20a53 100644 --- a/apps/files_sharing/l10n/nl.js +++ b/apps/files_sharing/l10n/nl.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Kan rechten voor openbaar gedeelde links niet wijzigen", "Cannot increase permissions" : "Kan de rechten niet verruimen", "Share API is disabled" : "Delen API is uitgeschakeld", + "File sharing" : "Bestand delen", "This share is password-protected" : "Deze gedeelde folder is met een wachtwoord beveiligd", "The password is wrong. Try again." : "Wachtwoord ongeldig. Probeer het nogmaals.", "Password" : "Wachtwoord", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Upload bestanden naar %s", "Select or drop files" : "Selecteer bestanden of sleep ze naar dit venster", "Uploading files…" : "Uploaden bestanden...", - "Uploaded files:" : "Geüploade bestanden" + "Uploaded files:" : "Geüploade bestanden", + "%s is publicly shared" : "%s is openbaar gedeeld" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_sharing/l10n/nl.json b/apps/files_sharing/l10n/nl.json index 237257a9dbe2c..859c6652e4790 100644 --- a/apps/files_sharing/l10n/nl.json +++ b/apps/files_sharing/l10n/nl.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Kan rechten voor openbaar gedeelde links niet wijzigen", "Cannot increase permissions" : "Kan de rechten niet verruimen", "Share API is disabled" : "Delen API is uitgeschakeld", + "File sharing" : "Bestand delen", "This share is password-protected" : "Deze gedeelde folder is met een wachtwoord beveiligd", "The password is wrong. Try again." : "Wachtwoord ongeldig. Probeer het nogmaals.", "Password" : "Wachtwoord", @@ -107,6 +108,7 @@ "Upload files to %s" : "Upload bestanden naar %s", "Select or drop files" : "Selecteer bestanden of sleep ze naar dit venster", "Uploading files…" : "Uploaden bestanden...", - "Uploaded files:" : "Geüploade bestanden" + "Uploaded files:" : "Geüploade bestanden", + "%s is publicly shared" : "%s is openbaar gedeeld" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/systemtags/l10n/nl.js b/apps/systemtags/l10n/nl.js index a778fc7ce7df1..0f7aed6ffc529 100644 --- a/apps/systemtags/l10n/nl.js +++ b/apps/systemtags/l10n/nl.js @@ -3,7 +3,7 @@ OC.L10N.register( { "Tags" : "Markering", "Update" : "Update", - "Create" : "Creeër", + "Create" : "Opslaan", "Select tag…" : "Selecteren markering…", "Tagged files" : "Gemarkeerde bestanden", "Select tags to filter by" : "Selecteer markering om op te filteren", @@ -41,15 +41,15 @@ OC.L10N.register( "%s (restricted)" : "%s (beperkt)", "%s (invisible)" : "%s (onzichtbaar)", "System tags for a file have been modified" : "Systeemmarkeringen voor een bestand zijn gewijzigd", - "Collaborative tags" : "Samenwerk markeringen", - "Create and edit collaborative tags. These tags affect all users." : "Maak en bewerk samenwerkingstags. Deze tags gelden voor alle gebruikers.", + "Collaborative tags" : "Systeemtags", + "Create and edit collaborative tags. These tags affect all users." : "Maak en bewerk systeemtags. Deze tags raken alle gebruikers.", "Select tag …" : "Selecteer tag …", - "Name" : "Naam", + "Name" : "Tag", "Delete" : "Verwijder", - "Public" : "Openbaar", - "Restricted" : "Beperkt", + "Public" : "Standaard", + "Restricted" : "Beschermd", "Invisible" : "Verborgen", - "Reset" : "Reset", + "Reset" : "Herstellen", "No files in here" : "Hier geen bestanden", "No entries found in this folder" : "Niets gevonden in deze map", "Size" : "Grootte", diff --git a/apps/systemtags/l10n/nl.json b/apps/systemtags/l10n/nl.json index 1915c7550b096..feac7b8cc935e 100644 --- a/apps/systemtags/l10n/nl.json +++ b/apps/systemtags/l10n/nl.json @@ -1,7 +1,7 @@ { "translations": { "Tags" : "Markering", "Update" : "Update", - "Create" : "Creeër", + "Create" : "Opslaan", "Select tag…" : "Selecteren markering…", "Tagged files" : "Gemarkeerde bestanden", "Select tags to filter by" : "Selecteer markering om op te filteren", @@ -39,15 +39,15 @@ "%s (restricted)" : "%s (beperkt)", "%s (invisible)" : "%s (onzichtbaar)", "System tags for a file have been modified" : "Systeemmarkeringen voor een bestand zijn gewijzigd", - "Collaborative tags" : "Samenwerk markeringen", - "Create and edit collaborative tags. These tags affect all users." : "Maak en bewerk samenwerkingstags. Deze tags gelden voor alle gebruikers.", + "Collaborative tags" : "Systeemtags", + "Create and edit collaborative tags. These tags affect all users." : "Maak en bewerk systeemtags. Deze tags raken alle gebruikers.", "Select tag …" : "Selecteer tag …", - "Name" : "Naam", + "Name" : "Tag", "Delete" : "Verwijder", - "Public" : "Openbaar", - "Restricted" : "Beperkt", + "Public" : "Standaard", + "Restricted" : "Beschermd", "Invisible" : "Verborgen", - "Reset" : "Reset", + "Reset" : "Herstellen", "No files in here" : "Hier geen bestanden", "No entries found in this folder" : "Niets gevonden in deze map", "Size" : "Grootte", diff --git a/apps/theming/l10n/ar.js b/apps/theming/l10n/ar.js index fb3c083e51a3a..a6e648fbec5ba 100644 --- a/apps/theming/l10n/ar.js +++ b/apps/theming/l10n/ar.js @@ -9,6 +9,9 @@ OC.L10N.register( "The given web address is too long" : "هذا العنوان أطول مما يجب", "The given slogan is too long" : "هذا الشعار أطول مما يجب", "The given color is invalid" : "هناك خطأ في اللون", + "No file was uploaded" : "لم يتم رفع أي ملف", + "Missing a temporary folder" : "المجلد المؤقت غير موجود", + "Failed to write file to disk." : "خطأ في الكتابة على القرص الصلب.", "No file uploaded" : "لم يتم رفع الملف", "Unsupported image type" : "صيغة الصورة غير مقبولة", "You are already using a custom theme" : "انت تستعمل قالب مخصص", diff --git a/apps/theming/l10n/ar.json b/apps/theming/l10n/ar.json index 940cdb418ba10..5616648dd7e54 100644 --- a/apps/theming/l10n/ar.json +++ b/apps/theming/l10n/ar.json @@ -7,6 +7,9 @@ "The given web address is too long" : "هذا العنوان أطول مما يجب", "The given slogan is too long" : "هذا الشعار أطول مما يجب", "The given color is invalid" : "هناك خطأ في اللون", + "No file was uploaded" : "لم يتم رفع أي ملف", + "Missing a temporary folder" : "المجلد المؤقت غير موجود", + "Failed to write file to disk." : "خطأ في الكتابة على القرص الصلب.", "No file uploaded" : "لم يتم رفع الملف", "Unsupported image type" : "صيغة الصورة غير مقبولة", "You are already using a custom theme" : "انت تستعمل قالب مخصص", diff --git a/apps/theming/l10n/nl.js b/apps/theming/l10n/nl.js index a257a6ed6830b..5039188df9f0d 100644 --- a/apps/theming/l10n/nl.js +++ b/apps/theming/l10n/nl.js @@ -20,7 +20,7 @@ OC.L10N.register( "No file uploaded" : "Geen bestand geüpload", "Unsupported image type" : "Afbeeldingstype wordt niet ondersteund", "You are already using a custom theme" : "Je gebruikt al een maatwerkthema", - "Theming" : "Thema's", + "Theming" : "Uiterlijk", "Theming makes it possible to easily customize the look and feel of your instance and supported clients. This will be visible for all users." : "Thematiseren maakt het mogelijk om uiterlijk en gevoel van je systeem en ondersteunde clients aan te passen. Dit wordt zichtbaar voor alle gebruikers.", "Name" : "Naam", "Reset to default" : "Herstellen naar standaard", diff --git a/apps/theming/l10n/nl.json b/apps/theming/l10n/nl.json index cd0f5fd07513c..28607407e1d22 100644 --- a/apps/theming/l10n/nl.json +++ b/apps/theming/l10n/nl.json @@ -18,7 +18,7 @@ "No file uploaded" : "Geen bestand geüpload", "Unsupported image type" : "Afbeeldingstype wordt niet ondersteund", "You are already using a custom theme" : "Je gebruikt al een maatwerkthema", - "Theming" : "Thema's", + "Theming" : "Uiterlijk", "Theming makes it possible to easily customize the look and feel of your instance and supported clients. This will be visible for all users." : "Thematiseren maakt het mogelijk om uiterlijk en gevoel van je systeem en ondersteunde clients aan te passen. Dit wordt zichtbaar voor alle gebruikers.", "Name" : "Naam", "Reset to default" : "Herstellen naar standaard", diff --git a/apps/twofactor_backupcodes/l10n/nl.js b/apps/twofactor_backupcodes/l10n/nl.js index 968e9cdb1a633..3bad60ac7cc3a 100644 --- a/apps/twofactor_backupcodes/l10n/nl.js +++ b/apps/twofactor_backupcodes/l10n/nl.js @@ -13,6 +13,7 @@ OC.L10N.register( "You created two-factor backup codes for your account" : "Je creëerde tweefactor back-up codes voor je account", "Backup code" : "Backup code", "Use backup code" : "Gebruik backup code", + "Two factor backup codes" : "Twee-factor backupcode", "Second-factor backup codes" : "Twee-factor backup code" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/twofactor_backupcodes/l10n/nl.json b/apps/twofactor_backupcodes/l10n/nl.json index e3db86e4d93f2..02881d944b22d 100644 --- a/apps/twofactor_backupcodes/l10n/nl.json +++ b/apps/twofactor_backupcodes/l10n/nl.json @@ -11,6 +11,7 @@ "You created two-factor backup codes for your account" : "Je creëerde tweefactor back-up codes voor je account", "Backup code" : "Backup code", "Use backup code" : "Gebruik backup code", + "Two factor backup codes" : "Twee-factor backupcode", "Second-factor backup codes" : "Twee-factor backup code" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/updatenotification/l10n/nl.js b/apps/updatenotification/l10n/nl.js index 89e6ecf2f1496..49df2ea15b318 100644 --- a/apps/updatenotification/l10n/nl.js +++ b/apps/updatenotification/l10n/nl.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Update naar %1$s is beschikbaar.", "Update for %1$s to version %2$s is available." : "Update voor %1$s naar versie %2$s is beschikbaar.", "Update for {app} to version %s is available." : "Update voor {app} naar versie %s is beschikbaar.", + "Update notification" : "Bijwerkmelding", "A new version is available: %s" : "Er is een nieuwe versie beschikbaar: %s", "Open updater" : "Open updater", "Download now" : "Download nu", diff --git a/apps/updatenotification/l10n/nl.json b/apps/updatenotification/l10n/nl.json index 44e63a8c181c2..7bf173e3b1ede 100644 --- a/apps/updatenotification/l10n/nl.json +++ b/apps/updatenotification/l10n/nl.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Update naar %1$s is beschikbaar.", "Update for %1$s to version %2$s is available." : "Update voor %1$s naar versie %2$s is beschikbaar.", "Update for {app} to version %s is available." : "Update voor {app} naar versie %s is beschikbaar.", + "Update notification" : "Bijwerkmelding", "A new version is available: %s" : "Er is een nieuwe versie beschikbaar: %s", "Open updater" : "Open updater", "Download now" : "Download nu", diff --git a/apps/workflowengine/l10n/nl.js b/apps/workflowengine/l10n/nl.js index ed5d36b0ea594..3a95f5f551d23 100644 --- a/apps/workflowengine/l10n/nl.js +++ b/apps/workflowengine/l10n/nl.js @@ -58,7 +58,8 @@ OC.L10N.register( "Check %s does not exist" : "Controleer: %s bestaat niet", "Check %s is invalid" : "Controleer: %s is ongeldig", "Check #%s does not exist" : "Controleer: #%s bestaat niet", - "Workflow" : "Workflow", + "Workflow" : "Workflows", + "Files workflow engine" : "Betanden workflow engine", "Open documentation" : "Open documentatie", "Add rule group" : "Groepsrol toevoegen", "Short rule description" : "Korte rolbeschrijving", diff --git a/apps/workflowengine/l10n/nl.json b/apps/workflowengine/l10n/nl.json index e4dee67cb1c56..c267d4d580921 100644 --- a/apps/workflowengine/l10n/nl.json +++ b/apps/workflowengine/l10n/nl.json @@ -56,7 +56,8 @@ "Check %s does not exist" : "Controleer: %s bestaat niet", "Check %s is invalid" : "Controleer: %s is ongeldig", "Check #%s does not exist" : "Controleer: #%s bestaat niet", - "Workflow" : "Workflow", + "Workflow" : "Workflows", + "Files workflow engine" : "Betanden workflow engine", "Open documentation" : "Open documentatie", "Add rule group" : "Groepsrol toevoegen", "Short rule description" : "Korte rolbeschrijving", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 7cfb8b4cd932c..b6b1e26dd9518 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -20,7 +20,7 @@ OC.L10N.register( "Couldn't reset password because the token is expired" : "Kon het wachtwoord niet herstellen, omdat het token verlopen is", "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Kon geen herstel e-mail versturen, omdat er geen emailadres bekend is bij deze gebruikersnaam. Neem contact op met je beheerder.", "%s password reset" : "%s reset wachtwoord", - "Password reset" : "Herstel wachtwoord", + "Password reset" : "Herstel wachtwoord", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Klik op de volgende knop om je wachtwoord te herstellen. Als je geen wachtwoordherstel hebt aangevraagd, negeer dan dit emailbericht.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Klik op de volgende link om je wachtwoord te herstellen. Als je geen wachtwoordherstel hebt aangevraagd, negeer dan dit emailbericht.", "Reset your password" : "Herstel je wachtwoord", @@ -45,7 +45,7 @@ OC.L10N.register( "Checked for update of app \"%s\" in appstore" : "Op updates gecontroleerd voor de app \"%s\"", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Controleert of het databaseschema voor %s geüpdatet kan worden (dit kan lang duren afhankelijk van de grootte van de database)", "Checked database schema update for apps" : "Databaseschema update voor apps gecontroleerd", - "Updated \"%s\" to %s" : "Bijgewerkt \"%s\" naar %s", + "Updated \"%s\" to %s" : "\"%s\" geüpdatet naar %s", "Set log level to debug" : "Debug logniveau instellen", "Reset log level" : "Terugzetten logniveau", "Starting code integrity check" : "Starten code betrouwbaarheidscontrole", @@ -196,7 +196,7 @@ OC.L10N.register( "({scope})" : "({scope})", "Delete" : "Verwijder", "Rename" : "Naam wijzigen", - "Collaborative tags" : "Samenwerk markeringen", + "Collaborative tags" : "Systeemtags", "No tags found" : "Geen tags gevonden", "unknown text" : "onbekende tekst", "Hello world!" : "Hallo wereld!", @@ -207,7 +207,7 @@ OC.L10N.register( "new" : "nieuw", "_download %n file_::_download %n files_" : ["download %n bestand","download %n bestanden"], "The update is in progress, leaving this page might interrupt the process in some environments." : "De update is bezig, deze pagina verlaten kan het updateproces in sommige omgevingen onderbreken.", - "Update to {version}" : "Bijwerken naar {version}", + "Update to {version}" : "Geüpdatet naar {version}", "An error occurred." : "Er heeft zich een fout voorgedaan.", "Please reload the page." : "Herlaad deze pagina.", "The update was unsuccessful. For more information check our forum post covering this issue." : "De update was niet succesvol. Voor meer informatie zie ons bericht op het forum over dit probleem.", @@ -299,7 +299,7 @@ OC.L10N.register( "Depending on your configuration, this button could also work to trust the domain:" : "Afhankelijk van je configuratie kan deze knop ook werken om het volgende domein te vertrouwen:", "Add \"%s\" as trusted domain" : "\"%s\" toevoegen als vertrouwd domein", "App update required" : "Bijwerken App vereist", - "%s will be updated to version %s" : "%s wordt bijgewerkt naar versie %s", + "%s will be updated to version %s" : "%s wordt geüpdatet naar versie %s", "These apps will be updated:" : "Deze apps worden bijgewerkt:", "These incompatible apps will be disabled:" : "De volgende incompatibele apps worden uitgeschakeld:", "The theme %s has been disabled." : "Het thema %s is uitgeschakeld.", @@ -319,16 +319,29 @@ OC.L10N.register( "%s (3rdparty)" : "%s (3rdparty)", "There was an error loading your contacts" : "Er is een fout opgetreden tijdens het laden van uw contacten", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Uw webserver is nog niet juist ingesteld voor het synchroniseren van bestanden omdat de WebDAV-interface niet naar behoren werkt.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Je webserver is niet goed ingesteld om me \"{url}\" om te kunnen gaan. Meer informatie vindt je in onze documentatie.", "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Deze server heeft geen werkende internetverbinding: Meerdere (eind)punten konden niet bereikt worden. Dit betekent dat sommige onderdelen, zoals het koppelen van externe opslag, het ontvangen van notificaties over updates of de installatie van third-party apps, niet zullen werken. Ook het benaderen van bestanden op afstand en het verzenden van notificatie via e-mail werkt mogelijk niet. Als je alle onderdelen wil gebruiken, moet je de internetverbinding van deze server aanzetten.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Er is niks ingesteld voor caching. Om de prestaties te verbeteren kun je een cache instellen als dit beschikbaar is. Meer informatie vindt je in onze documentatie.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom kan niet gelezen worden door PHP en dat wordt sterk afgeraden ivm veiligheid van je server. Meer informatie vindt je in onze documentatie.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Je gebruikt momenteel PHP versie {version}. We raden je aan om PHP te upgraden om zo te profiteren van prestatieverbeteringen en veiligheidsupdates aangeboden door de PHP Group zodra het besturingssysteem van je server dit ondersteunt.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden hebben de integriteitscontrole niet doorstaan. Meer informatie over hoe je dit probleem kunt oplossen vindt je in onze documentatie. (Lijst van ongeldige bestanden… / Opnieuw scannen)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet goed ingesteld. Voor betere prestaties raden we je aan om de volgende instellingen te gebruiken in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan er voor zorgen dat scripts gestopt worden tijdens de uitvoeren ervan, wat resulteert in een defecte installatie. We raden sterk aan deze functie aan te zetten.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "De datafolder en bestanden zijn waarschijnlijk te benaderen via het internet. Het .htaccess bestand werkt niet. Het is sterk aangeraden om de webserver in te stellen dat de datafolder niet meer te benaderen is, of dat je de datafolder verplaatst naar een locatie buiten de hoofdmap voor documenten van de webserver.", "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." : "De \"{header}\" HTTP header is niet ingesteld om gelijk te zijn aan \"{expected}\". Dit is een mogelijk beveiligings- of privacyrisico en we raden je aan deze instellingen aan te passen.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "De \"Strict-Transport-Security\" HTTP header is niet ingesteld op minimaal \"{seconds}\" seconde. Voor een veiliger systeem raden we je aan om HSTS aan te zetten, zoals beschreven in onze beveiligingstips.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Je bezoekt deze site via een HTTP-verbinding. We raden je ten sterkste aan om je server beveiligde verbindingen (HTTPS) te verseisen, zoals beschreven in onze beveiligingstips.", "Shared with {recipients}" : "Delen met {recipients}", "The server encountered an internal error and was unable to complete your request." : "Er is een interne fout opgetreden op de server en kon daarom je verzoek niet verwerken.", "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Neem alstublieft contact op met de serverbeheerder als deze foutmelding meerdere keren terugkomt, en neem onderstaande technische details hierin op. ", + "For information how to properly configure your server, please see the documentation." : "Voor meer informatie over het correct instellen van je server, verwijzen we je graag naar onze documentatie.", "This action requires you to confirm your password:" : "Deze actie moet je met je wachtwoord bevestigen:", "Wrong password. Reset it?" : "Onjuist wachtwoord. Wachtwoord resetten?", + "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te geven tot je %s account.", "You are accessing the server from an untrusted domain." : "Je benadert de server van een niet-vertrouwd domein.", - "For help, see the documentation." : "Voor hulp, zie de documentatie." + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Neem contact op met de beheerder. Als je zelf de beheerder bent van deze installatie, zorg dan de \"trusted_domains\" instellingen goed zijn ingesteld in config/config.php. Een voorbeeldconfiguratie vind je in config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhankelijk van je instellingen kun je mogelijk als admin ook de onderstaande knop gebruiken om dit domein te vertrouwen.", + "For help, see the documentation." : "Voor hulp, zie de documentatie.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP ondersteunt geen freetype. Daardoor kunnen profielfoto's en de instellingen niet goed weergegeven worden." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 96e5382990123..bc2943158a8f6 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -18,7 +18,7 @@ "Couldn't reset password because the token is expired" : "Kon het wachtwoord niet herstellen, omdat het token verlopen is", "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Kon geen herstel e-mail versturen, omdat er geen emailadres bekend is bij deze gebruikersnaam. Neem contact op met je beheerder.", "%s password reset" : "%s reset wachtwoord", - "Password reset" : "Herstel wachtwoord", + "Password reset" : "Herstel wachtwoord", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Klik op de volgende knop om je wachtwoord te herstellen. Als je geen wachtwoordherstel hebt aangevraagd, negeer dan dit emailbericht.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Klik op de volgende link om je wachtwoord te herstellen. Als je geen wachtwoordherstel hebt aangevraagd, negeer dan dit emailbericht.", "Reset your password" : "Herstel je wachtwoord", @@ -43,7 +43,7 @@ "Checked for update of app \"%s\" in appstore" : "Op updates gecontroleerd voor de app \"%s\"", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Controleert of het databaseschema voor %s geüpdatet kan worden (dit kan lang duren afhankelijk van de grootte van de database)", "Checked database schema update for apps" : "Databaseschema update voor apps gecontroleerd", - "Updated \"%s\" to %s" : "Bijgewerkt \"%s\" naar %s", + "Updated \"%s\" to %s" : "\"%s\" geüpdatet naar %s", "Set log level to debug" : "Debug logniveau instellen", "Reset log level" : "Terugzetten logniveau", "Starting code integrity check" : "Starten code betrouwbaarheidscontrole", @@ -194,7 +194,7 @@ "({scope})" : "({scope})", "Delete" : "Verwijder", "Rename" : "Naam wijzigen", - "Collaborative tags" : "Samenwerk markeringen", + "Collaborative tags" : "Systeemtags", "No tags found" : "Geen tags gevonden", "unknown text" : "onbekende tekst", "Hello world!" : "Hallo wereld!", @@ -205,7 +205,7 @@ "new" : "nieuw", "_download %n file_::_download %n files_" : ["download %n bestand","download %n bestanden"], "The update is in progress, leaving this page might interrupt the process in some environments." : "De update is bezig, deze pagina verlaten kan het updateproces in sommige omgevingen onderbreken.", - "Update to {version}" : "Bijwerken naar {version}", + "Update to {version}" : "Geüpdatet naar {version}", "An error occurred." : "Er heeft zich een fout voorgedaan.", "Please reload the page." : "Herlaad deze pagina.", "The update was unsuccessful. For more information check our forum post covering this issue." : "De update was niet succesvol. Voor meer informatie zie ons bericht op het forum over dit probleem.", @@ -297,7 +297,7 @@ "Depending on your configuration, this button could also work to trust the domain:" : "Afhankelijk van je configuratie kan deze knop ook werken om het volgende domein te vertrouwen:", "Add \"%s\" as trusted domain" : "\"%s\" toevoegen als vertrouwd domein", "App update required" : "Bijwerken App vereist", - "%s will be updated to version %s" : "%s wordt bijgewerkt naar versie %s", + "%s will be updated to version %s" : "%s wordt geüpdatet naar versie %s", "These apps will be updated:" : "Deze apps worden bijgewerkt:", "These incompatible apps will be disabled:" : "De volgende incompatibele apps worden uitgeschakeld:", "The theme %s has been disabled." : "Het thema %s is uitgeschakeld.", @@ -317,16 +317,29 @@ "%s (3rdparty)" : "%s (3rdparty)", "There was an error loading your contacts" : "Er is een fout opgetreden tijdens het laden van uw contacten", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Uw webserver is nog niet juist ingesteld voor het synchroniseren van bestanden omdat de WebDAV-interface niet naar behoren werkt.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Je webserver is niet goed ingesteld om me \"{url}\" om te kunnen gaan. Meer informatie vindt je in onze documentatie.", "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Deze server heeft geen werkende internetverbinding: Meerdere (eind)punten konden niet bereikt worden. Dit betekent dat sommige onderdelen, zoals het koppelen van externe opslag, het ontvangen van notificaties over updates of de installatie van third-party apps, niet zullen werken. Ook het benaderen van bestanden op afstand en het verzenden van notificatie via e-mail werkt mogelijk niet. Als je alle onderdelen wil gebruiken, moet je de internetverbinding van deze server aanzetten.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Er is niks ingesteld voor caching. Om de prestaties te verbeteren kun je een cache instellen als dit beschikbaar is. Meer informatie vindt je in onze documentatie.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom kan niet gelezen worden door PHP en dat wordt sterk afgeraden ivm veiligheid van je server. Meer informatie vindt je in onze documentatie.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Je gebruikt momenteel PHP versie {version}. We raden je aan om PHP te upgraden om zo te profiteren van prestatieverbeteringen en veiligheidsupdates aangeboden door de PHP Group zodra het besturingssysteem van je server dit ondersteunt.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Sommige bestanden hebben de integriteitscontrole niet doorstaan. Meer informatie over hoe je dit probleem kunt oplossen vindt je in onze documentatie. (Lijst van ongeldige bestanden… / Opnieuw scannen)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "De PHP OPcache is niet goed ingesteld. Voor betere prestaties raden we je aan om de volgende instellingen te gebruiken in php.ini:", "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "De PHP functie \"set_time_limit\" is niet beschikbaar. Dit kan er voor zorgen dat scripts gestopt worden tijdens de uitvoeren ervan, wat resulteert in een defecte installatie. We raden sterk aan deze functie aan te zetten.", "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "De datafolder en bestanden zijn waarschijnlijk te benaderen via het internet. Het .htaccess bestand werkt niet. Het is sterk aangeraden om de webserver in te stellen dat de datafolder niet meer te benaderen is, of dat je de datafolder verplaatst naar een locatie buiten de hoofdmap voor documenten van de webserver.", "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." : "De \"{header}\" HTTP header is niet ingesteld om gelijk te zijn aan \"{expected}\". Dit is een mogelijk beveiligings- of privacyrisico en we raden je aan deze instellingen aan te passen.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "De \"Strict-Transport-Security\" HTTP header is niet ingesteld op minimaal \"{seconds}\" seconde. Voor een veiliger systeem raden we je aan om HSTS aan te zetten, zoals beschreven in onze beveiligingstips.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Je bezoekt deze site via een HTTP-verbinding. We raden je ten sterkste aan om je server beveiligde verbindingen (HTTPS) te verseisen, zoals beschreven in onze beveiligingstips.", "Shared with {recipients}" : "Delen met {recipients}", "The server encountered an internal error and was unable to complete your request." : "Er is een interne fout opgetreden op de server en kon daarom je verzoek niet verwerken.", "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Neem alstublieft contact op met de serverbeheerder als deze foutmelding meerdere keren terugkomt, en neem onderstaande technische details hierin op. ", + "For information how to properly configure your server, please see the documentation." : "Voor meer informatie over het correct instellen van je server, verwijzen we je graag naar onze documentatie.", "This action requires you to confirm your password:" : "Deze actie moet je met je wachtwoord bevestigen:", "Wrong password. Reset it?" : "Onjuist wachtwoord. Wachtwoord resetten?", + "You are about to grant \"%s\" access to your %s account." : "Je staat op het punt om \"%s\" toegang te geven tot je %s account.", "You are accessing the server from an untrusted domain." : "Je benadert de server van een niet-vertrouwd domein.", - "For help, see the documentation." : "Voor hulp, zie de documentatie." + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Neem contact op met de beheerder. Als je zelf de beheerder bent van deze installatie, zorg dan de \"trusted_domains\" instellingen goed zijn ingesteld in config/config.php. Een voorbeeldconfiguratie vind je in config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Afhankelijk van je instellingen kun je mogelijk als admin ook de onderstaande knop gebruiken om dit domein te vertrouwen.", + "For help, see the documentation." : "Voor hulp, zie de documentatie.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Je PHP ondersteunt geen freetype. Daardoor kunnen profielfoto's en de instellingen niet goed weergegeven worden." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/lt_LT.js b/lib/l10n/lt_LT.js index bb8c53361f9a5..24e337afa705d 100644 --- a/lib/l10n/lt_LT.js +++ b/lib/l10n/lt_LT.js @@ -198,6 +198,7 @@ OC.L10N.register( "Storage incomplete configuration. %s" : "Nepilna saugyklos konfigūracija. %s", "Storage connection error. %s" : "Saugyklos sujungimo ryšio klaida. %s", "Storage is temporarily not available" : "Saugykla yra laikinai neprieinama", - "Storage connection timeout. %s" : "Sujungimo su saugykla laikas baigėsi. %s" + "Storage connection timeout. %s" : "Sujungimo su saugykla laikas baigėsi. %s", + "DB Error: \"%s\"" : "DB klaida: \"%s\"" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/lib/l10n/lt_LT.json b/lib/l10n/lt_LT.json index 5548e6ceebe53..0e3912a2ecbb6 100644 --- a/lib/l10n/lt_LT.json +++ b/lib/l10n/lt_LT.json @@ -196,6 +196,7 @@ "Storage incomplete configuration. %s" : "Nepilna saugyklos konfigūracija. %s", "Storage connection error. %s" : "Saugyklos sujungimo ryšio klaida. %s", "Storage is temporarily not available" : "Saugykla yra laikinai neprieinama", - "Storage connection timeout. %s" : "Sujungimo su saugykla laikas baigėsi. %s" + "Storage connection timeout. %s" : "Sujungimo su saugykla laikas baigėsi. %s", + "DB Error: \"%s\"" : "DB klaida: \"%s\"" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index 8489a9112eca5..c1ef15004a3a7 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -89,7 +89,7 @@ OC.L10N.register( "Email sent" : "E-mail verzonden", "Official" : "Officieel", "All" : "Alle", - "Update to %s" : "Werk bij naar %s", + "Update to %s" : "Updaten naar %s", "No apps found for your version" : "Geen apps gevonden voor jouw versie", "The app will be downloaded from the app store" : "De app zal worden gedownload van de app store", "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Officiële apps worden ontwikkeld door en binnen de community. Ze bieden centrale functionaliteit en zijn klaar voor productie.", @@ -267,10 +267,10 @@ OC.L10N.register( "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Het was niet mogelijk om de systeem cron via CLI uit te voeren. De volgende technische problemen traden op:", "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Lees de installatie-handleiding ↗ goed door en controleer de logs op fouten en waarschuwingen.", "All checks passed." : "Alle checks geslaagd", - "Background jobs" : "Achtergrond jobs", - "Last job ran %s." : "Laatste job liep %s.", + "Background jobs" : "Achtergrondtaken", + "Last job ran %s." : "Laatste taak %s uitgevoerd.", "Last job execution ran %s. Something seems wrong." : "Laatst uitgevoerde job: %s. Er lijkt iets fout gegaan.", - "Background job didn’t run yet!" : "Achtergrondjob nog niet gelopen!", + "Background job didn’t run yet!" : "Achtergrondtaak nog niet uitgevoerd!", "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "Voor optimale prestaties is het belangrijk om de achtergrondtaken goed te configureren. Voor grotere installaties is \"Cron' de aanbevolen instelling. Bekijk de documentatie voor meer informatie.", "Execute one task with each page loaded" : "Bij laden van elke pagina één taak uitvoeren", "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php is geregistreerd bij een webcron service om elke 15 minuten cron.php over http aan te roepen.", @@ -305,7 +305,7 @@ OC.L10N.register( "How to do backups" : "Hoe maak je back-ups", "Performance tuning" : "Prestatie afstelling", "Improving the config.php" : "config.php verbeteren", - "Theming" : "Thema's", + "Theming" : "Uiterlijk", "Check the security of your Nextcloud over our security scan" : "Controleer de beveiliging van je Nextcloud met onze securityscan", "Hardening and security guidance" : "Hardening en security advies", "Personal" : "Persoonlijk", @@ -388,7 +388,7 @@ OC.L10N.register( "Updating...." : "Bijwerken....", "Error while updating app" : "Fout bij het bijwerken van de app", "Error while removing app" : "Fout tijdens het verwijderen van de app", - "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "De app is ingeschakeld maar moet worden bijgewerkt. Je wordt over 5 seconden doorgeleid naar de bijwerkpagina.", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "De app is ingeschakeld maar moet worden geüpdate. Je wordt over 5 seconden doorgeleid naar de updatepagina.", "App update" : "App update", "__language_name__" : "Nederlands", "Verifying" : "Verifiëren", diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index f4b431c5aeea4..f9be2248e4c64 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -87,7 +87,7 @@ "Email sent" : "E-mail verzonden", "Official" : "Officieel", "All" : "Alle", - "Update to %s" : "Werk bij naar %s", + "Update to %s" : "Updaten naar %s", "No apps found for your version" : "Geen apps gevonden voor jouw versie", "The app will be downloaded from the app store" : "De app zal worden gedownload van de app store", "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Officiële apps worden ontwikkeld door en binnen de community. Ze bieden centrale functionaliteit en zijn klaar voor productie.", @@ -265,10 +265,10 @@ "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Het was niet mogelijk om de systeem cron via CLI uit te voeren. De volgende technische problemen traden op:", "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Lees de installatie-handleiding ↗ goed door en controleer de logs op fouten en waarschuwingen.", "All checks passed." : "Alle checks geslaagd", - "Background jobs" : "Achtergrond jobs", - "Last job ran %s." : "Laatste job liep %s.", + "Background jobs" : "Achtergrondtaken", + "Last job ran %s." : "Laatste taak %s uitgevoerd.", "Last job execution ran %s. Something seems wrong." : "Laatst uitgevoerde job: %s. Er lijkt iets fout gegaan.", - "Background job didn’t run yet!" : "Achtergrondjob nog niet gelopen!", + "Background job didn’t run yet!" : "Achtergrondtaak nog niet uitgevoerd!", "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "Voor optimale prestaties is het belangrijk om de achtergrondtaken goed te configureren. Voor grotere installaties is \"Cron' de aanbevolen instelling. Bekijk de documentatie voor meer informatie.", "Execute one task with each page loaded" : "Bij laden van elke pagina één taak uitvoeren", "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php is geregistreerd bij een webcron service om elke 15 minuten cron.php over http aan te roepen.", @@ -303,7 +303,7 @@ "How to do backups" : "Hoe maak je back-ups", "Performance tuning" : "Prestatie afstelling", "Improving the config.php" : "config.php verbeteren", - "Theming" : "Thema's", + "Theming" : "Uiterlijk", "Check the security of your Nextcloud over our security scan" : "Controleer de beveiliging van je Nextcloud met onze securityscan", "Hardening and security guidance" : "Hardening en security advies", "Personal" : "Persoonlijk", @@ -386,7 +386,7 @@ "Updating...." : "Bijwerken....", "Error while updating app" : "Fout bij het bijwerken van de app", "Error while removing app" : "Fout tijdens het verwijderen van de app", - "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "De app is ingeschakeld maar moet worden bijgewerkt. Je wordt over 5 seconden doorgeleid naar de bijwerkpagina.", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "De app is ingeschakeld maar moet worden geüpdate. Je wordt over 5 seconden doorgeleid naar de updatepagina.", "App update" : "App update", "__language_name__" : "Nederlands", "Verifying" : "Verifiëren", From 535816a6d47696095e7323b719729662a799db1c Mon Sep 17 00:00:00 2001 From: Roeland Jago Douma Date: Mon, 19 Feb 2018 12:34:49 +0100 Subject: [PATCH 105/251] Add TTF of OpenSand-{Ligh,Semibold} Signed-off-by: Roeland Jago Douma --- core/fonts/OpenSans-Light.ttf | Bin 0 -> 222412 bytes core/fonts/OpenSans-Semibold.ttf | Bin 0 -> 221328 bytes 2 files changed, 0 insertions(+), 0 deletions(-) create mode 100644 core/fonts/OpenSans-Light.ttf create mode 100644 core/fonts/OpenSans-Semibold.ttf diff --git a/core/fonts/OpenSans-Light.ttf b/core/fonts/OpenSans-Light.ttf new file mode 100644 index 0000000000000000000000000000000000000000..0d381897da20345fa63112f19042561f44ee3aa0 GIT binary patch literal 222412 zcmb^a30zcF{|AnrbMKuyE3+}fun5dB0wN;F2#6b_0wS`BU<__7F1X^7n){v#nOW`& zqM4xZ2=bMHO(p3nL0pU?T+ ziBLjFAU*_=lsRzVr&LahdormlJ$Qa^Tu-gRiGUUAjyS#-#~o{?+<{LJp^1f+`iS$q0zXkW(r&dlGYyW21UcyJbO^BE1Z z6TV|JAu;jOW{jQo?+5pcB&5R%+|!dV+|iJ2AAK_Jm(hmazZ10zCkT0?zvWZ8|8DSa zw=T7Otd3Mw;aE*Lb{2oQPqnt?37m?&bxC?&9VtJ_drki2A7y9w1Eh`wkusvdoko&K zM&Q;I@)hB6l^0ggF1VsnY*V;!KGNIs?~!rznu_DJyvQpAjuWmB?k6{~566QUR!O&h zLkFOwz>gzjS3gbc+ob`4KIPtM3^EWjojy+-zO7s*ORJV_JQlfB|B zGF@?$%%^L}N-lvEqxBJLNDZ#lg8G@Wc) zd-!nNe}a^7hk%pg0Y8fr<614lJv%3m)|>nkQZJutA}L%GiIdlIjvQ0;A=71i?y~U74SvS zhjF#7-(sB`f$NUw-*4BK0}rt{X8ke9W;x#g9)*lxTmzF6#;dF`dBK>~zP{4ed(VF^ zUk}H16{Dj(_uaifsQ;QQZ@}r@y)uz3Rc^xi0Y8%iUq8jyKg#5i$;LnSkXc!7?&@VZ z2L1m3?U}qYnPWUA)7dBYO!k=kx9_=`fO9?c#QE0W7!NR>XME>hTN|tmG#+vlFU+FR z=+o$z*j_0c=>Ktj`!tWj%*+emy5-kT_YEj^Q3AJ2lWFz!h7k7y>?rj>Gl&q6<0( zaw*H$apBE-~ zkMjKtS4@vFT;Z91TrpfLMv!AF9l4;g;d>^ot;AT&CHz9NRq5!DfRC7N*h1zDtAMjn zz{e=)Sjf4en238rdWmVy}WZVJ;3JXui{?F5M-6vq92%?i*txYWHQdi00uUP zJTGv??(xgR-F=&U5K;`UMsCa&(l`<>x3eUZ^~?sc#uJhWxaP}^Bi};r?NNup#xVZ? zegmfi-|0vWzlrQ6H>9JSB>Mu)Uno#~4*k2H5E{6#o3zHh?`@S*68ko1<#z%yT~DN2ML!O^I5>@OhizTerX) zYndp^3)92QrhvbcXJK1);GZh+;6fsBj+ z9FP(4sgvmjCZBD(?F8;)F#3At%YB=?13nWS!%qkMM*SPt2CcI_fNB3_cF@%XIO3^w&wTs3Ao{BjEaw3{x_F zyPQ~*jOR7L#bxjg#wjL(Za;$#tH?}dU;H@p^K$h3T{;?SEJoJ~5 zj9|7@_SG;SlyT?&|g8XKz{`7C$#H0?uYg=bk+r~9R3i-Bg*x*3uGlZ zEo)iCzlebe(Lvkm(KnGLL?lThhYTW%2=oDsrOC9CE~XFD-L#4ROk24yE{!|My~e%4 zea`*LQ=aG5yn%P}b^HVTZvFuO4*xIy10g^t6h;g83+shb!UaWO1dYguSQ+tJ#G4WS zjrc1v->$V=?Gg4UdyGBF?y~o^_qJ!+r`hM)7u)yRAGaTLC>()~Acx%%<%n@~b&QJQ zqQodelsPIiDk3UADkrKUYHakIw*;xRwWYNcklO)qE@>ohlXqz+>Y`PExRE{$h;MSi zGQ_U};*S6^X@htLAbya4lz)1c~Syu_U4~;`NBPB7OnH z#2#q3+3hmK$@X*~#PFNh_rl((Kln*6P-(){$g>-3|IKe-(G(A^7+puKtmOBLuDR0#O7vJl(287(fofu z`@h`PU%~NzsL^|tB9}yy(DKlbf${&*X*izYKl-PhR{YbIJI~7*Eu7*v@tgTA{8oM& zzn%QR?;t<&JIPP5(EsIkkze^nejWc1jRALeqH(k{ji+5`0_{o@X%g)Qj(5@SG=-)j z2I)c5X;0dV_NIMkUz$PPv>zQrb7@B!O-pDg9Y*h=Wz@s(rX%P`I*N{_6_A%IT205$ zv2+~2ht|*ubRwNZC(|i(Dy^l{=yW;*QO&({7M;yM%GJ;vbSG_~yJ#c7mw${tO83&o z=sx;5H-Vc-|3iPE*XWP*I{gW}{9pPD{gwVkf9EFA8}twE5pDywk=w*==C*KKxoz}M z`WL^Cdy{*Mdz(AYy~ADL-sRro{>5G7-sdiHA8;S?kMmFP+5CQvaFnm*r}5MI8T?HC zUVawWfnUpY=Tf+l+$cia1BaJ;%1TRy77r;ZEXdCroI5CIV0KpKfd2j58GZZo?$tBB zM_Ou1x1_|b30*qH#zc2?MmZvbEheKuAE4E!RZ3AI@Ej#w>`k;HtBH@co3bmNSYE?Lg(iY9xdy$PKVZ#G3YAWovvtdW8}EIM!LNt-EAYO z(cYW%W>YxrP3JS6_T#jCNEyDb&2)O~O+U)t^X2bCjC>G)1BU~5$WSq8?O9FPvuoOB zW|+g_N$4`DN$guwc_UyWfy2|6NORAi9qqFX?PFFWA z3+N_AWla?4Pt=DsWk29)GFH^ko&Z%|dUo;ProbV?%bK|8Y5kb(a)oQ@u04pZA0 zJmBvy6QBji0frq8hKBm%Zc>GVrX@qlyvKG@6?TNU6XQKiTm`#w+JD7b%C0Q&UunC& z!U@_A9$Hq{Bt#Dynod>P*T?9 z&IHEXl|ClPI-HbpD6rl0}fvY4#8vN7YDA}hki zK<>ub%fcK@ZVxEzah8qsFt!7R;;vvi{9#$(m6Ec-L!E<%l$U|34v&0=U0{zBqO
    !k&#U&i=je*`$nCp&5a2`7C4H{=MyGG>rI11B|9P zd)C-Y-#B)B$3t;j-N~F>Y5eq~@?|>=M)zE~~(w z1K2q)E`u4<+sm9|ogQb6y~$lv#!$r2BV*Zz3>oKMsthhEYk$-ZSwItU;IfQ4A2OS= zC)M zaI4&Ew~h+H|YXRz}b-t!_muXOfrqCph5FM-?@HBo$)3@>v)B<-PZgw+{;WR&tisni+2 zPH>-Amt;F4hZeU+7H5}57G*DwbmZ7e?UXN#%;8HT_}0k6{IbY`{Nl*`>>-h{u9(so zLvm!at7B=1E4WnY;!8!0$;&N_9GrV!WNvoP$Uv95RDt^iT#MwXfzRNd=6P`t9-ouF zEOKD>hDdF8ST>jTLN;}}qDnis!b*c&)>0ESlp0-zQiGw;z(pDs8+I8k7zBf1ouSph zi*O4{sf(1>lEvg{@)Hq^gf0o93VNJAbhu<_eEi_!%2rqsb3VeZ}T!o+rPH|;fQr?c0A#D-tng6Gslln$x#haPe+}Kx)60a>Srf) zZgK8)9(BIreBb%C^F~Ky$KZ~gJ8tawSjT5Op6ht2#|?-piK~d47PmC+;kX|<59nOdd2Hv|omX|<(s_U9 zqn%H6ez)_toqz4z8gGnu#3#h}h@Tn1B7S3hWBkGR7vo=#e?R_8m*6f%T`Idw@3OGV z>MmQm?C)~4%dLcg31ta233C(HBy3MO*wxx~Th}MMzR>lxt{1z0)%Ev8F)=7HHZd)6 zKw@EHMdGx?`H8C%wUN>qm2Uq{rpcX?=ed-w!>*TI7hPYuesi^U*K|+sKEC_X?)$sH+Px*E zOUlHQohheMT2qawA*r2Hd!^>5j!K=Dx*&C3>gLp4sV}9zn)*)a2dV!~%SaoTR+zRh zZDrcpv^Ub;OS_RK_2|cO8FHL_W{n7Mi($A*9pZ-nHK|PQ6{I%DJ zUeEV7_b%$axA%qKANEP=)1yyKpHKUI**B{1%)T#YXfyg{EXcU*&TwyVH}})`i|m)! zFQZ>kzp8$R`@P)X(!WFhj{Q^n_wB#C|DOYT3>Y+^d_diRhX;H<;OhZDW~OCkWImAj zV^&m_D{Fk#qghX8J(Kl9*4eDLvMy$Q3S%0d?aCgLy({~|K=r_qfqMpiozo+yA?K%@ zKL(WzdSTF~xz619+_||Q57rD09b7p0{=x6$De?mHlJk1z_0Oxxo0j)p-pBcx{G9x` z`9}+AL2<#Rf^Q153fC1j7O9GYizXCJFPd9aU-U@P??VcQ+%shSkU2vhAM(zS-;2fK zpyJr#9>uxEBZ{XKFDl+xe6aXv@jJyo4K)mP4J{d3H}urduS%jyR+Q{7dA_u?bY$t+ z($%F0OOKac8m1d|&#+hS>3+|1Wu3|%@F-!hDm~A5-t=7c{8?@&pILsO{N3UD;fceC z4}WF&jS&+@yfWg05#NoB92q|{ZDi%h)gup#e0${eQ5{E(A9Y~VucL!T&l~;LKmV&# zRn}C_tz25As2W&xtm?I@kE*_^`nj5`?omCv`u^%o)i=kKj@dKjud&=%?O4m$^sz-_ zE62_lyKL;kxI4xn?SJPL_;ARY*v0}!>nZnHUnbkAb-uvjRzOxR@HqD+i z`}~|Pa~kG+a$m@OQ}26Wu66FTxeMm5p8NJZ{k);`w$J-+evkRH=RY(5#)3Wz7A$ya zp>1K!!rvDyShRZ4hDGNV{jsQZaredZ7N1%oF3Dd~x8(Jurllj6o?I5RtZ>Xy|#QukQhvAUP)UakA6?)$o1 z^}71-`h@z7`l9-(`kD1B>o?WETz~xm@__k)2@kxyHfZgnwZ|V+Jvi{e!Uqqp3tLyW z?ze|ZA9`xNYJK_o$JhVyaNfh4AO7GG>m#!sS@_7s4IMWmZRourf5WH^(>5&Iuwlc# z4aYaUx#6=7*EjMTZ5!h@_S%@garDON8<%g~xbg9gCpW&k@w1KJZTxGKW>eUv_)UE_ z6>h5BG;`C+O`A9E-}J(!cQ<{t>G#dzX7lEV&7C)=ZXUR~Z1cp;3pPKvxpDK6&97|! zVDopITeg_CL~TjlGGNQlEn~LK+H(JvOB*G-FkKFkK01F9BULZb^X-lOql73_qy(xf*V6%PPgOo4GZ@H|#lkTd&b<`8iq= z=MGfycn%k!qg2E38gYn66G$@RNpOZaJ&`@qyVH3nlE*7_Ts6-FY-qwdkF$PQM)qBiMtYO_JF6*Pf?mZ0zmr6Ae_ip{QIg+jE5 z8V4V0$`*B5xA19(vk$oGiHTTed|6q3Vww=KY!(~^28i)iYrGgB*s$%Dn21#+ z;?E>69_}bm;r-55O67&)1V&-a7Ex(+ro_a=rUV7KOkKH@?x|@hE^ClY853&?3Q~4Q zmzqi~K{k^p@|RzIddP^6-Gkrrtbf4$V&jl=+Z<~TUuvAXXwAH}EyrgpnlqOkU-?AP zwePsNi18hhX>*sd`-UypZ#n&vI-|U=Mhfk}V_s=(Cn+vq0e5QH)EIiscpr8Rrni1C z3fLXgkRafs3-$*FyJM3Qx+ZpT*kTo0V$zx%u?dM{a<_=ios)RIJ~2s53|3i`p&diO zmH5XP-DP6!_5zt0$%14FawVI($2g-zg++8m#bAxD z`KGliH$U`1{T4b0r_Qi58`iGg^ho`hEmCvyr3yY?;7+_iXB~h3`Qu;w@ZZla|L4EW zpFRIPvai#hJMqO2zkYJ{yPx^ko4F7IP<=isD^_8@+)hxNM~1i)LV_*U9IFw9) z0~F~!Y@w!(f+aeUHwqR_h*^`8=g|lejyz9?1h#_BmNTalcaM)jQ462ya?si`S4O6EWE#^C<$Q@gi6`@nPbl|IAl6&Vjx&8jma z9(r=hdq2_FmRuSyg|D8QcA`_!v|S4pOq{Wt&a8WRa`C{`x$BgyO>cCzWm(J!%%V11QriRFHLx1*NF0=#lA^^Gu^K zGBI@`s}ipkVRsZuC+W|)LkC@?S7I|1x=2m*0UCCrtk}{`kZPtZjb<#BGa0EfhAZCw z@bnE0G^zHHZCp31rtcg&Cb?RP6fR9ZKwrgk`{22s`k%|I@mvvw1Ns0#efzmCJQ+Y4 zIaFMjj9jcM$V@-o{%|c#YS=KHJy`ln>iGoSK))8`r{)S_$BTdfxLejR}5~qx`9j} zfDHA(w8i`G3`}uYN6=3>Qe2GDdtk*fu_ve`!EP-kV1{OhM`XP21-DyLn$KMAVV0_Z z87bU{=$YFib5aMl4jYUdhnaYuGn0%Ac_OdiQ^+#6r{!`DXJ@7pH^3^*MEo2HDbyl{ z?&P+ZiB1$rNU++P?@=pxL%xTHN?~H=1=;r`BLoQCWp*W-sr(6+z!@R(hwEQo|MuFq zzcimd^6ZOGJ@w*?2e`}9V(CG;kj|!y=rn1$v`#uGy+DhwtCLBKq$a@s8UQ%}a5Tj3 z)`LWp>ay0_I>LG=#HJgC^f&P*Pig2m53Gb&=c312Z^MXkX}k=tpHN zQ;b#%r=(VgAT&>*EBCJGdvMKjkEcF&`P8S6oR!w_`ZBudz|p!ts` zCM^c-C>aIJ5aIBoN;YKo}~&oeBbIf+I>cRmrmYa;CVvU!p|7&Vc7HKKW47ap`;M=H-1Q z?~VBU-(P;#(0J_9Qx8lzI;~sj&-35>Oc=HLM5q{abj$gxL#w+aKlAAN9TiV)nDwCnlk z%`K4(qw9cCBlx5P>FJI%@?k-|Iw(Yl2q%I09;B3Pw$K8P&FdQ6iABb{UONwIPZoeS z=>K+j1Em9*vy;k&{D%fe-`$w^z72HU8mrPRdBMxA_yar2z0Sj8borb?Ls$kIg zKcpW`0eP=XIsfgi@BCY8rI+^}JGy<`(>2xmxmp@dSDv($g-JW4gH>bx^Uf8ig$}*- z&Z#F(mTxSmJ%1lCJO#9l1cpTt@3x94k0qRfS3w^sV4S!D4-e|f{20s>iyx&93f*a? zw16vbKF1$v*{c{H=Bl(glc%1~rws4*4G4KOpE%uZEEnk{~LXJox;XG}-Q_!mxVb-$F6-cW6lGQKDb|T;iWy(4h||j zdH=H?y?JK&tJ!(`XHVEQ?AF%0ExYR$Y%d*nkgub>X5YsdhIKgBRY__m`k4-6Pzz_ehP(O-gf56CrYrRZM z0-d6FrO?1I#PZUxQpOT7f^M^P`Fu@T{9OAVG}x#c^ybvJzWnR8hd!DmIU7zM+B5d) z@gpDSbEPZNf)k;`^agC3533k|<(o3Cu_AuG#k96;V*O^zB%3b=x@^FTiW8kt zU6~o zFZwKTsyWRY)vo}Xa+1*5>Jd4a;0^B7S5P>YJ0Q}i;0HkFrRd=*-NX?(~Qgr7+jS}mr+bo{L1 zVyQ;<6z+hSDmaA*h{eB!IM54nEuRK(@f_4fRMU;4rIgRT- ztR3ypwFawQi0dSThN4U~#%$IWdCWpg)DTaM-|uENDL4_9xxFj`JuF^I^ZU|18)UWU zIVBuzYg?=xJ$UT!oW75*F03nxp1QH{xqo%+H=>6-D{`hc{*Io%!&BJjzJkS@oUuho z_Hzd_$K5j|G1XI5sh2LvJ`aZ&sh7A%U6L^7OOq!wVHMzWBYMM<)U;nikxYCx7ZreYP@yv2e!5ChpQ#(zVGW z$BaF5=uJxFq@;+N3E#i)GVQqYHEF{&=_P4*$L`fdbUmb((5+t_k)D-yt$T=;Q)d{; z2syTCA)Hs71Q+T_Z?|1g=#(OKxQ?pSL{u6LI$luGJdcW{N|Zc2#Ws_D+Zh5bKvKm2 zsLyetkBJqP{JNGyZ%^m)`f=`=Ehg zhh0|sR@n=3A|K&3hz@93yUFOd0Mr%U#iywzf1d$lGh1XkDdiZN*k_REsin$)` zZ6T0NAaKMO0LAMB57RMbk1(mT>? z(!RuU7k!Y9y-Z7mk{f@$ z`6?gTGLUxdnq`XG!oijsZ?*iVQl?5|i*Td%& z-*!I`yLl(0DdTuYOBT1GWip#*!)P`OsHupPZ8E&ZKxHtZfl#Fo)`5f$hSw-)wZ=S; zRuF=K*xQ6H7RjCvjk*5k-LS?1J!15+Vy}=klA{M^7@aYnM8Q*+h+&F&Nc^26$DH}qP!f-AeWU2&m0+~n*g=Z zF``$&z+c8m>%z(`RHZn5Ggn&Y;|^gTo~9!y?hce_vJ?-fG;XCUe8MqWy-LgH4d*9QcsMc!gH!`tITt&-Oh zWH>Wi-mEOMGVP(2k>a4vAS;6y@Vd}}qzX;~{zd(3%tXX>Wx&4na zZM{_5t6Y-!w0o_wHCCPG)%=$20B!{ebClF3vomd z2&~ELmYNit^ce(3`f~h#K6vjNaA`ra^c4+nRnN^LQZ=^WaZtz&sk#8Qu+t zbQ{u=2(ffpC~Kq*nT*`!5d)XZ19Va3$ zk%n)tI{k5i&&B{WAO`;l1+%0gDQ7ypCiR;Mw`=_rsTX&kWf*spJK6FeH=`xnKVv#( zRFN)jE7JaOa8ybTezitT6jaGGLw^_g<%Az5fKVap8A%ULl|m*+wprXJ-rl^p4Rs%p=lKL3v^mrCeC z=@`wGPKq~2{dE>kxg%qZ@-!YE&fjFL1A*MdoO683zr9?>_zQa#m;Liok%#R;#+V74 z9M!d(--h{-(s#Hp@i72U^0nA!)L%$ykut8Ekgj0yeyrQfv6{er+lV~;K6663vxA1}-}yzUo4C;o%`sDpg1z9}~?Ht1e=Y$DoVU z!Hd@Eti)yc^Js(eRko&3HR(>zpF_h=4@{$8CG)QTuVasYlkPP zv~!n?LyDdw#}H@bVRy(%9PphY?Yt($V9@D!XOzY)!ZrcypllB@is3mPu^rIJJ<5vS zs|mdbPBzP15D3_n%onyOmB^Obpyz!tyOCS^)wjQXcJGN)b%(yyhrLH)aBee&Bqv)GbL7#he{E3iKKq7Yh!#n(vX^GGAZ2G;D3n>+iht{D#Ff7Q7at zq_r0Wdu|x$7U3Cz)c{cXW&K~E{bYo5Y;fNIz6OMV*#|R4v8rE)YQc9`uV1@*!vR32{3!iF$;YSv-TYtf z{Hc*^Cy&@Mf9Fd^u5qsgF9=~Pfu>8peN%MhT4;QEr*Oe|;p~f-K)rAv^pY3}>h*C) z23Rag4nhujw*~Q5EyP00G_S=%b37J<*Ib)e2n1~U=qcApFe!!#cBViaQrjpCJD%H0 zs^5I`k;lu+ZAFFmRzjP7-)!T*?-^b4`U_#hLe^{>3%!saSrBTKkT_V#46?*MP#4)# z=-#nwVCN7j1cpR*6#Kb_SY?M~gF~%UrVT<0yh8bqk`LgO%Ahzy@<5Nl5EK{NXOJh> z7{?9r#2JFR4Dtkp-4xa!jRtMzlb^{O8|@j}z2 zUM<&XK0SEL6=?8Y%Q_kI4x4 zOKoN8t2S%aPAxdRbq;b=Wnvn^WjC4lgLUiAK3iR_Q1&@dM`v(n_HI1)dCL>sStkQiHxiM|GmW87QXA$T&Ze*&Eqck^MTkn#hY+8d6<7 zJtNZTjLZ-+XxED5t_j`2hOG^fMSiXhIs=i4Srfnl3WJ^(QQ)Me8bS>UA4=uAAiqcL;~bbm*g|h;%~Kl}e;@4odvm1f zBh}SP`Z-r6CAF;QqW4G(MN9K<5?;WmF_)&nwg`m94bX4E0OiX35pG7u&qBvb=)sWI}#Y!B}@2@Jt< ztPhzt5@fWw6lRyaiE7^#qL7Z5VcjS9Qts-N*5-ZZjvhVt+R>wDIfryZx>QHG{n+G) zlP*d(uiUzI&H~9f106bP=0_$XScr7@$>efv7c-6qkv>Ts&`|JCUKPT;b z>By6olO?%jQk59Ly$LC|YtnDh$7O$BrkCHlW^et3;R#UcWXi}^G)Nr~pbO`9yu+?G z5m93Z2ovED!7>HjhLP!gKNqzD$w2fLJlI@mzT}Ju2uu9>tB~>!@NZ=m3@NxhTlK=^XIR>_wo*R0}vWnJP@E( zYc!nM6rdqm11vmK1YmAIL~U3DEm?lKJtK2fS%ra_gX)h|m*ACyEkcQYwCUPW#;dQ~ zSBZH_;K7t(9w&>XwIm!>b!M9o-O(FMXTvq*Rd=w>-LW(rhqhQcRxXTdvw7@L55B4wb zUsg~$E+eIMGN21-y~fQ|WWz%Daz_|+fq^PcrNI_ykY2Adpgz(JZ^ED;Ik$aRxromd z%t~;WsLQ*I(agsJi>ELn4Jxs$uqB9I8kLY+8ecPG1OhIFPZ(^wR|?J@49o(VUk zzlOCGEo3|22jFjUc<;nalH4|(QmLUPlg1JlpjDX-TB|I_K9TZ8XMWZIE&TDf*TG^U zOm%hZUw*Et#4JvPW4TtyXmRh|_{!&8*{w614$!q6tGdD;e-JZjA;E!gLDU)!icy24 zyBZ1@sK`i0CB<#!%barPUifmTTZ0bXD~%XOLwa-&KWYCTW6S7 z!Zx1b0G=O4^5C0=YSd;Eej&@MQX-$Dw}v7T=TVFhWYzNl0jdy_+CWsYl5(+d9A#uo zYj|ge-SPe>D=cgSIh9JbDHJHf66oz&WG;kVw{;Y)3BOcHZ%jPYCs6DacBTAMj!{(Q z>>DF}%zc=hH=vXGG!IA{5csTE_WzOtP~v8Xpx=} zm0A&4;k5!asI*=ny%E4|Ee|pel3MD91+PP(|}b9g{bgyS}-bS6>1ZTg@j-gG3W!K#eAmNTaL_T1Tq*VOs+sP zh`|=l3JPWE=*y*z`({E1vGeF}#z`T)iYDcyXZIZ7D##eB!>SvkZ>yG4!i~6P+BP}W zI?R|f_EQIg1F<__j+Osy><+Fs$gz8lhuKW8pV#K?cu@e}Xp7zX^5#Fel`RLj50U<_ z&)}aZ%V;iRv!Kq8t4Hh{PSV_=p&F#~P=%-Dl^Q-WB1EInYE8UgHhBYSRzTY3H_HAm zTe1S8Ze;@2JvIfqye4C`75<}%Rn1}_j;@@u?(AdV%$rPW>K2q$ReHk4jpc`L+Chh$ z7mB#5Y9w&u#d5{O8tKBaC03PX@q9o?JHWkS>W)pylHs&@ z#0W9uj~}s$9IRp!RuREg!CSOp2316a&0-7V?U91T5*Vlp3)P|w&bP_?H>;qms23F? zFuk!U%=EKW$;)uERnY=ZWu<3+{h_o*|l?N?EJ+Rm1W6t+HL$KMfvtk(w;Gu zT#;~IdV2fj;oR8qfU1_O!M=YVh;0{lF!l?Bc(Yz>UP5Zc#o{iJ7v1WB91#hDk*?75 z$*&k$>7!hGh{z@d1~16Qd~2vLreZ40>X`}7($ zHLOd|KJJQc?i_d?9N8zWp*hg%%u8i;??^oGya7~YA(IxhgFfp4YI?CLGcF|7dAma5 zLlnMSyu}gRYqwrjOlYf%xConZ9{JaBGTPlsrR>lFrqdQKL`JAl7l^z|llrv!UA16F z6>7MWgu#>d7{lygNnw0N*tD=EVSHFvxKbI8;ucm8HgdXmQ^{M^28XS^=7w9+-OMVj z+Zh!(WOh2OPOkjK`ST}=^~)cMynp-)Z@qDJ`Rb`Vb;U15(5N52qw$VI`_f8WzhArh zSI-eW-UclS5HobcF91c5LU(6D)xm%tTv4cW0oDl79!Uc90fn9pdc86*FgV{6s8k6` zrBL8evU)%{gz|NX{yI^geUVv_u{z9(%>1afGqsBZVQ%P->;gWnIehB;ix*#c?&Y(=Cangh+KgW?T=k%1_NfxKEZdV{{uqg;&lRd*S9 zqBNH!N{eWibchy9hbBl*W3T9G z8YC6Z;UYG#S@U4=G`h%{+&+DN1*EUMZl8hbU#01Ud4HlI(KG z8+AVY#57ck(DHQ)GRW8^Yvxx$t0j@Xq{y9+64p7QM@VnpETS%&7quZ_5z#7lMsMEA zr-UW&4z=1a$fG8X*g+l#)A8^@88h0_!F;z}0A_a>MOkUPud*F(ppSe|AqWNAs^Hq3 zwHR!Cq_N!&s5X>`A>dy>wrp6zTZf+B?Hs-;|NeEZ`<9%3=)|yLU%Wb^Vc4-vdk!Qo zUi|t)V>3216_>fUHV&!g6Nc8uBu*VNYo)s=D%3MLHLGvDd(F6~#&(`uylQ z;c5N)cOA55dcT64jJO%@zD2powrLEjMG70Ar#Opzw~4*sqt+|1wG?R9@kS+HQMvO4 z8YWEaU7TqD7g`i)ce^v_Lb+2+>Dp=7uwm>2I3#0QuZfw^PF504Qc!J|$m_dC#007I zfk6?9v{cMzGMcWKel}q%&Y+Fd{-kZy3V3xw8z}4X2F%*(VWuVTM@)BeQ@{2hf8LRoA|<8|2{Eia&%Sm zs@LhLH(7gG+Vk!OY0ue_hiTH0BQ){IlhXNTo1_azgv=KYoH!C+mhjC-@BY<&Xo9p^ zzD3&e<~eEKyBBErt4E~wj@aqF3vCQ{Jz5*+F$IBqhtTL4#=X=`acde#qZhYn}=V)r*F(cdx{MsAJ*~vma zfqw!S_5hOL4&p^k04HeGY9T-r^ad#7(RfRMX{=XnD=HsrQyU+s#E<>RT`^7RD@lE& zxA3bzseL4=kMt%sK-R=d8>LP0bXC~xugt%xrFucnHKTmO<+gLk28v21#3;2>Bq}l# zqZNx4>l9BbPAM)c)ObOP)eia$u~)YOa@b=iNof**=XiWcx(F~*iR- zy9}9}c5^!Mx{eZ-o9$D>WB9+AkvlhSc+I(~bbEfzk8}U^#Mq1L8k&XwlN-5DM|uuE zUN|>OnnP=(E&Q|v(kuTLKhoBlBC?y}I7lV-KafrRyZsMAy!9JPX)~KwkKaGK3fW~f z1WvcnjGusHZygvi)KqQ74qS%om67e=t%JhzC%Tv}YfD4cKecGlQ%@~gw!eJdJ;UbT z=P92fG_H93@f9l`-?wu3q6H&IEL;K_)}peAy(1FK!7{bngQ?&lfnQR%Ty7Siu(1pu zgoopFCYyklAM}x25VZpeXoxno0Es~jjI2a&zZ#(DsDqo;a{8BrqekXWp3-g3<^>Og zrVf>Ur>D5wf*w2LZYgGUqCPa*s0bn2NDHcD#ORK^ z#ZqV;ZLPKPT5FgU1(T`{j>rI&!>6h6Cf{vm)@#^N^eoprw<&w)?NLLAh8C3ElRsccLG~!b z!*}jbp@bD1iNX@~ojX+QeJXgYN+(@2XkF;qj!)HO3*Q$$pJeKO@E*3(W5~Yf5!Jww zyCdb88dk`r2@MGh)&(H44n|~c3o{}|X7tC_a&Yb43-$-tUfJ{#9Wuf8Fqq2stm-u`MfDxAcK*n;^brLtLB!yhE;S3qq6HN)38;`E0zy44kF9o;XXq7r z)LZG{prf9cdCPauok^V2B&$nfs>>l1kNIkhyZEEGKKYJ|l$ym8e`WJ7^UYh7{X8Do zgG&2M-i3sm2?lUE=8Z?r7iCyD#(txg7z2nHfQse-)IF;BFat@H{hT{yWQFX0qQ<7V z;Ha%xH8(RfqHjU*nUNL!pO8KuGge!s>Ct^u*r8d`m?IDV&I$NjYFOC-j^H-}wHg&~ z7vTgWkKj+Z`JyTI4vjLFjv7&=3%!tt?ePtqv-*D9ynGf@WW%;Jz_w_ahI5;Zcq0h! zRv=WAElMDMQT1-=#9NbIO9B~H7*W7T7j1kn4w6#Z7Cp$G&T^m z*9vdPJEgannV>1sX6Y?vCTI#LN^|1b@4&@NbHi?b1$}xUFES07iXroVBG3soE(6S= zU$S;jYrcK645eZ0Q(y{0Zlk zGr1V-IWs&AXnma)6V)@EQ4vGpQ~qYeY*=M^MDRb1po8(t%<_m1ca8}2&w{IhcSOjY zBdq=rWFm>g2+dKRiOe6t7p0R_-@YD}6;EQvL4Ntk z8?kr;UDve*Y~|c7r@8UBmeM0*~S81eIAuHQOy2?oJILW>ruSet#5BOK6By zRHCNaY*1z>M=NWU>y*2cr<6)9b~6OE+LY(P>l&;y7-c!_q!4>@cf_I0RzWMFyb)wX zTEJoV6=E~m-Y&*&Y`mi!8GKP}9SSC~C5nLOs?jA84&b2IWj(>Ot=zYdJBKpn|3=Vk~Ty6A@h`MtG zqk|WYiSjd;M0S#gq`*ea!T(PnOxO#p8sRpf$_hnR$m@<)FIHbx^J)^3$Tm8?A-#=a zwfMPEn#SeOtv#h0x~Zo$L7JFOH%b%I@fyPxc36{6x5yuKb5Ho5@=Ebb>w(CnI7z9y z8}=oT66|0h9W+Ft(iqHevT!O$aD*7lD%AZL14KT+G1wCz@FDFBSJ^KF$nTW555K*? z5C9r`6De}Vznnzjjj=SyWk=DbjmDsa(_7SfZP&2e@{_Er^}EK&Ikl&1>svxso@a%v zx6amcU#@)Pc5Ul@_w`!*I)0`U<*jqK^xk>_g^|6Uy!GouR^uwY{-mH8CmjSg$Q6Pz zt$X-roi0;>2KuRR_lVi#XYYuxe;5H;ulJ7dD$cf97$v>4Oq543iSiQLuUpe)NP5eV z%qDT(rLqff+K$q9N|AllAuQ&YZE764)ik+QIRDX2GK4p}`9z#L{ z67Z6cy{ko$ni3jgOzvt;j?3{R6QeDs%@Jj?{y#g(kZ_CF)UpjP@5_d8(tP0v(k!fa z!WSUOTg-CQ!k?)h(knc--^AewO%0=WCH8wfYsTDysf#Q6<>vN#V8!}9)fZkoc~&9R z*SZJAc1h}=Ft~csfE`apM@))Inlf?dyutU}H>~%Vp6Qi6M~TO4EZ+2T7#h-5YjVQ{_cKU}AS-<7W?-*H{>hHnOu7C$9lPrUQ` zS^sr1@l7Jz;1qcP;}b6g%l#v0(Z9SSI(bJxW-&r!`^ZegrIBUsK`G&!&K4nb?;fA1 zQU!)P(a0;s~zFj?=!rDCoTY}vqyQ9FUdv}F3*~seKLd;g9JysEmZBtg{CaY*v zD*IG*n>lW)k3qrA?erRxcPMd%9dDidPh!N*GN!C1i4{$;G<~}&IBNfYIC~GksLHH; z{J!_zxzl?~pCpq;LI@#*4jGUVNC*&PB$N;m4G=(#C`DueK>-mFQB*)h7STmTL>3jx zilSgabXg1QvWmT}1zp4>bNM~zy)%;u>i2#BKf5u>%;ddqIq&J`ITDhS6)Ru51h zmOOClmVJguj@*fN)So^Zul7zToYXC4QY=|cI-p+h?7P@c#Iq?64f}~?Qj+>?443+p zpY|Q6g>uk>B3$$UKdIE{NnQB<0w}?tgzP_fpH(2nkN3NEd0$5-t&QK(uAO6d?Hqxx z{ck*XDxbkm8a1kyaB5__=oqu{`qy!vSfGBaeZm^~#Q9es%PpOsfVAJLeZm?2#5Wk@ z3qB9+DJ}dH#G5?YOu%`r!F>goKD#cBo#~kp&Y{pMkcwDB01{-9T3s$8~N=)zq&gd4kR4H2qLAs1>h}6p>QcKmFC0hM2v@yh%;=)P1a5h$I+*x#tLfY^ zdv;e>v$ai4y?gWsUmb~iNyxoCCHF@sqON*GiYG|UHRp+I8^+AMvSU}3 z7-+m5**Ry*!>8+S-T$(drqkFuVA0*bQliex>-w(U^z+ec#Y2;R`S|&T;bGP7pdX&! z!0CfR!Jv-^>HH$s=6Bv-(9GXYiJtETf6pr5Lc`yucX^+mzczjg-lu!15eU~ADAvwr zFon-x!AE=qjRJ9R$y-#3d+QO>DdROkm*%qD9S&V)hDk7pPQj5ZB3DOr7?4Y9h^9CF zCRaz(7l>K&eBfAGkyB5hu4q0HOT0=&8qwditRkeX%|}Af&O?trENy;1nnc0zq*iAguUWf1AML8N?LBz)*7L8`UKg@%4+aSZYQ&`=t{wLZcRVJC%9zP zmEsd5y%jcAyHA>6jE8_1X#VuUiXnRzX(?&QR8=(p;IG(2q>M;4V?pbXFLC+>g zD={tPjjO|?7mzpJ4H{8PXpmsCC-vx&+sh}Ld>Oe=i9|sk(vR0mFoA6L++b1<$lats z5(I5hQZUyWgy0Q2-1#Hx+;N8hrWws6*Tih6H!G4Jsq=J3Q~Cm#N%P{B_P#K^yo+d+ zYSfCXY|wikO79np06iLEM*2k7AB+%@sgVm2n?nHS z!{@-piOJdsF-@G$L3a$FpgHK-IEK4L&q({DSyT$UwJ~D$;RWkpm0Ys3#OMgn({@UdVUM6)(QW45 z4%}wVV}&%W&OJi?G~H&dAF;6r7U3?&sD+QfZ?iT+m0;4&$##P!$~^X3_EybhLBY2vtw=5kg%@pnIl`FitGf<`9hTy*2{v9F0Ib z2SbTwQ63vZ9Y{6g+8DS4{aJwT+y%222bA%@8y@{ToSJ-wub%=C`c7**=AGesoqjh) zu84fXhFAg4H4`rtl!9O5pY9O6S8ixc4WZsL&}7UOLGnv>hsA7n7|jkBVpb*}(kjNF z#?|e1Fh5+9MSkY@I{+pQCuS^w#1-3wqD~x0vUw=hL4FPnIf7r{v2ybJgr9J$N*TT% zr<(HP$EmvfxV)}oxBL*Zsb}b`zWo5zn#*JA)f-r<`U(6z$)u}t4ZJSY%j$4T$cRoc z7>#CE3Tk3~Uav9HZMK+4*EuYfMCb`dZz5tqLZTxvJyA+T2?oFW9FQV<`Du<(J)BQ8 zE}uO@PGM*hw`vn&-a*DVYBbACb?|Z9k)>`cH&3IR6F2;{Dvq z#(juL7kNXY5MP8s&fkGgjN{rbw>$8OYdM85TlAzMrNwcaM`&Y=1^7~zyK?>?IN$S} zM`&Y=RUgyF(8rH4mU9Vhj4Jg%+89wT!N&-5TGz&?BG4J47CAb`By|{7`h$2dhM=$s z%_Q$~)nUL#CHk$@Uj33@CI72OPd7t*-nghISmP-;Nl+(CL7CW^qhxOk9ZEX6x!4E!dP@8qkRWnfSAQ^N1;ah>J!>} zqql>qB{Yjr>>K$+#3GE@HOJL~gc5)?^q^;o{e>0$nFrK?ROx`%i3=)Xe*|dwdZZ7r z9xJjYQvaa-ftjM^50QHjr8`Zv)KX0UFXay?Ab(YT2kXabBR=^eT7|ISd|g-C5Z2%% z^!i6I+i}__Kt1c|T&;MC$5pV-2=B%iw4PzKv(wdqERU}ee@ClV-{q@6PEXW5i9g1t z5!>p=4CnuhcopE98-2CU{3=3z!9SC)qM2p|Z8DUl2^ z3+Nd+@gIW&ADV{_wi;5YwA8~3p2=Wtfw%Dov&6d#4mYhR+|wi#<HfTr94yEuSxC zM)m{#cZzp$|GTh2INg;(HM^Y4FK(9$3mW)+?3CM}PoOerBXIhBJxZU5jg!p9-_d!F z|DETdch@HEc`*+!P6E7@HsSK6k8@7S2xfs5dRny zN;5&pBGXFHIi#dSi^t(d&aVmCDSE)WM36e7I2AFb%ZVS}FD)wVEWHpiLft)eU{(2# zaljD~Ko8Re01|Wyd0s#bs0Vf)0xiiN%qH0pNJCzu)9QCR86^dJ-B>f6X4OKeAz zSlVUOW8XtjkaBYMt;U#{4 zVl4WpjX>IpHbRw!j}X(xwGoKov=J_59*n>}DO?zlCC$g+G@y-fagF9{$>&5sI>UTkkY^l7A16NFCy{cx3--KJm znc=&{4INYF4jpm@Fg`wKi4Jxv96XcRdZz{tWOK=99O~ohQT1hY510zASs##VU@LS- z1?7xTUx$?2)9=qM_GOq%zSLZ~w6_BVY(3$_xAzS6gtgkUr(!M4x57|GrbSYgk_B?2 zD&nYDI6fPhFR#F0S9{S-o=kP0>25o7VyP z1VyZ$f6j|o#nO-3|NHqzzy9*;TQ8!RRpZg}CeD*eiAuqf8Z{b=*{;N`&vN>J50=62 z{~G5JU1TQEKR{y`Ax>rzU;%28@H+mEOA~l#fBQsmC7brdn3YLTD4kE#v&!>}Far3J z=9a}69Ls~xx=&=*5iPt&R14=7N_^I}+N|H@BNRqC+XW-Ait`cesMjBiz$)(MBNWF* zfCmbAB3K{hz`f_Nt1-74ypGx^ypAW+>%zDE^$VX^c|H<-j#)1k%$Zf*$e)-SeWD56 zAJ`xm8Tt!xc>_H!5&Mj4C%k$oJx}a^{yP3V6L@zn-y==isXQOiL(S0@Qk~Q;F16_| zA+?8NtAOO8A&@|G4rOquDC+cPn-0)F073@*lEGlnp^V7_K}>}aTCHTKY0dAmmd;E! zm?u$FA~j)@utxRX8R{0+tYMW%iPOR(#e>tt!5p(BTDO%76q!QgQCZM)C`B^ayeX+l zAkCgCpmHA!E&+HNA<=9=QMkdLfLgnRsOtz`(xe2(F`k~PT}W**+!jHySFDbUCPq16 zu?nwl8>0nXNc(wxV!c-6wNc#5`fG(<>XBOY!=;OOu@@_%eb=I+6vggGGzc1Q<#ZfL zTEHi`my_%H+>6Pof8^&G^Rn|1xP;I~7%S}3Mu_E3Xd{p(KpSCfkdF|P&)OVFerqFC zMJ0U9GpLO~5<(lHiu)3nJ4#d92=By37|%x_U#m6=k`S7=mf~*O7~?SpeL|ZCeL@?B zy^gp8x8k}*Zy*G|Za3#ru%5U@za1+Er;EkP@T(jb8wa0yOB*9L^Hw1vWY^;{D6$73n^5!ygm^6sPo^e?W?^hnL>-Cvr0v1%yyJlg z=7PNK^`|)00!Dlu-29C0b!68K4`ta!w>woZI1^KK=>Y^3fK)94NI~%dd)Jq&m{G?B zoYpuEC*p93V~H2yJrE;OBH5XswxZ*A@2tK&v2N6SRAZ`N+_L79zE#8aO0@&CZ+rD% zpf+{&wjC4OJGTDWJ;`+vJ)hFkIS2uH!n}h(;3Or zb9k!O?*dK~+#u|nza#+_K^%#OD>mfw!G3CcN*yoI2ZeIcA{8Y*0LT!~XFS{ku9ueS zD-Ew6E_R!LG<@gVSBRyDmAx0a36t(-8^ z(>{hh4`y({IkN_R4?6m@S9&*(oTP@NnZqh7hJ`9B-=BBCWAJt)i|MqO2zG`LZF&d; z;PqZbdo#3XU}-11O=(e&e0}+-9zFWmv1~DKxV;~OGZ1hE!Ay z98~o`BIzhCy>9DcE8JYFo}Pa7)zj;*Suj=G+6u@#EyI!X2{0KR={Uo0xtJQ|XgmXh z^NEKdpIFLoximC-%R6n7Es;-X8DvsnbPOIbJx*NO~othW)pbV17 zHF&jC@4~C_{W4YnY@}9TBUz~m3su093CZFnJ<1wQ@^UL0I8X&;%p0hQ1=@Vna0ZER zgREf4x^9ib_l&%@X-+FL(l6R~(V`a|m$zIsHEwhZjcyk7fW<<=0s!u;Mzel7z@9O9 z)DVbX5sb;9nEZH()VjO8v2xeQt7cB%4umgRQvce`Q+J4D=IEMi}8egIt#GTjv)`+eE=NPY!b0!v8E!O zcp>{jfy~T6NH;f%Ov2{NA4u8CO3cJhbBT6>@ETvRV+AD_%;k@WJUd3c_f~M~9a5p& z+m$ZimtaB}Jd*XGGlu{~B`W|MWs^+;SY|q4Z>~g5GE(so;g212aZi7ow5J_Vc0}a+ z`0`2RqoU!zoBEZtVpo%~mUmDAnuyUIKEKiAHzg7X>ELl}U(g&v(4swk)wbb++pPv~@?J>kz>1dHZ$SzIF8*%BpWxX;}x{tp2 z>T4m)kmGn#x(oD66>q3*u~<=NZ?HOL6ursIofpzC0$Cd8&GPV1&I953t~du?{}JT5 z7F4*W74V6+io9#QGkOg;87eCavHkR4-O`<#T)hvDLIofFqx+A4h?1M2fxvqX{h~%4 zaQ;rps&_&3^Q`&{YAL|a-pAjR1Nj}XxJmqP!mseZLGG>gH}nZzCI3W0*H75vJ|Vt> zPvpXvuupsPZ%2VI=pjBzFH8J$LtcIS0 zRlEs1ZoINz%waGXvGPk)n5u&1uaX$i0!vB9_EFU*(9f?2q>n3H7ZOK<^f?@!qSl-Lus~pcSRk* zYT`AnE^Qhu>*vm9!1IoLkILfN6KVi?~KRQVju~`NT8&a5KbnPDM+H$Rc!9M z+m-ry>;aec(D@beKWa24e}Q=rx~Y?DrgXqt1RS*ja8sZ!@`Kcbo5o0?qjL{}{6%xe z{$_Nst8Js!K9Sum<12)fg^@v39Iw&>%<(J{Ob2cZNih<-vxo!%IP_%$67PXGj%C7$ zL92_a&&R%ZRyl$^am?} z^5}Q?(-Do8{P3|R<=gTBCqCZBfB-GXR*-rb)XHeJKqNON&eK7=#siuRNet-%l8R-5 zJSatZF{Kk{m6W(qVT{7<0*OkJ<&qNdWOD%l3awMWKWuJx9a4X~>1L)pk=<KQdtn zxaN8sR5G%)(@~)&FpuAe^gBPm{E{VyMY0g|FZ0^;645=9YT-ZP>xe%E?nD9!kn0yK zgZ9gHC}dvYH(cbP)VDcV{Zc*E{Pp+#X8-qJHv_Tut7P^vO1X^e6E)-GccnW!X1)6{ z`w;EPeo@;oGw>nZX=pSV0_?ej6q6G0N;U-$Hi;=P!%`F@P-F?3Kf!1KSbZ|bl+`?3 zzvI;fe*rS1$K}T@$RHFWK=os;Xz>KfDedC|IF^*yuD<`*e}`XXciynEayu(H!uql) z=-99+{Q7$b)qm+)f#2T#vHF*1%j*}s)4uU2>#+l@=9RbA9lPtxA7k~OBaNXa(bNF& zm;bRgB}#X^e&vsCee(BjQ{by%f5N#atOo2KQHPSKeqN7Ur5gVJ_1gQ7a~nIB=gs3S z{QXth`vLxbEQ@Ftmqs+cCXH&iG=i0$5PbqZArI#A>NY;YC6KmUT4@?Sim5cj%5Ct_ zqXQ?tVzi)FT>Hl78`tmM4M_4Q zpKChv;en^-?w0X+`v zWOF9|`JQ##aFt)VBoxAe0BC_| zbC=M6(Nq5Qra=Yjz!}W4RHd7l)*|fiz<7 z3b=!~KL{W`RFr`PZLrHe4A?%lNW&I!@V(bPbI0_*E-Ae7zKiEBYk7Lt=278~PO2Rr zhzr+0c>5hwieG=^@fW2>>h8bn+O6FN)%MT7yryRUoN4QKUG^k~3_L1K>(0Z0IKGfYUWcqYY!Q%9x_$}KbW@U+>jjTWxf>2pmw#38$Dia(w zz^lc8TH~W>L>iHZ8b^Bel5>mu4I;ko-T*7YiYVn=^L%+S#O*i#W#^uIDwkie`kB{0 zKKI_6Pc+KEubj0grT5gaJ2rka$XK@bhHZiDno!I1BbfO@b)K{m z5%esIy}I0Puh*U_0oz2fr^q?kiHP6>VE~^4))bUjjgMX+YKeBCPe9fJ=may36vM!B z;`k!uMj9gZRWc5U$IxZ+)QSPCR^7d9K(Dfft9mbJdHbo7DK|X!<}5X=d%m{fTlFvM zr(0W>jZ4iKPP22mJMf|{WK(eW=>Rc(EtzmbzC5rpQmAVb;lV~ne&IV(T zI0whQwh8E8f!+^_!)~*i)A@XH%yfDih;6iIr3MnxdiK63>5+zHIlWFjDGz^O_Qm;@3TKbmtJ>EW6qv_2LZjJNEMe}n zcf%aLL!%v9!9uMk@Zy)i* zMDbq7R<-SBcHL&la_GLP3oC*-&C?g&c~4WX0r{SsSMI;{c)ls?mU%1xR$#0hSO4c` zLO9_02Z)y{q?=*Yhyu!lWay==DuV~$YZjZ!qx1VLUbo5Su%WE(H{gxDOgh5$NX|#& zdRoe1U(DUq4-UJQI8 zphu>9O)2OV19w`$mk6gJ;Ne_^!72eKI|hoXiDoX2qv<5rRI2R(wxQn-AJM)hQ0$A+yPXxV0DD2*)3N8pCmuii z*Kucm5S3rm4_WH302L3`9#v1j{mqxJv2I7dBYN^cpB;}GxrFW^zl3Uh8~Q)HMTZL| zeh6bLKnpx_=77;H|&zCoP{G!6J=y$(^F^ufu-2mbop z!K94FK-y29HmFG#hj+aC4^$U8mi=qZ)nDAIzK9Gx4VRWsUlX7TjS1xd!NHVn1yFh- z8rBH1TguK-;8bxSKi=U;w=xJC@W@!|3Tev_bCKJ_^)q4)*a2r2Qf>$Y0%F;Z)=EfL z@ra7v32lg2hI5E0E`>~PJ3793%$skq`YO zZu-}fQ)gY`ZbbgS`0sx8*W1l%p4{_|uh%UL*O*tJ)`Xq^7B|l%S8<%?Zs=U)^Cv6z zbS%c6E@dSo2K`B>u})O%iQt0(G#h0*}AU8+Y{hMqu4WUuHA22&!l z+2Mz_``jkGTS`ezLhDYuJsIgqyt=FN1Ry8k_MaCDM-BicB&P>hyE^a@oCl7E4ny*M z^o2jGp-lZm1w86`^}mh(dQ)+=^>Z@a*MB;-B%t0EJLuA*I93s0I$p^5DV>OMM z)k=1)X0>YXch>OmUFCN1X8b+8v%(I{0(NiAvgY})+&YI(6w$Na;9THrOyHm2!gG=e z|3tPS8IZ+*Fm!s7b%8V=kVAYvM4i0={;H^R0p1VTEunO6OIk1Bu}Nklh_S>%Q_<`C9sfl}^ z-2UXt*dtm2&uC!N`3e>Yle8$mR>Oh$!{f)h9VU{OQ38mZYz7Kea*_mC47&siSCVXA zFI+5M*#-xTEjE4LZs0=iZMq=Alj8clW{6-sM?8|D<7b6+XZGJ|iTI}aLp@Ta_g&Bv z5v$;tSjgN`D02(HU+B60KX_WA-RUp}vdzJRh4Wu2r*Upc;K8U94ha6_WT;Dm?3J=@ zwk-1P`Teq2PA2pZuToJ5ST09g_eU@=%^wME4HQGXOw-Yb5hFZ?GehUMNTNU=m&=X1 z3ZS-;RgaSmDyKU>LvrI4qpHU)XdKdaaL?gY!>0@pt6pmRH9Y3|*Isz`Uwhd@$3D>2 zs=DxbRh^eO#n;TtVhI3@mpmK(?EXjZzlBzT^VJ8j3Ku+gwV@)vEC4*)4!}*>U?JC? z$xgo07wm7@k@vt;J`GN*WN{hXX#N>-7<2e39Awl>851lKsY3a*+JeB*BK0AWRmgK+ z{IwkmIUFu(ZWiC3@%*bVJo~|3srcDrZ~RL<5iUfNy(QueZ9DIK4Aa#z)#$Fcp{WHF zv^lg`bygJ6dXdtNX`2pC;YKAZ})TIbE0iyt9B=dZYYAnb0^vU$ZgPYOggKm=r-@y4+qb9jy@sw5i+#< zqGj-64U|hw9&s~#CRZSt}YG?bdZh#iCIk?S$oOJkJ9Cx+0YCMAt?u2W=+(y0Y#C%Uc!^h^f@( z2QmyPeg;X8mSNQHj|{==3HFP?eZ2)8weAGfAXz;dV(hUuc%#i8Sr_jf;?>7Fj6KZW4YGMZMh7*#2JA ztlK}bidSq_)#`*dR?=qT>uoe*^RppsyXCX$%i+9FBB$RO;lfGcpE4M8bOIqg4_N@R z)oMfEEM_)2U>KWhPMzCjv`7k!7r}|H_ma(w&E%+nAWFhW?_}IGNAg!LRr) z^cEaA3yQ7bz01VPX0dWvc#nA1>hQMa@YdDhSK_hoAn`E&8W47fpM{g@3p1+*6)K26 zWK$P$(VHYVv2P}ChAuZpB&6+%I=c@i?(-Rf!PGHzLD;ad{(@1i)aiJP_bxefUKy4Z z&*SGFM&d=K5vGI$=G;EGT+&y7C8$(CQ`IvMOnblK=ohCyI(hmZuRVRoyn}NFyvB6L z{v$W29}iPTsh_-hx^`xdUXO0OYg@ziO-nbIjUB(`FfI4Brcf?K2n>rg{29Gxy6sciGlhx31PcxwEhByD9bG40;4(xcg z?c3;`KFe?HzQ~P@)J$lYWRba0w?mWA2e|UU4nQ^uKqi4QU@?n&Bv2W2aXsGR-Hn`~ zQ{ow&BR^7k)4FgWSl!=NhX;#ag%P6Dj*!+2i6T?|lUpbXB`^ULZFa#0$>1F#;cvtl z8Kcq@Bp#z4p4mpiqElM9Gvu8!!ryh9QZ}No;-X%IdtW+zet+>eq`{-%?W($TAjHA@ z;v4L>$PWA_mKclF;%;_{=|%1?I2i8g6LAWiR3ywLe=I~wyaIlb5*(Nd1!qK%2>e>@u=G%SN7I9ghSU5au{x}0KA$h{ zb(h!{IJRyj=4%#!@-H*av002`gMWi(6U)}Ton2TDTocGb?&R6q8r$~}%WhDMVmuo= z0#BJt(K9Fd>LiQQs>a|nxLu-bw-{s#+Ca+8fflTI2A8#5Z@@-$RAARHf8Eizu3lB7lOJ@A_pjZ-qRXrOVC{mpz$$sKrX5?-p(5m3iimVHf zVl;J(Hv1z*vx^fQkBf*QTAF_FueUXe_tO70F~mg?mvs7*7~igS|lw{SX) zs4TT*qOWbNORmPdyFQ05G~J=-!)PzjJC{FdTVvuSNju$JIzS+R_rV1#Nh0J1@I=rwoQ|(kBO_&|tIhyztW?vYp~*x$l4h_;>R$FF zOX4!`I7{d9?q_Jw;Uy&UCXuj%0!=%uJAhe9@UZ$x3cC%6g#)NufR>e*Ap0>h`7QK? zk})$`wun|7w#8mqXNk-!reejm(9j$^=SJ){Xh$IZ~j9%95{ZITV>} zU927w7@%`4QAHvZ561`#D4lXwN_tTdR4`M}Kc((h|EYeU?iba@=4Q6t%_^A(SbP=j zH!)LN8#AfD{CZA36X|xm0l7lFfj8?19A@fyd_;YSU4o9s15tfUJ&zH@l|G5w6!h>F z(96zjVxm(K0k@6TITB)+=;7-Lc*;EEJP>vskHIXu4Co+_Mz5NZ6*HdiO)3jZJAjbLz<9=a`q;_lg_SUb~y^Y#Spk6;Iv0d;1RX zWsXoHSHt2O4wftmOF$z*B^h3?Z0Z@6;ASBV-?;n<_009S{lw?}@Wa>zANGGzs95&+1&2Px<3TE^S;|P4+$kyUQFV?KW={#E zATpGa0*7z%s5*={)@&1<@nJpmWRMF45{xrZNV*`(-cW*0QF-Z%#g&rKfi2HH< zpx#`sNh_%otKfNKaA*s91sQ*6e+Zu^pI$^T5j!B^2V3CNCUF_HHN;we}?IpRevEzlt@-?^1 zqIu)b>Yjw}BAWg2zp-;Hzat>s5dK8Hi{wB2I2^x1A><3JPoWGz%#Z8!NGvfTy;K63 zIP4ay3@Ca#^m?7aDVlXi(n0!~-K4it><5J>q^tZ!uc!M>7rcv3Pg=gX@G^E{vD%Gw zEK_ZlskUXTO)Xf=PN2}_2hl-|hQ!?PN&ZzJdcr?oZo@IxzVQ6!P~_N|E!r|XMw=%o zTbGyX$j-^hMo2LykORWW$?==bI=H$W{xp=s#vI;pUY9t!;WU#TA^Tj4s-YD`gn$s# zDAlqFxUSDuvfMR)8h_Kc>^(d8J@w+^D^4A5d9448&6nK%z`gh0DYm>my*WErU3L4) z=Xxt?>*n0Kr(0%Iad7F?t#fKM+Tl0A4Bxy5C$2NXZ)eh>fw)1kDOx z{3R0peHrW_k0Rc%YMLBgg0Mr!cgLg;+Yd?BzjtKd$Z(qcj_J<80{=S>QxW?la-W=q z=b}WY7oL1gn-`cY8KF4qnWTp{uQS0Y6byD*PxBz5`#aiv%rGlKzoR8;qG-AytX_UO z4(&|%I2{%pAJLKL{8?!ip5%z=^LAh*AxD{c?Gi#tc0HO8(sTHQ{;fVQ#+*MOYH3%a zx-9L|wR3Y*-NDv%S>hn+6SNVY{*qymf}V+v$j#dGr=c6Ph>|^>j52K*#UEb5 zsUVUlI_)N%BeKV|xZn77L8sZ!rLolrq7nzEloE6e6ZZ~b{nys}iq*eQR8P1wJd;+k z0og5&Njcd3BW0^PI>e41%>z5Y7dk$I39sq2bjzvMJ`-C^7m1%VGnCh9fNb-SbIMGT z*{<+&=Sof&g+e=e(*8(?#?dE=`x+a=Rlti-gX~oMA<+{4nPW##6bc;;AuFo+9VRLu z{AHcIeLpaR|nHPZGm}jwjQ)O8O>OWeFqU<0e-74sk5p+Z6M!Ut4 ziZ)aTv|U)Hd_lN}L*#k{LNGuHZ*PIn6MO>o=E9-t5Pop>=_7xp{`lXE3r=IrS&j>_xsXf!XZt(F z&NkdeWJgj@Hmqo}b}r!kn>kg$mJ-c+a(bD}@O~L&J4*bzuzO6qtH{RXk68lp=BAF7 zP2$?d+la4&>H^Z~jsWOxC!Y8np5P{1N>4hC%Vh#LlPz{P@55&|8{Fs|@ITm6k&b+{ zFLV#MS;dqa*EQ~IXllCb(3KB94EnqMrfWxz2`>jpIpQT+YZd~!_ZES3t6M14sKrN1LDrsJn zO}wA4%LBc)2k;)a579`B1*+Bht?H~&aEWo;RFo=v4%~;?2fAFNmsG{E=+BI zW1}`b@P5p0!Gbx{!(U-q*t@9CM>8BA%0)2@W~ZlF{@&aS_V|hYfsGZ}u((Mj0^E`& zG`NXfdCQ&Az0xML=;}GsL7SvGEQIEegjwWRjK&1X>`H)zWk$vk^*6%FA?*SAT-3}{ zP!I$BJ)I$zazW4ru&dx{fL+CdtGQJ9Le>gvo^o&AvU?7HErxFwXF88P(Xu_Y-$NsQ zhKcf-C(S#h^w$#;Uw(a1oj*tYNc~m)2`!0epAe(`7V{(93fSAfv8^ymw4*PxjI*F3 z0LfdFyQM|AB{08OasdSCA6rS(2xc@N?B$MT|k+@NV-!Q$_&$i=3Kr2LU2&4k(v_9-_&?>sXdC;tiF;Qod z6a1ppiOb-08q5rx3rC@jJtBi}#B@#LOcQV&a(hGzD!B?xI1#uZnaZxEtbFqgM;>A? zG{PSIV&iRWn7aMCwd|dgyB6O5aQh+lDjRs^Tz0TEs@HOyN$9nxs=EMn7c`L!`9err z+32*^Ptxmy9)A*0Jsb{KVo=V_NpYkn0Tyg@o!{+F_X-YgI*?U_bVqu6IuQ5LyL6f+ zlQy#VG0-i|y&Z{cLGt|uZsoVoTQS&`wYU8Sfh!8WvXVF4?gGTsaRWzS!CjL|sg95x z<11e9BiH@xQQePZ_ZHAtGTi}(+l~BDS0d_79KaN?I|2^e0S9PbvGS(AAgllF4iLFR zS&rn8QWAJ16-^Q6|403iCH^?%{sE~2H}!n_A5M7j*NOjp>YimiHhYlJA|hkGSCW6C zH|g)sPdxck=@fqo&Ws~MaP6X&Ya0(?9fTYQ*9ZN6{u})MKOz|8Gm#$Q_?xkixgzPI z3Ouw}OFCkFJyT=>p?;%R);qj%W`^KLZ}=GJhUW$M->y#}?r25o6InJ<4VBxP2^V@V zxROSGAF}lkRf&3`$rg+7^PHem&r**)1$Mq&J(7Cq&GWL8J?U57l*4{z_AMLxU2}st zcf%I-Stzv&)cQlD)V?VO!pGI|^B0b}Bv<323Tas`;4;^Q3KMiN13X3mz*!;tq_kAG z*#U;mVuxsS+3Z$e#YY4oQ6@P8K&9~&+H}>T`M{WJ)Lw?vC$Z@6oc$4&d-%ZHN7XyR zX#6f#G_izRHubyaTJVA%w`{%t&!R1ShJI#$r#a7EQgLYx&N3NN6SoWJ@D)ExqRt(h zI{%?jXDX-87{-Z)3k%DIv_G<3*6{Z=Y#-7tpgWOH%Oi(6fZ~zA)DXnh`kAU-+6{^>?J*2}zxh^D?>egzb=>+l<7!3;0f#N*{T}R`r z4%!d*7X%tKhXEkUv6ra%iAPotE)qJlxN58p8UCy|WCb7;qec3#8P0~H zm3eU(59ovQCv7#RXhk%q1zr(Nw4lc);DDsLXed0`-)b~E+9Os&2SU#@1WZ5-7bEGK z$GWLhm=dh3CG?-GuGT)S|6f0?=by$JFgAS}wSCa$z)?EXIa1a66GE;q46|5=`QSVH z1tdH!Fmx4tB0Hy?fA=MqGr?H^+(}@&Nr#vPq+k&IAtN&wbg)U`|1aak#4tTE!`wbR zWk}!6lHOD>G;M@gI^?;M`6gek9-SCBf}W2+4OP%<6(d9`5E8|Yq*@HZ1WQHJ(A1Dq zcfh0m@_qvgUWHW*SAS(C!gq+mgQDB}2_=uii;CH%rk3;XZnyT`X4Ae~EZTRYu^i2} z3g{m}Bz0Yh9vf~lqKdD}N_;MVFh|Vod#`y!+R(hFAQpb9dbGKQIj{48dtom`)I#!_ z-pr80gz&J=V56E|0X+>dl-9{oO98>Mq8pPD{ed-GG8^-Ur46&IRdJiOh}kALswbK| zcdheTdiWjiETeh+?GCzir8=oZ%9iG2iC_ z3X&--n3a|3t$M2t8j&`y{-{3JW~RCNe=|jIbdu4T;sw#dX2hoJbW-D4K56xCCp(sK zWr8}Nt;aVuf@RaUd(k3$d@5EN#dBrG*@DU&1D|!?CbT`d-47E1DWtz_0oC z$fo^b!syWxs>{o(#c%5-*VkUsK=qqDpoRN|z3?w0#S!=2$soJH!=2Iz{=N15R|cwU zG;wXBJE~6!XJdM(q|du+@6I!igacHjZ!mm3yTI0HI$F)mzFj>KfkABvlaDJ ziV_SSeea~CAzA3_OrBBr*+^lBD+;)>kSASpB1l4WUO^QtS{(-3SdvA~D_S^yn$rPi zeV13^x%&NgPE2Yz)KuRviJjWK{)Rhmy?NbTY$0AcM6cYwe$D1h>(<_-c67YcAQgy( zoo}qZYtzkZ?~=uX&#-Hrdiv?7KK|y%e|`A%j~)Md`e}9*Ykl(I$KU+)&(mN2Amz5< zns*4DFaP*2yo`OlLE6P+UN4CVrS`k1)lVWh1Sg1&r|f0k$1Wvgl@v5Lk_>uXq|GUH z`zGE1mU%&6)A(+t7zN$%*umH+(EVhL!XiEJI!B4Lzheh~uiG8XZYT09sWLnV9ZTu- zWwx7UsUqu1q=>O3B!yt;>llho5Je@LryMr?kLRxhnK-!PoqDMN5k6vjm|3e-DBcA` zL6^`Y=&*58tS4~vTM|J&42x? z_)B=6I6Hg?TUxEY!wRb9{`KK|0ael2S3F0U8yaFjXCr?We0dJ|zZ_0)YK|c)Z% z4AG0(A{3<6sG=g0%r5$(D-@{-!w1+lwpG2nvjcgT9^_Ksz3S>{6Y`qs_p0|qnvm}! z4FpJEI?9moAd59eXbJU0?|PR$)0>ud;mGqg3`ZS%{m7JEIr|({%q-Ug$tCKS5)H0Gn zfC@<-S7$9tT9))!lC&&oL(=i2?~~3a>4YRl5;75zl6=|OSZ%i6=KzXSbj_Xqu~trQ zzd23fj$i>4+{St8y&l5LjGCK>5KB1HoYKDduPb7cO2Iv!c4KE%5&0vB)DdalJazlJ z3F}6Es(zKf{}EY!cwb;dgh-SZ8Sr!pMr%E~!wn~bq48I6s-&q3YMMh;rCDB+JCsm-%a9^^5LWI5? ziwqX0s7HRkn+Ke|aJ-9?9!{##ZC$qE#+mgkQ% zlcg4TYf^Gp+pTxree<*GC$;K{8?Te6%xYbO+oZQnx$ThKwVtvQE;o{e z!Xskb{HM;>5zQvHQcYBA;yNSP72uZ=nxis1?t~@SDDqP?J5Cuajm=U}F*J(b-FMUK zZTGIb>2B3`+4TC$n;Kp&U?+8sFR$*Xgfuz(-2cs2?hjhEmna^OaYR-l7yNr$>Ts7C>n_SoHn4;#GeWdRWh7y*M50Qm42mK5~@WpN^lnU>W-I-cU7-^azc6I$xXffJn_+MgPWM{o`=uhe2W@>K;2e4 za@LA&Tdxz>F>mRxYt*ku8}Na z`1I?zL-@2*75VfH{L|OKQ+na2OYv#yJDej9hOdrBUX0J`@wbEVx90t_BqGfwI`$-d zn&_Iw?iLvvHadJIW$>kR85?^`F+m%+Hc*_19#V~FvoA}M(B(caH#I5UDCqTQ;icE3 zXOL}VokuUAKakMX>CL4qZgbpjg9XF)4de$Bp3zJZ6r!f1VUV2L%jKpm=XEgb_ybR@ z{dnWC2E%Pz2d^q#zMS2#MLoaczVEx|-aKu=)AN>ljvaW6^||-siV@#_mXX+068=Cv ztCoB=1(`j{k`?RKv$vw^9{xLAX&~(&-@-%{fFdKfa#&2jmVy#yKx9>lr69u5h1qtw zlbA4NM?ytWScc#cjpIc}`<-IXQuR7%vATGmZb{q9{<`4Z?eEHIkafpZQD?)`c;r;j zBk=)tw;-qJkSqr5i5tOAePuwjB#SUmE-9jmvf26wZ4_blYn6VzsXM!eQBHDUk zgzWQY(2-^ZtajuoAT2}(lN2s7y#d)EvO!_M;sVzv(UCavJ7grCIs$ItKEcmDW^GiQazUE0!e>6rP02VE_jW?#E#?&CME z-aB{Ek{0^jFlYAcISU)6FIX^r`hv!5u5Q9k$>_6i5cWG-@`NmAug>X3zNOoyNAFw+ z#>nLXA4O)W-%Hnn@YN%wEly;lW%tbQ(S7>#4Yv*J+k5muc_UkCnPgeBtzCTOdEj2M zbmElr*g^Dv6A;(U6J~{Mk_~9E`Q7~4*@5c1YgT29_g~u3THasXFnD1770KNP3=Yw+U}V6%+J{x1!zyQlhDjhgr`}<*noYPbvK<}* z93nhyGQ!H$b>G9~Cp%B*n5nVR%AdM}O0f zL^EZiTuP1PUw$gS!j~wnt6ZYK%Ifb{jbhrZqnEM)>h>+Hjh#~8$!1D58(GbYbJere z>Oo#7KMxL?pnM2^QJ8b!-az;YUy5GY@CQM4(BwkrXEJ{OGsLmM=?Zl(fzuhm=~6_d z*U3h5_kdLZZp4J#99%#})QPfCc0qSVO*^LIPZl&v3)zds>?L(@F}qb=tFC1W#Sg_# z!ztkme4iWM6y5^429Y6c0Io=mFdE`aFI0-n+%~7zm&Lt4j$Vht-~ck;dfgf176aeV zWR?LzY_po=<@(>lTI5B&6do-R#i~2DStr_C=3Oz{GSMrayy5mMCfCnazrdJ0Rzp60 z3n4F<5Q4K=A?V{;7Z7LSdcQjwJwt(ml0Clfh(UKYEz{Z&=+fK1TYVd5xJ^DLHsT(l z8FI*k%qGcfGA_rRDNE|~x<>E+4(Q_5=T~A3 zAOpg>2L>dK0bom-3im?94Y4k!ZVsZ(dROlIG1ynV|C*6og4W%>Ch5B%+!0|%b_{FBpP zvR6N%XC;bb#Em*aYI6#R-s;UpuzDwwQB0ECWs~#@s%&*eyEEVvolZ%gCZ$Kbk7SdP zcF?IHKtCfRjWD<}O35b@EbZM_QJA=K#U!1A`J!zmx|4_~RgPMEKaLRhLgNZN`#m zA$-Ku4=%su!8SGc;#)y|-AxPcP)|;rd)eeEORkn$R_=NFz7s5E-1z>FuWr3leel|8 zlbbKEn7b6zBn-ys(7q_30~G%-1e0{|YYFM1L_VYVLKrs#EAuiy7O90|NWDWGBY7rX z)bSpqZVBJr*FjArb^C-;Qw@Gwp_Ge~Qky3uACfme!>NPTv5ozI#vLiGyxbqy+R3QbV)gdA-H*+ypFHQXk zAUj?pj6y!$WMQ^&wQ!xVR`_>l@|6wO&X}`c!R(3UHC0AaR(4*u;Uf%QFEZ1577rR6 z8fu_yTe9MOiAkwx>A}Jtz5DhXSYFjIWA?IDiR*5Cs3Gn6*C72o*(G)jqnHu55W3yLM& zgh6jMN=T?58uc5@psr(Dmjt3%`l6^azM?lQ|0x*DyCBI?!-`(ey~%pc{Z*Lvg3k8R-0*1TY(K5FW0Rkpi+}AeGDkMKG(~r!(vPbuUJ?GXRUoxymR({dI zF~!-FSbgu5g2dXTv*hPl&v}Oq%~Rhx^sC5t2wT=CNg_*=%W< z5-HS0++!1Wc#+dGN;+uIefbTBva0tJCnENT{u`cD&AZ|Rr6Z~TCw(uzLA zuN*T_{ZCo>=pmuelf*P``+$CNVoRYflk!6=o z?KtzqL5ICCnAwmf{>Ge76uaxVREYvwFuMN<9HTxe}`AA4-b zqJ`Ogi+vS=X;XW*%pRwTd;0a3{{GU2o$7PyTazYru+%Fqzvn^72>g?Q2mxEUPbe9= zb*P~;INiukM4_mFADk{73fYke%!PTQDlBmPSOQ#gB%dZ zyaUith7WZsiW@i^86pSgf`h+=b8<&-k6|*n@?894_^w5Bm+6`*Qu2WyI!&_O>D%2W%`}E^?tvYq;#?7ES z_!N~y{WZ|>fjEl{fCX#?5HBdhBAT;+K#$VQa~8%&KJhG$1)tE`ykiUj$?-tM#TZ$5 zM=wrBNh5if8p9{0O{nzY-HhpV0g)zv&xf(2AHjozZdSv|u9%{Z!`~U7ki;Z-B4Afw z*O#C|qVW6*?v+jppr!CjJQH;M+M)uT&J@*6CM7hvxuz43}88foM578))Gxy}YhL3*}_Kn6*9 zU{76|H9yc&+*>_6qj_0sR%%{)k3RCUCsw&G+B=7BoZ$&RS3+VSdnD}njS2d{+qk~IoMfF9$i5x;^D0In&W65uk@N!ckOoe!~>*o%U0TNj|^F}o*>n`t%8 zpFO+1hJapxYUBs>Rh!zbeio@(yMxuUschrt-dk>RZQ30?p#G@7qW*=|u)!!?n}D)4 ztb@FIPsv}v*FcD_86JzEw>zCFK*Z96D|sxE-4rsR63hh5uK2vr&ShwxEBI3An(=ku zI3j>pWRUQM#M1|Fq^|Yj`d~%*DCshbxw)abW7o_3_rH8(KYFQWz;E|Xv;)_sgf%z1 zZrzcy_QXf+?H`>!2d^i(ieUGH*!?6S6bb+Z4-R*?!(mEEmJ#MNR@O0QO>#b^I++fI*=ktuXy?KpK}-NmykmQB|K7PlSE-)DUN?%SX14jgyi ze2eSB#}dP>9qOkn^}MvFqw2&rUmTO3#mp#n7nILHM;jZ;F?j(u=hy4KEG^BOk)GhQ z1wtmz=sNUBGX(5DZ!-GqBuC^0PpH#o$i;-Vtq1`V!@@Kp%m~`f5E0a2Bc7TYQ903N z2k?n|8i$R|xZGk4Eu3ECQhGnR;MEtAvK-oZ$18BDUuzzA)fMg~H%@VOY}i~q@$jqE zVW;C}`J`%w9fXXicAlFQ9)wq(;jb)ce}Zm8#{~I<^JZws=+M;O2ei+^9{DNtGGzm7 z8q+?r1IFwd6sPte;T1{Cn!UswI_hN)nZ}#yCR|k2v#@vHIg53tZ_Zl0&)%gL$P_B- zk~2|Y%fpbU{MI7MB#`2yCLJu8p& z=tZx{9S_WCzT%0)|Gaq1jIwD(1;gi$`o~x5nP2AJQzch!o!6$GId^jO)k6!)rxeY; zzxK1r@u-Y5RI^!Z=pmN6IWw_7D@9$YKBR6`n+i%x3)oiH3NEoCHCUhJzg_+0CG}Z# zi>4Lmo`OV920~Z1O-N31>CmR$@38C1qP4sHN@|Kt5R!d%#qKicq-3N|`Vr;A%7{C} z0oh=+8dXCFM6a6?x6h55QMW{~pgyh$y5pI&Y}aEm)WtL3&YiAgPS~`o`R&`4eS7O) zdGB)3HnciNMcqjFZ!PNI$3DQ4*&E@%sgw2rZ?Y20FrFmd2Je}C23&&BcqWH>`7Hz& zkB-a=nlQr;0B4#DXhJw&(EwPX5FjxOD2+B49HQVrwYDP?rvvAJuTLutMYrbPW&{wH zke0a63x(b?6` zdFizyr{tCG?>w~g-c6C2H|mft1P<2_LRl@!+c9(CW0r*C<}&{*f%%p^_uz zLYB=o$!Y_rn_#n>QS}s?Paz%lgVV8Y?EXXLNYK}hOi|9Lf8>#B*n>WCs z9XsXM9=~~2<;HXo61I+S5i*K=A*?wW$b^4m@02$=6CNCe|8RtE59~T0V)2!zlw|j& zX$W2`Q~}84wWs^NHnb9OT1K_Zbgpr3K-o}KFoIK-e9kzG3n_rRn~qj=wOve-P<{x) zG;kJ&1x~NPYojcGuJsw?{qyA|edX3A9T9-DeB5&O>PI!E8IOz}YW)t}ropw3qL$>)Rz?C1;H@mS` z#}QAz1*e?UOdB#3d{&!V!y!8x4*Xbhb28JMIEzWO*wWqZG?eD2qf%+W88qJk%EC)- zLAohG(uWYi`uZ4sI+OTI@PUa(>idO5kB_zPFbZW>C%1~Sufb5IyX zcQ&=8Pta%SH|SgRy}Cu$-F}ZphOg2c$n-PHu_n+z(LkZQN@oG>hI^<*W@|V&nFh)> z@$6Y2T-Lhg!?q8Mr@+i@`_DvbaVS9v9LfHg|KO-LaWOTE7g@6=T!wWZ&}Ug<*#$pD zA+o&&FP(fZ^ z!KjuzinwwFhf1)Rian_xyU@qn&zigq+fDYN3OC}=Or|2(6y!|EQG-fOPRL`=2#DPLPzd$SLv$Rf=Q4Y09};9zsiqN(RR+7QvfCmD zprQ1tmb$g`*7aVsv}AVC@>LaA%v;-M>Y7=`eMlV`E6z|GCK=b*`kk}R*e#|knT&0G z{^Ui*HqmtP;sI8%bW*dCkSrUDt6{$ykybaJn&SzU2v|9CBw{WyBUl&;-8lzVKdQR_a=WXo0;n$$=(v{;vpl|MwT0?4UQ%Z~>%B$_a z7Y`DV539qjz1fJ1Pi|=Ih{*3$&YMLvp0U1nM+DNjRxSsjKTF7^bt)(w#$J4JV!X>v|bi2P2~l3p^haK!zZk-C8+>Kht{jcI9UM9;Q{5sh-BtSmCRC0f={CVK$xD#NF# ztSo25i0GJ>5o!*qdF3R!r8DRAxhm6U<6yKIg(fdmcUzPZ18zViHjYCeFP=M@!r_M4 zI$7X}$OLvao$VhIhIu^Eh|YYNZf0<`wtMbxH;&wS&4Gyv7K~jps`t4~6COL`*1Pt< z_4Q-M@Xpe0qh6YQ$^)a%z2uBl1IxqNq3U_VAAQNJf5a;@7aDw1{G`k&?){eV7p^`d6iJ zl8S*2w=Xllq{@48efT)*VP%rArDQLO;m&#(i1I{g(IJqM zEX)K38|>ypfei8rQ{W^X=bzcS;J-(~j2qWv4ZL#9k`>c09uO`M z(~8q)HNHN1_~@atPkSqN<@MY5|L)2z#WYSy3pHM;PhNh(B%p5i)ZU+=v_|ggxi|hY z!#iMbypK!HZ;QyT*|W}>pYESO@7!5jO91B@s3Q+D&6cu%C{e8#|GovLRcHS#vahnR z_pb<|^csrjzyPGL}=j9jIDzW_8^r zkaOb%PUfoqNb|$@zXWwesgV%y;Z6lq>*8^X)A$3tmR}pMq41U$pX{n*pZ@*xFaGiE zXJ7n7y{zs2htsXv>B2R~$gG`s?zsBl{fAbM9b6sAs-wDkVPR>Wl&(oysnV-FD<^0RA|?X!zqqi}0}H#9TI?lsCM+$o zI1_t;PTk1GLr|O?S}sD>;-wPOi72q*^--8C2xo{_#y$W)MxM?)#!JRmfzcxaXxjCX zs2732$k72*Q>!}`{NXS9`0@Hz|NQMdgPCYfx zxWL$pn&%INCX5RKANlA!FecQibVA5@l-9ZY_=9SzdI#1SG1nQ)DJ(&6CzrWSmr`EF z>qMAKv1Nn{OK6=XyyZ2&4gYbSNY18(z&VU)3#~502fwhnPV$ySc$rqU^_^$^qlTqF z{lVM&++)W2p8He#sx3GAM~w2{eAkv+0>g&}ZrLmseq($XY8oCAWncYGghOM-gp7B; zdj7jmQ&Zme`}Td8H)KdIGGJLR+lJUHr5Ix5Ez-q}BODp^)#E4h35O??#|JC9)!vqj zv@@o*3>$WeG~PSDV7%fOKfZ4C)yQslW6z@L{@(8Zre zO+bjQW=dELA(Hwi&P8`->XC^}%#Ze2@eF*~h@=Svg8xC$zms_OsJ|8xy^$MNTSL9k zfUt}bpwH}#8bC%2-$EvxeD{poMos?p%;(?UwdudO|F-V=M82YJPBK6uLe7P2hE5(@ z(yw9aytde^OP4MgGjLEtf6<1Den`Um&#pm)8s9daFg96lnKUQVkK-%B?EK>4!}?|w zc>0gF+vhIHu89&A@Lj=a;vbQ-Fi4sxt#2Gx-MeXIPK4^{rez?U+Na;hiD{E3O&mOU zKvUD$K2j8!0^aDiQN~gdN_@bQ#~DUNSr_ELok- zRlOdmh!wCzVh7;4BZ{1i9$+`Bvrn98D+NVNy8{$r*Ikhri1k6Ahl~77h#r(+^RO!+ z6ld#-KYe=oz2~i*SU7R?x@&iCTQL8;^R{ij^rCSS^CzyH`>RQxzj29YPFwx(M1V?! zT#HuUdTO{6{U!DA<9K%p>59tcihqCg^_N43e);v6KUOqXt~ZQFjPH#jmc10sLcV-v zhR)%vVSVd?ZHFU)ZH`UZhS*Tc20Xv0ad2koDbMRb2tI^?ULKW+@y2ji=b%RE?gzMCRyN`QxOL?Czj804r+wa3z>|li%?&;>jCJoOz zK7cqtIPs^}|9^65TUJhR*1gov8GpIfIbrJm%DHV*a~@oZ{~pZwsp&kVPhsw(e{JyN>5-T#+LMZ6zO3w-vl-MeI;fLv6(O4Wx_Z0ZEl=7ti zy9>%vUq#fl!~gjI{H^5JSvS<7R>03X$JI>}T(vL92|=z2;_9FGlv}nY(a}Etzx&Ju z*#O*sAV^i#sEVB36F^N>EyoW}tzUJbHn=lcEfnARl${TA%8Xuu-td#)nwmM1U?~m8 z-_RPXzsNnc|C~bOVdK{O#h}*{F4!$_!ai^OR_l0LybT}hf+J$`;|cF8zQt4-3^r9o zV+NANaqch^oe-SpedENb+z~BQmy2u-`jeQ489>4NDM$iuYD%u^xt0``JSw~C6ZM=3kOO4h=}%*TwYyu!dYh1 zR8;kG3LMh3qoWeEg@JD>V zf8u`QaJh*7%{W*g`aU;dzo@M=4tXsvlmQpB?mNWDYCs7n*}Hzs8umlVe&D0zyML-Mtss={jbQ539Vpt!;HeDO+}R z|C}K|p&Xe|`z$wNUz80CunrYeC!(A30_oGnelU$~@nM4oPny{>HK(kw$d&C+FRzRC znYEy8&Z!eekFhz^vy005)D0dsX5!SDa~62dKd-zfN9jXJbROv4KGk`>dzVx%m^w*m zOWtdn-#mNvwE3qFjw@s6UI@>P8Q;ID>6G!+^T&^$U#&R2Cx+VpJN5%Jy;Qhz6NU`DL;9|_c}M}q>E1eKhT%IbEswjJ_>T@A1nUB|4RLc z|An0#5&wVlGa9n{uc_zT##9eF#Wp%^|MW$+@ri#}&YClAiB)`W9aBB{6zdqv+4Rq2 z(Qf}#`*!Y@7TJ_DaUd-_k`(M8L=wrL`xzNYU$ zSVhy5e=F}LuabWoS^R5rr&ibZ88~%r8;Xk%udK1HviuSGwJtir0Uuv4obIfb&T8y0 ztag+_CtEw>;X=~WSp#k~Xi7Y6In+`{^{D+&S?Ke9r@^RT!h`5cH*(y-FH9y`Gtm43pVA_VD{c)#>BnGLiMt} zbuXNy`04Kt$5!~pkEmNawEY%uuSq$$z|MoJ!Y{QABdsRQYwVwwpBdB~jx@UkQ7F_- z@Y(FXU_PARd0T?pgEF}xs0w*bdZSlyTKs7Fs1;Gc=v0Mo-hpO+7<+|+o}CpsOde0L zI#@f=-JlvCeRMF1BZ#G!z#2yfF<5~}rWbv=-@%&eFSyL?c_904+2ow!p0{w}eCHG# zk4$txxQ{CQnOzVpyOyrIdBL<<^Kc}AI@oSdZ?$}fv!l5bc*$sP?cbxrfBiVrb$IAr*HZ93}B^D`%psdFGYz@h2H z=PRC!sUO<1rA^#tOc51Fk0uJCA9!ltpNzk#mrXu$1krRVhmLCTTQ|_2mg+_YtyJ|h zTRNw4aL-tJB4#eRg%f29Z~zFA^^a7MuL_Uap#F}Ir69EKmAZ!1&Dk$XP9H4B`;UYi za?UcS&?Br4>Le;)g;DWvma!#SWbjwN;xdC*|Hk5+*zqKV)zv2^3VXYfjH`1*l6pd* z-hD3c9z!uHgzc=VKU4A`6p2rqU(JKj>9nLNR;MH2%k_AW1%>qMG@mmUb?+%i0_MTI z&9D%>;N1T>WsQs2fzGw2NDMqWc;#b>^Bk)7*yXn5#2m4MbdaQcaO61%f zIsA3O@ps88qirtL_;A5yEJ0}|vqFaI!EqNm^pfPUH`w84M_W6KPeUUzY$}o@>B&C4 z6CmaR3CxNZsQLexF|uvT7NxM`R7IW9F;(6+L*7B>GLiAg)x%w=A5fk~wU;Fohr2v( zi-W3$Lj3Zz@!CvHbwdc9wty3b#hny0GTGte@8)Ed#M`NSm^jb4Y4+BwRCL^!(`;D9 z(Pr^?TJ<4AQa54MxyT5Lq*F159O3ZffEg`l!jR|;k(=Yol}EMYDoz~=nhvGn-JS0T zN2dH?kQ%HT^g@p>%8KTb6_or`h-24bT~#~!E;;vQQF6QSuYcdL__8(oUPoH(kLS)r zv9uW-JA<2zclX1;wXN^j{X`Y~g*H(f?3jT0QMETsc@q&g_$eEUd^R~VGfT3$s9K?l z8o#QVofXIiYO*~VDt4l2Y1c{im?2LP`-_yLl8s)PU!gL**VLzJl-eKWo^JNB;5eFmTs^nMtTYi^KS^6{a=DY<7?4PIDmk zu1Y>xqzBOXC=LD2f*B64UqM+9$wRG=d;y=Uh}rO|xn?i*WfQmm6s$x{8mQ?#G-h zD6ove**=`B_IuoVz)_Tj`t!-eq(llw_X_Xb=X}C^X%(qD@7vC6tvzX_cO%O4?N;p_ z-rb4D5bEQE+`iw#t7}u%Amf^HeTN~2iz@KAf7rY)eT%<|yEmvuKp8L2TbH`gcM3;X zP-zEggAR|^3bwR5(LxL73>`kS8k6AsO;Q8aN7t=jf&|>WCM<|ks!@BrTBx(uv`+3g z^jurp-SVJIJMN#sR)qRs2T}$)?03t}9kTT<;hI>M?he1Ckh&F*z5f|}V;eTx&YfH}ZSEoAmf zAj0HIb=xXKZN3|*Xcm6~F62GNO0j)I0u^Gm@h@Qj9cCp&syI)b%t}$i&H~3(n&kAM z(5l7m^dgdoFS$gnF2BR8>K@d~ImujT9(XZrUy)J^THwHtK%3(T6Gv=n7QU6J5Vn1t z@n-Ydv(J{F5Ce~hGGp?yXpJ-EZBcVoqAgET~Zvr(RWGT(#@iW56T1c2RDJpiK8hxV_GzUw~EeDp&T5NwTa>a$l zWN~=8F?+}CUs=Zd;SbG*&v;XAHTrbiD3{!AtWtl#{E+u$L1F~>dT?Wr(}f%OY~nPc z&E=++=`sofSey#__t|aKN6+MHWTK^}Lj)v5ft^_W))q3VED^?w@q~ErZh7$9jt3Ye z7W5J7l&NyEWWhyF3B6BHwgk-_@$E$40*C5$S)6EGprHx5Ent@3PQIE9kDdYr4q^KEAU8yDp#y+tX@{{OeK&7^+=LGF^=3>%^iQE&o^AkfPE&hxH2OiE)k?PS>zbQ878pVq#+yXTY%^L8p4`N8Ff& zKqi<6j229~!jPqi8_ zHyCESfrNIk#(@(T?1)nIIF&UrWMp&mE=0V0qmqVApkpUW72@rJ%6WIigi~>O>?kOM zw%1C+j52fLU`chg6HLv5yjsXeClbWn#@^0`3(f7p1Pa)avY|^HGTcTtmS?%Cp%sE7 z?sT;vUxNjozFPKSK0=qN^?=s$f-gw6N4H;FH@ReFbY0%^#%}O=8bLorV z#j&?QR<6#j>nD!0eg?hb|Q;sDq!?=v#DUAvrH5Aln`ZJ_Z!zFSsMoUT&h;(ljEeU<^UNCuoOS#2##@`ja8Z8g_?*$_8`zQxOXk>^x!Ggdsbhwq5a7*71v>>t%+*i8UCNXy5^0=8F#erIIwr; zPN!P&VRAVwMS{0=Xa*s7He5L24N!gwv5yD5bC#jWNe<;Xiqvil1@ib@rg_pobt4`QvOO- zzg%m1g~)1CjZFCD8#+SQ&%bi9{4rLScr)zkQH^Di;>NBRo+B?(jU8zo3j&pHRFX&M z1}C}@tLRN2Jg~6o)hDq?=sN?003wGOu)7HQf@?*fnCFA%8Chb0v45WN9L`zLVN<1` zea+CB$PL*za{!K+((a3U#K4+t#J?sS(`~5 zU7D$+Y@))1uCFcZf($z{w_k2GUKX|8kkV|-7q>Qd#|pS=Dcc3Z8zZ#WaJf;U1*O$6 z6Q|n-+ra8UrDT_;*#B4C4H%AOpkTM*J$rV&F~MkBB)&FISt70xH!d&+n6|+K9nJDl zc~8gn^5PCKyO84GKRdr})Uw3JZ;71K$>Y^ZIlD%-#n0osb9>U|fxpofLV zAH&o<68q0~7# zrlA2eOQK~W;{k7$)2N0!EYUQV1>0PYqX&mX(O--ig(c%;{+6o?}eSeT<1fD>% zHj$yFWgtRqQ@uFrg9D9zKQit;J$T~hXVj%Tkg2mcN?EHXI|MCjUEZTdP{MfZ)+dPj zy=LKC)_`Vm7AsO8C7{ZhrsQPLvM#ho<<>q`&%6cm|D;!$K` zuaQ(Ui4PdEs&Q_dEvxCNZ8WPK`pOrgoe|k6DP)q(iyUfh7W?py<{)>A^)!#X{^(@55`q%#|9(ICL**W7NG$aH1;F@L|`?a>1`R&1q} zsOW%gM`NcfO8{k!0s(hg7A*6Ga-><)lwk zM_XslX4Vo5uD)p41Ox8vj`p!bAKq$QK{nDLyav2&1$SG_J+}KCIk=O(}Gf%0@k#-^lp``}#I?6w) zL)HY6Cj!XvB_k2l&@vW}B@R4%ekjhy7kcPve;UVLC^sbrO*e9G`6bQH!Xghf6)kvwmNC_0dL*Vih1G;#NtZG*uu|-oSS6ixqY6K~Rv5gnegkIFU0SJCLGZY+rc}xQtMPAn^)jsW z#*Cx;_kP&^5BcCT)2};s+NPCT_PFJ{wx){$xH6WVc}iuh-x}-3!fJf~`Gk+Y&aRkR z7E--$KK0a_L_cUxqF*5*_UASZD)nZENNm$ZQGPC6Tk_{yw zVM$50Gq=cDL_`ds{9S^Krdo&RI-w6vPRaj5OK?o_|A?BiI}YdmPl##UBhIXmuRVdD z(9=XuT00^xCBf1RoS*SnTz1)F&j?}dT8SlC62#`#Q<7f-l9rSd`b3ehsHw&0#mOqv z?kptB{(rt|#2L}D;XhC}oFs2(_EWE)oV>GgO!}e+-Ps|L@#TLeF>F}$1d-F(hDARQ z)26i!vQ2;|cRP$2n_MRy7Bi@3hA(;k8wnwnG2GAcH9Uc?Fc^Y<&PmXu*Wi^uh;ME# z_TdqHNZ{ecbHeKMVPBh@jo6AK8%fU&VUh8*@W7$xNo;J{JSBt?vv+g3@|S{L*{Ewu ziAmi98=@8```%pJF{-W#3Ca_VZ;xNGc>R)>{)EuR=Nry|GAx(h>KNlhI`7M<({exU z!+VKzM4y~+Vv&`gDecgUx%5rOjJ3p!HT3bJ3EOa#!)C*LJtE*nzNEY7e1Cqrm~1-d z9(Q&uEwZ7f<80Z!(#R79qNsJ(MXS$<&KZ9F?SK7b+5{+29R4x#jlUY-{{Gly{m;rR z`^V=Wf0d0{BFbT*TK7Tt+lm!gMcFZwX%U_b*^-rMZkLpz4EXsnlx`iVDcnc;92O-j z5z~a@aD5@#0Ad4aR^LK}@>?(QT9`)T8BSg7?S=lmX9nNxBp1=J08wx-|0M{5ap_@x%1P@%4bN zczp^EoGM)@+0FT5epE^z$%!&{KE$5+0|*OL{q6^&eay0^^%uQ%FySEFXgq4{4&4f=5@dCEjh^w$xEJZ&J6E56=DC+&X!;3D#Cyj+HNG>B*R>9M=RNUPY6`_z+F-c` zSn^1xHTHH{OkOfQsImin8~?8^)UKS>i7IBPpK+tIg|5DUS$U+>8)J4Gc~Ko!(~oL% zV=n*y9H}%T6I*632T_pmbjQt0FHbmA3q>MZL)JQeVEjSlPO~>#hN6`;Z)(lQeO|15E2Sv6JLI1ML`Guv|1} zk3B;g?-|nEUBiPvJD)Cl26JXT_6*Bs_uMm3Q!a5xY)kbPg%{qs16T?oYST-1dp$wP zfi4R!J9ZCNhYQg@B)w+HiVwXnC9BU{mAHjPJ71(mf;s)dTcj}u^+Wqk8&E3I{AW&k5Vle+W(CLO*3&8r^05nTVw}C zC!`FBAl$>&bW3)Y6wrJ=haB*@(S)z_oSze@nC z#Bk;hRbJLS^~oiV&k-X<%dN(z`;b-rsajiP6nr9dcYFW8SmuvBt0H8qFgAWVu(>1|tE-=8#?hd){lyfXR?_ z>?T~gUB1DXC4BYh#E0_}wPw3gI;K+R$A+a44MTqXn{X_9``TwdRNV5*ds{ZnpL*Nc zJD>J;%(@4qF5fqPdeHdkYLWK&gd^YN_L>^WKlbfw`<{3U{KHrzYQswiegU;_Pf)ue zMQxK3ptk&HqJ%X6bCcSYNotdK5jG%3F>OGMa+pWydK%8O0x^nUD^QvbE0E92rAC>E z9TAE^;tAvm&|Hpxo*1PrH5cw4Prd0VZ-Ad!jF;0madRBVFpWd?-!tLsjHG8GN!zd3 z{eet~F4~nzK7<@_vX0Iklj&nk1Cw-R4Qt+|NQ-Dx68F1er2%|{nK-Y-kY>w)&sw~?bpq6oW0EX@O{pQe#xf3 zK4@#6Em4WwU^c2+;CO=sTah|hHb_W;gIhd1n3;(ULnitVqs)KuydTYtCTV`?d(KnE zJbM_BsMtxqH^dgh!hZ3`*B{<6^}eZ(zW%`%7o&sBO2s91D(}8^^T*4FwN(_q{rH0q zPml*q8A-N1c^rPQUIA?HAZ&}V5}k5{?e0%XDc5eY)Z&TPi8sX9O1ACIex=C~n5H}e zIAddirUfaQnqv@6c?@YjN>30)O;M+ll&An@*+iq@Oqt20`*;*ZE=!F9E`@I$qaaV5 zxfG#p(n;kh{^C)nbA`Oxj5W}2Al6`&*YLknZ=s*FESPUmm0l;lg?@)*f#0Gk6{)uj z$Eb^V#V?qn9RDe?;!cU;PR7i|e=$c{Z?3p=6sn53lQI7kjRMS9nwZZ?V&3ev3Cx?l zHpSRG8S^I6fHNL}=fNWY^YkSkymsQu9D{I%G-_H+Vji71Ge^NWS7FX$lC&T(N_h$= zJPMt2P0VBx$Vl($mBI;8_&T1;J`*R>AfkIFRiJ*Z8Owidm3hMSoJ-6RsX|JhQ9w5T*0Yo=wSX$E@V`HNW|s z&v%k>kpzhVK<5YkXUE+ouj%--wH5tHo7*|yWAeUb7q5DMV%6XBs#T?v0>F&L$E*G< z@yxBP&r~InT6Z+D?rh5cwV=^GN|DM=-Itza&COBL1K1Eto7-b}wUzYdi7=4{f%(XG1QZHnqN2Wn}is&aBAY-_KnV znC83q*3Rrm%(j*_+|0(f%@5NHhLhW$o`K0)GJ^QbaVq)v;LIQrB!j{9tSlq}W_i+) zrj{N^^THbauM-9>dA=O#N2$={mNYfvWCrE3X;TM8DkH7SJ2NTIO3pZyQHg!BdKG^! z#$k6O+)_r6QtGf%*8PE?-Htp(Po__GXHXGVH*(J0W+~P#)5ON>B=MJ$?o*?jokUp3 z2UPOJ#+?`(O3qL29w6$B4`oW2XSzLrL^xRlGtoN*DU2DJn5U9~HpysD>&XlRY$M>R zcIqQqod0#6iCKvgr@OCPtZ3R9Jm-4j0mPBIhK!O^rce^tnCt;{95AX&BOA+|X%;k} zbaSZDrFwLMeh^N-&!y=S>IR`)pX7mK$4P0GiR3Ky^L09OOltcJP27P=36Eh>h|(O! z`H7fXn}`~Ziuab9===b|od$V1ht{r|+L6PkBmqP1Zb{h>?$ogdsY=aEMHJNK(d~&@ zjl`^?_z2IG&WHb-rsqLcWpa8rXKcEhx_d}YoZm_jHttJ=+8!3=2uQA2!l)BVjKlIQ zafBjnM&ZPc?>Gd9ss`v0g86+9%xSP|`#0ukejHH1<|UBsa3Ukc0dIr@t#TCwRrHjE zt}|mLWYUrtCqx6K&CG69K$m&Swotiljxp`aAKQwEA@LG0TRm6B3SK(EEz?pE?0?igPLY5%Ejx8l;UtuvU|N@yEPj#vtnkj zI_!!wUqTNqRPRFd1=E$8nje+gfG0Plml2>MF}Bb|iwkMy=y*`a#Xw1*t^P0yCNACT4#tNL}8}r*=Uw>En>(9OZp}g)Gj`rQU5uE|@cfY)A zm;9x%W7EBx*P9kN`lY19s;YqZqTJ&v%S5_SIArsMl*-<4rw23D%xn}MkkCp=@;Xbh zQQ{|%4O857Hz&R&jN2~JoutmhVJh^j!`#i8(gjUEOolp6lLsl!gjNNMQ69E%OWbOm zebJQ*E@|C<-%mrV3;y}>H(!6e;}L;447$3{n6-L^xZ>E=zrTOuW--EenJ^GCi`|un6yT5>oVc}Y%sQFhxCld;b%Cm#A)i1mJ*+rJh-i3vw-VCG>AZ5!V zH^}%Z$THRm=apA24UKLo?P~0HwIZ23W;!G@621sXhR58^1BP4`lZ%MMbPn=qog}SF z;e-}Do_+R(gAZIeXUD?&g>S5W_Weya{`S^1=d$%HmbY!+_RQ}cwwL4=X5Dr3>RSel zpD?lM`QKc(Gv8YByL*0jK7oL0l!8=GsC&1d9g*{UR?ZNYl%Cj zELvSbL5U|otHXCh?u|1SaEN(JLQO3tCv2X$`gf`bH8C51H9FU17WzyrDG$|1^aKI1 zGslwFZCH5S&6i%d^3IY8znXII?%A^z&GWkAQ>TC3`oPu;t{I!|xm-?fo;!Q`{HBTF zikq)EV`b2qxomOk!aky}Nxvc2U330STGK>)V`hP3MN&&+Uu;O64woG%U5KaUp{^m$ z>G-iN@%S73AeZ0oDo86Tz-PQbb=gO?Aj!LnQIpI$>t^>utUxW~?$E9VOCT2wogV2% zKC}~2-n-+L-`<4C^T(gQ`tchtJ$}o=C(o&WNmvg4O`Ub!BL&v*wqK$82h1X|@mIg( zx<`#;Cfsp=R?v*^`rV*P0eNq{?t(0&n#m{&fWlcgBj(L7C_r?opddRfvnb7iovk-J zFrp@8J7H8Gd1lU2=JH?5+$t-GR0oIXQ3@RBO4>g8FdGcdTn$26c|cWbtypK0u&1O1?iAr8jSO_ zgvufRG)`2W%tKA;vlEwHJm)X2xZ-HrWB2d=UHc!ASX((qEdAw8qCk93ivGnvh>6`Y zY@rut0ehL?(Mru_@e61wmp_P^3B*##bDqerO%rKoM4agf2E0f!@+Nf0f0&=?K__jP z)DUpPK+518-q>m^ySVjt_io?bu>czYBP>4Xs51`Tb`xRnsRIXI-q1m%Hi0?XVa|mX z2;tkFpDQwuX=Fz&**pnq85;qo6UX(OswHboi>14g?sQnOnT~8mxT*NGzgd%*LtKS1 zAM!R^Wh)#$?-(c~_o$foVcW;Qh)j5KmhmBK;Fbx;Kff^Asj(Dc{ z7$#@R>4tDlWKv{m>yI!v2s@ zt{OIF$iF}R^k3o%nicIvQS}e8BXpW1`bvt+uVw_&(!9tC6ma(m#S4w;O<|9Vr>4FE zB*}ixLh8Y8np$WSuDb5qww-rBxr-74+sl7_GvfR(C!YMn{#TTD=NN*Or!UUi|vyLVvpY z(ZAgBY{&cCp8xWv_h0*F`)$TgsDJ;}i#xYHs7^ljp&92-J?D;f8*ZO<|6R9jZa#bb z;pcC9p}-n?7`EjMQ~{q%-WG8wY)j~8c-nJ7ORD8xn(s%eK(E8=^Jn8@Qh<`h1wJp- zvR5%xbPy#egI)G92{oMxQ4+892u#z$H+S$z#zV4(VCg$C^_`^?TD5(J8*> zx1^gM?lDniSdYkMa+b@wM=#s+Q!@m1C1X#wz7%uRC)lUeYV7IOmtu|zW}@fW%l|Qa zHfEflP5l_Y3B&=HBPj1g~UbnDXICaN{v(4eH@!LHJ??faS|T;)VeyyS)CfE z$GW!QD~hP9Z0kYyg}A?$>Hg2e6Y#lX3}H`= zVeH||DjtJ)N`d5pW9~Kfh;qa&&;uI3LH7sn{k6s(%O<{$s0iJ+v?h6z;~I&Iir`ta zoxwO}e1qnQ=V^|X`Q~bKQ>z6H>UoY6%_r2I<~mcoI?OSMBX|sDxy6hJprUp+&Z=jQ z;8DO?z%FxEQHlaR$GPx-FwTWPHx6@_IiD4&acX+ZhjhLtKwYa!OsbhdDH;h>+f5_MvuFfq*?i_rGnjOe5r%RM2i$80UrsW@ zQ0(~ebEFrVIt$do9Kbo|96C8C^#wEM0BeEgKw2%qIVnwQjsdM^j)667G1p;=ZgLi+ z)y#E>iGSl+m`p?KF!oUYCv$`z{EmJ~=I_z{1iwEG`H)$6_XCDWKB`#`9suTLwE_Gv z#k{X><@@MxWRY2h@jS~%oM+gncOL+zWtI>8COx4(jS(Qj!6c@*OA=G-Op{s?#eDEY zaZ<)Gh9%6@BF+G{+IWPNCh0lCP}GO!5mHjxbA+M4;SmbE&w;4La{#px>o5~IfJt)% zq84*!=Q>gpH)lcA;xRCTMdmD06z4IRTD%T1@gF>k)K?7Hx1wK^IYM{rQ@1Ab-ApYL z`((k=*{D*9&PEXx7co^5r-g8z^d(Vo^6|f84fs#3XKLYjro}pQhN;d(W?YgiSo|hG z(HFl2TBNj@IR<@cc?^7M6WxtcRgdkhqz z3gZ|gbtsNoa6ker+-%{Fch0_K=p`*JmkhgZx{!KBt5!{&Gt~0U6|23|Crz5}y>iu% zx~5-vSJ21o*qfOD(_P==cDkLu|M(so-iRXO8NsgaxpnB0ajT+e+}Pzc6VE!|+dQ;? zVl_*xKVnavFBLYT%L_W|nkT4TJkf z^UI2ACeJX=>RhgM(K(^hE=wzllw@0*>`l*ht{JmfinV@V^8%wq(xAq)+#;_XRZ=}g zLZXA10nOV~B%$Czk&^F^!bhw4_vUBw)TVQRunJUP_daiWmy4=oobu&*Y~)Wy+C2_b zcA2749vRWtKYK#fNcXgHky9J`heij-q|Lme%S;EAMa$Nnxi}JytU3F<@m(g0nO=pN z?y&BY(lFO>qtD@yg&dFrR$vS*;`dt3M&1=TiV{W35NwN!QiZjwolUPhHg#l7bWfi$ zWx8iVp7Byqb!=71!ir()J3pL0di3c(h(NC~)AiaFCB$#ZH#*EW`aMnrB%H!)r8ipl zdNq?qoo`IBw9@6>9fybYT3o!Uy0ogc%d0IPl&q}QXVecg{%XEC`95^F(y`l)Hs;Jy z7pihjx+h(z>1ukWmhXvr8c+*+FDhgcbD+=|uT`&}j@73412m|mb0=NrU{tKJ4%Y@Z zv_>LD{U*%V&}AalRp(?@Oic@yHh?)s8KKl{OwOk{I7uE1 zI%UP0Ul1*5C{PNL=%1df1PH#U#-C_+Iw(DO1j1>xb|c9-J$a4{wzM%FwH0uT#EGf`?gGaw$3h2kBT&t5dS^(rZ=WD)KUZ^&N;9SD z#}OmXxUH?ZUqw-$bAD`E)UfRO(`S1pJ8A5`$m1L(%|OkFoW?Y#Y{#)t4X0vJF%t3G zMA)%!A844a{+2%`-4^LHQhtj6$73~sJ;U%IX%f1tJK#$d&NQ1tP-=*IDv9O>3P22y zO-nt@EfJiR4YxWy1;%^*#r4f<`Hh=Axu1;?$m%!yGUi|(pC)BUWsT`N_u-^|?PFUU z5ydmMMafEe(-N^(5SELnb9*?HjwatGN6XZlACJ8KuOHug?}zs1AKM}3@80?QU2CddiMr#Sqc12G6xK`XWQ9gY6 z{Ut*;HHlnvG-U@?k|_;rMAbgDlagIN)LT+fQZ&P(jcxHn;x@Fnp*BF15iGz9>w zg!3{pQ!6daAKOwI(Y#|@w2~CMJG(S=3ww2qdL@$cI9_~0=!;dsUBA6y`)=yjd1Tw< z!_z+a@RRp9Z`t+cL)R|Yxv=jqzFqm!`-<(#C$g;>J8wVu@ub2MR;^kjX14>3*vZg(56q6`xP>*h-b+uBWHFM!kt2 zODI4G?BbgNhj2U$w5qe(XLRWDn-{hl+uZixSsm>q#${sFQ00gAkhoFwdcF4z9Z}%& zQsWj?QD-7T1kb!z$;r?%G8M#!B>z}==B-Ho8P^glwYtW(Si9q|(+LT#HM{2VNrfcF zKx4|2QtD*qSHfj{@xy}Whn#!g%)MXy`PoaaAJ|{s+p)QFlbreI10Nr)D4P?nc=@4w zo`^)`J7;yYhhUFg2HQAH*>%)83iFH__bVS`o>r12^cDm9sOLRWJ>+pM3VCSglnHsr zJL3grnj%DMYWsd=N5@v+4 z`NL+Cdkyt|#8EA?S~-_eC{?|;8AlGzol>!);NK$C>m2#gc`twR(+fAez0?SA-t+L? zXa8=_^xueoqEN=gPh>Z{J>qQ9JZsKJuf8wvi|>osZ$AF;&Z)PIUHZxrtSy9)%79eo zTU(+tt}IQHKd?--?8BL|7$m1xMO9U0tf*HxY(@>8sH~{66zNrItEtZPmsRyDilAnI zQ2JC9m#NSh)zxoIM`iq2%*!2wI}h_fBSOk)t)2QB9|Jl@1~Ey+0fKq5P{Kj*DRqd% zU-2*!yl+`~&EVN{cMe#z@E7anUUYi?gc+wc4>)he=pwP@1FJf5)dxpbHLKQ7ln16Q z${$y_VnF}0NXz(fXBUnstc%9_l^53xHw<~!AB?&3;f}lI868n^-Jy=HL|+Y6uujpv<+Q01axI4amg>;^m0lI; z=$ji%&p{_O7dn#^;}ntCf)oK1OzDhsF1e@Iq+s;W$Nef4DruxC>=BbxWNdq>d*pg3tgC~ME!aT1=j58iHpHP#lIRzHgEaFFcLb8g}Wa7qW zvG$?1{M7G_mrReLNS#}tELH4dCG+=eQl+dCA0K}kzj=*Sqx(otu!+eX2aew+*>(uK zght>rc7hhNmEMSd{||8S|KxXizIPpF`X=qHP29kjnb`Z=lepOnkK~XPZm=g;nt>zw zPe{_Pm?TD8FF~cW#<#rF8jo~-^uJ8EC zql|%eh6X{{Gr)#?Iz1y#p=ab4nu9!xephbg`}6sFG5>T4!&S$>#!uJq{dEklV0ab7 z>lp4}$XqJF%GZbZci&<7F0Dm=kFVe7>ks()L%#lqpZ_yof6DM%zVjW!?+GdndS21^ zI*qTLe9io$`1no+-^pf}!!VcchZyG3N|k)RF5v4zzAobHFkhE2Eaf{9zAoeIa=z}x z*A;x-o3AVRx{9x(eBFny`|@>+udDgGhOg^*R{a?EXE=~yBf}vKhcO(*a16t73|TKJ ztdW#vzB7g4REEqiPaqR81m{s!60#HHkE; zCXq(f;DaVe8dZ}>qiPaqR81mY)g+QN4c(v#l1A0wi6clFRg*}gY7%KwO(Kn|Nu*IV zi8QJvkw(=d(x{q58dZ}>qiPaqR81m{s!60#HHkE;hI}@Hq)|1AG^!?%M%5(JsG39? zRg*}rHHkE;CXq(fB+{swL>g6-NTX^JX;h6hswPOIYJxPXCP<@dtWh;V8dVddQ8hst zRTHF9H9;Cx6Qof!K^j$Kjj9RKsG1;+stMAlnjnpe+G-3*qiTXQswPOIYOGN;K^j$K zjjFLm)mWoytWh=AsG1;+stMAlnjnp;3DT&VAdRZAM%4sqR85dZ)dXo&O^`;_1Zh-F zkVe%6X;e*+M%4sqR85dZ)dXo&O^`;_1Zh-FkVe%6X;e*+M%4sUnKh~=NTX_kX~7y* z6Qof!!I)=_s)?`o4rx?PkVe%6X;e*+M%4sqR85dZ)mWoytWh=As2XcjjWw#q8da0$ z(>O9|R81z0s>!5LHP)z_Od3^_Nuz2qX;e)njjG9{Q8k&llr^d*lSb8K(x{qD8dYPB zs>!5LHJLQ3CX+_hWYVabOd3^_Nuz2qX;e)njjGAt6J(95u}0Mt(x{q38WkH^hNMw7 zg*2+BkVe%M(x{q38dXzBqoM`{VVgCorjSO}6w;`gLK;<5NTX^BX;e)ijjAc6Q8k4$ zs-}=e)fCdGnnD^?Q%Iv~3TaeLA&sgjq)|16G^(bMM%5J3sG33=RZ~c#Y6@voO(Bh{ zDWp*~g*2+BkVe%M(x{q38dXzBqiPCiR81j`swu3OSfgsJQ8k4$s-}=e)fCdGnnD^? zQ%Iv~tWh=As2XcjO(Bh{DWp*~g*2+BkVe%M(x@71R81j`swt#V)1*piH+fEv-vQW* zVT@r7!#LLEk@|sN9;qI0^hmTKk3=i-NLTSQH#5A2;jIjBV|Y8mI~e|oN7%&hPKKKq z-o@kmfuDJa;VTSZW%wb(j~M=$;im+Jo1vGXk6}8)Vw$ZeW!Q_x7rhx)G3>)I#;}GV zQOYBTQXawU5+it=Hqg-{7BF1Iqb=rVmhexP^7Vxb*YP-a@-uhwPq*>)ZoYn!;U2#8 zG>^9L_%w`6`q?Ai=bwJeFobRk>cqPND8D7iqetNt70AK%};Uf$m<@>w%n!Y<8`EiC%@%^Xy{xkf>y?me7 zB0tO5`x(B#@C|;3z9Sy_@BCZ;VE9jl9sE;Xo#LWr6sD#^UkZ=HG*trhq!Og}Dw%ve zlHq8EV;PQTcpAe=41dA!bcQVq&tN#6A!AQr>?yMehsxOu=P;bd@EnE<7@p7bS;TM& z!wr~^SBis=V9)`~|Bu(fQr18A+{d5PIr|U=gdKX_m#n(^M zHCByhuxh%duZhmGsk3bA63M16k! zl1*JA+0-SHOl1*JA+0-SHOGloP*U65?*f@D(%#xPr!OMWbOAlcLf$)+wyHg!R=sSA=#on=#J+0$@nmQ7udZ0evLJxQ{u3zAJ;5cldVn>x#;&a$bqZ0anVx=gaEvux@z$)+xoZ0a(} zrY@6g>N3fuE|YBPGRdY64#9j_Hg%a~QN3fuE|YBPGRdYc^XgbOb(T$?WfN6^=oywx zon=#J+0+%1Og=AA#NH%qaWK&m2Hg$z$Q&&hfbx6u0c-1WoHHM{lvKUfBuu@>>0NJ5y z;;v$ronlDM!?^CxkiKZekQ(~w%?xj0cq_x(7~anC4u&Kh#gGnq{w0R5FnpCE**wLN z4uWL!6hk@yAsqz041EmK8Ip7qvvd@L^D!&t{9@+(VsJkF)=|FS&d?yp99S&d=yzqZ zmx{rMcoGyLIGW*DhT|EY#&8nDUobqKVGF}E7*1zsjzf4ZW;_=&o{JgJC6WhkFOhVH z#dy91_2!ySs2y;b*xgvsHHvKMfMTEH`!dwwyu83f7OZSN@ zBFq&L=86b&MTEH`!dwwyu80VJ3v)#Tdqesy;))2Qi6C)B1o|A1xgx?`5n--~$ix*9 z=86b&MFhJExE5$qQT5?4g9M<7UC5rNjiTbL^%%oP#liZWQ> zD`AO~{ZkI?5iG)=a>ijf>wUqN(%6Tp2yq0oaOF6HloYzv$Ybocol=E7un3JoRldG7Mt5~mAF(+3s zCs#2iS1~77F(+3sCs#2iS1~77F(+3sCs#2iS1~77F(+3sCs#2iS1~7}$r4sk#hhHl zoLt46T*aJR#hhHloLt46T*aJR#hhHloLt46T*aJR#hhHloLt46T*aIm#dl;HI&5hS zNoJ$G(kQPq$}5e6x9L7VQ z@J@!C8Q#U?ki173OHsyBl(7_LEJYbhQN~h~u@q%2MHx#`#!{5A6osT<97qbmUNkVW_UKkISl79L>@kVx`5&NG#^MA z!6ghgU_LR{PADSyG8khSjIj*HSUbg7JH=Q##aKJVSUbg7JH=Q##aKJVSY~6aonow=VyvBFtes-4 zonow=VyvBFEYUHR=om|Mj3qk85*=fSjlF^4hC; z?bW>YYOEdiWjnn^b~2nocd$Bw`3wsgh8dPHj4&)`Si!K8VU%HChSh*IO#K?BehpK< zhN)k})URRc*YLV(nEExmx*Dc_4O72{sb9m?uVL!fF!gJg`ZY}b8m4{?Q@@6(U&GX| zVd~c~^=p{=HH?88#y|~YpoXbm!_==~>en#!Ynb{qO#K?BehpKK znEEwL{Tilz4O72{sb9m?uVL!fF!gJg`ZY}b8m4{?Q@@6(9|zvn!Q1YI)Wm^3x~6Ya z95`GANctqsx-rhWG0wU%j(haXFld7~yz%tp2!>4zM=_iLy2K^gBgEm2r)OxV5QjIO zu4%szhc}+yNSqLt$m)noQyG%&5tpVhoX&G2Uws^uB6vAN^3}&dDT3sykF!pWvrdk) zPL8uqjhd-a-Zy7$w@F9jf8PeV@ z4u3wu#~AKr_yj}RhsNR0C-@XY+ReqKXLxnw)sMrgPndk3ulMuy0lt2Lujv~Rhi{*r zq@73{9)7we`!EhaKV6fR7>Bo?t`9T(BSVVc#o_HINM77Hy!`|}U`SSF96o=#L$+lc zo`1Tg9Zekmf4csZuRr7Kqcn42WoT#UVo1B5xbV<3{B4R0ov+CvjSD|tlU*7Y0lp6M zZ)GtI5f30bK#-yXagGke5gnj+k-WzR$$MOoyrak@!&-*)jgE_f#35oZ!$yV_BZwnL z0IVWLK#;y}aYPE}K6z#1;uzoQASlc9Te8AXWk{A)oGq(3JneWd9|tH*X4ZOi?7K$9annu zHF>Aw@J`bRQNHfO*M0dq#@FPXj>9`m&(!gCKZgAo4rJKKa0tU;3~3h`S6Ev43y$vK ze4q9Rab+A|(@r7IU-P)aQq14cS*2`=Q{BF}a|=&rW_b%w>T4f;W!6GXNi z;N=Y0F(7hN96el=^?trEQ^BER03^OcY7-5KW^LVC$VI{*T z!@dlw0qZf(I{Tq4{mSl1R#&KU(*kk!o zFVqm1w4#ZbWI-v3^YHi~Y)w`UVbz6FDrq!`O@R%1i(+ZApcf;1bU9wxxbjGHFT2J!=T&kuCl%0NBFBwkWtEm;6tSE!~Pg{68mA$wb&(2oL4j00;a%LFb%fx zWINaac7k1CH`oJyi(I}9_Jaf9AUFgb0lxzdgGa$*U=|z&Pl8?}-6iETo(9LjGvt^9 z$3gw)j-HvK%;$K`_HSdq2m5Z&vBWM#EPgV? zelNCH@OG&OIei=U2e7we-;3?l<6Vkp{EXLCb}6c{{rlLS%k0wkIHTuiyYxNI_y^#J zKEP;9?P>+OSGe2YXNT41G z)FXjkA$K!r@M9uMP;^KyM&@LqtzpUdL&SfgcNl|DOQh! z;x41rBcZsXFdC3!~K|fqEoRk3?YgNN63vX!S^-9tqSVfqEoRk3?Yg zNT42x!0M3*tR9KL>XAS_5~xQ4^+=!|3DhHjdL&Sf1nQAMJrbx#0`*9s9tqSVfqEoR zj|A$G&=@LiQI7=bkw85XikFl->XAS_5~xQ4^+;%rqhBdrQoR%}*|vHl6fZf&>XAS_ z5}Nhcwt6H`j|A$G&fe+-K^*_wq5ILYF$mOtEqLhw6RC&9|pY>pjz5!^oUT+{;_Il<2l(6 zk?#Ft)zU^k?_m5SVxg^z6NaxrLwt(JUQ!RxwdXG&tY*)i}HEdVIb~S8Q z!*(@nS4$zC*SEobZ~z}r0#!*J%jyy>{;wru;;K}#eNO^0eAsi1TTV@ z!Kq}5VL;~U@)!5@Kdf;Ye)gWj1|Erm3CXIixs(s+meDuq-{X^quVNZW3c)lx{? zZkg3mNZa1ARxO1zI<~2nLK?kGty&6c^e(k(DWuW6)T*VBM#me~nt>V}byQ0;#i2CQ zZ>GJ`{;Q>#PWg!6EX~w2(oEwcevdTMw!fcN(^IOYnYO*JvRay{ze+QeBF(h@TiBjE zS4%UU{vPbR!8j@RV29Z6#eN_5`?0rSe*k+s_Py9Uuzv^JdlIUpna<_+v8%wHU;?ZL z{{Z|DNZsk_)zVDA;Q=!v&9wa|*mc++#eNW^-=P52QTiP^P%X{$udD{u(oEZqORJ@s zwyg}+(oEa*N@=ET&oQf|nYQ2N(0fy>rI|+Wq^g!?8oiUMTAF#TY>(7qS?I`WkJQ8X z`=H~TJ;XVCh;#N3=jhdsm$dx#eHF#7Ld+~329zlX7Y52N`W z#_>IBpUOoo)95ID52NQEMxQ;5J9`*$_Au7$VXWE1D6@z0We+3E9>$bCj3#>+NA@s+ z{NL;c`$K&JS=QNCzif>BBKQvBeWc$<`hBd(-N%aDePw3&K33%JlkWLRuV394d=RX5 zirT;N55P^*OGe&*UxfEFfB&%l`{BK1AJ(o?q3)tJzC*Z|-1n0EUUJ_{?t967FS+j} z_r2u4m)!TN_br$0CHKALzL&L~y@7MzOYVEgeJ{EHk#he+*&iu)p>j9AL-+u>KS1se z@T&*-RUNT(U75$PI*k`bN6vM`%yq=Hb;PT6#H)40t98Vyb;PT6#H)40t98Vyb;PT6 z#H)40t93-1bz0f;n;l`+5nI*~ThbFEVb;LGxQEIJT>2%M4>WE(Ih+FE2 zSn7yX>WEVQ6h8kHKK~Rx{}etSB>h3sA0+)j(jOvSCppQR58?fX@cu)1{~^5p5Z-?X z?>~h1AHw?&;r)m3{zG{GA-w+(?|vB<(FpdrQ*ZlC-xZ?JY@rOVZwww6`SfElGPzG6PC7 z_enDANzww7w7?`SFi8tc(gKsTz$7g&NefKU0+Y1BBrPz>ye7$vCdphT$t)&G%S_TT zleEkvEi=iSBFUU0Nh?jNKZ-H+N23)!NxMxlQ%EvLNHRM}G9ySvLqEeTAW8h6B=S!Z z^CyY+lNz)9jN|+yEk8-iPtx*}wEQG3KS|3^((;qE{3IW-rxn%Hit1@a z^|YdTT2Vc%sGe3-Pb;dY71h&<>S;yww3&L^Og(L;o;FiYo2jSG)YE3_X*2b-nR?nx zJ#D6*woy;psHbhz(>Cg95A}Gz9^cjDyLxtH*cs_^uw`)#JNIVf#_o*4|t3uN`xsee@`7KMLEA!uF%E{YggECTUAUS(CKI z=s8G}q6nk+r!|%RF1A}^QTCgg69-Gr{FmS&nb9L!E*|pQ}CRE=M+4r;5h})DR@r7a|)hQ z@SK9@6g;QkIR(!tcuv7{3Z7H&oPy_8cy5K~R@!qbJh#GgD?GQtb1OWz(wz=QKR0;W-V@X?RYp8+C7^?rqe)jk>o{_crR@M%~+}dmD9cqwZg& zj{gmO7W^CVxiZIQ&y_hgdrqsqi$d>4eok#^S(pHKlkW9_=gRhgO{6q~Eno_41=C=L zC#SIUV8N)iq4%q87_0n@+J=$5*zxroJHDO^YDll;SKf{MoZ5`>U%;Om)n<&2_Man$ zd@kZIiO*@3&-k05cOyTiH9h0q;631b!S{n70Ph8V2mC$oDZgKB#`rYoJ?ic7)(&s& z@YW7*?eNwPZ|!B~tzA8FS!mwcwaV=j^VZHzxpsESwQH5zDdw$RJ<(5^w{~{QwX;*M z9p2jEtsUOl;jJCs+TpDo-rC`)&p-n@YVxwJ@D28 zZ$0qV18+U>)&p-n@YVxwJ@D28Z$0qV18+U>)&p-n@YVxwJ@D28Z$0qV18+U>)&p-n z@YVxwJ@D28Z$0qV18+U>)&p-n@YVxwJ@EE|cv~!cLA)975+^T+6Js;j0;a%LFbz(D zd9Ywq?Sv}7-lOsxy#wb3mEZWApm%(|pz<5<2JZpi3%(!pPOukLexrASy`b_hmmQ{@ zhbiY_%6XV_9;Td!+c_XCLM4qnv$|vyXE2QO-Wf*+)71C}$t#?4z80l(Ua=_EFA0 z%GpOb`zU805BBQS)M(>fx=qriQdn7Vi-!^)W zM20;Q8Le;I_8y6h*0+t`BavZ`M20;Q8TLqI*dvi)k3@z&5*hYLWaLMe*?S~1@}_O? zk;urWw!KFp!>lT!6>{6&BazWMxoz)}$Y{0Pw)aS6v}SJGdn7ViGdFsVL`G}oM(>fx zXwBT{JrbER?~%x`MCh#7K z470gR;5`x<=5(3Bdn7W<>@tD(NMr)i41!rGVGDa1l}W&3A{%l z6L^nAhCLD)_DE#(1x@AA7c`^yNMzU}kztQShWTTLJrWuANMzJ6^o;t2(R(B^>K(Sd zM42yFZNen!1Ue`SwEMt#S&_ef;agKT?`L`MC{w)aS6^cBe|-XoETdXGd# zeag1?NMzKrYk3>e_ER5bGkOB$}=FS=B&Y39vju~_&O21+HOE&i~QHvi}JowE9;(+YzVtlip8yKk5CX50E}U`T*$zqz{rlNcte@gQO3U zK1BKu=|iLslRixPFyE$!`8GYwx9MTNO%L;JdYEt1!+e__=G*iz-=>H8Ha*O@>0!Q2 z5A*)vx8KjV>7(Rwlw6LI%TaPUN-jsqk`y93_{d z*OZF2~5_7`YrHmt*8|j9jwhk|mcc zxn#*DODE+@$41i73b zmlNc2f?Q6J%L#HhK`tlA-dlw3y1Wt3b-$z_yW zM#*KATt>-dlw3y1Wt3b-$>k)uoFtc%aydyZC&}d`xtt`IljL%eTuze9 zNpd+!E+@(5B)Oa-7oA?OUUQ0EPLazgaydmVr^w|Lxtt=GQ{-}rTuzb8DRMbQE~m)l z6uF!tm($8+QKwt|vQd9EzC$=h?qlRWM($(eK1S|iFH^RcDcj4G?PbdL zGG%+2vb{{%UZ!kQDqDk20rq#ODdNK^;=?J{?Wc$mr-%}#G&l4!{th*zxuMbDp{9u9 zrdV^HV$FGqHRmbToTpfGo?^{;O0z;g@9)=BL`PG^MN>pXQ$#pZ#5PkzHB+oSPZ6<9 z5vxoQrA!f@OldBu@@Ot;^!Mwjz~8T@G?z5q?_4xzbh^J^Pif95)SOX&6?^)X*fTn! zm|{epVl19w6rN)Ionri*V&t7-%$;JionoAwVuYPyY@K3Mor?PV^;Fc~uctI;H2V9s zPRCTg(3x#Ue0L7t<>5aM|9SY&!+#$B^YEXC|2+KX;Xe=mdHB!6e;)qx@SlhOJpAY3 zKM((T_|L1^6$(e*yjr@Lz!c0{j=?zX1OQ_%FbJ0saf{Ux5Dt z{1@QA0RIK}FTj5R{tNJ5fd2yg7vR4D{{{Fjz<&Y$3-Din{{s9M;J*O>1^6$(|1|th z!~Zn=Ps4u^&WmtfgzX}17h$yst3_BX!fFv#i?CXR)gpWr;j;*zMffbjXAwS&@L7b< zB77F%vk0F>_$6k%hA+RaeA8EQ8} z?PjRm47Hn~b~Ds&hT6?gyBTUXL+xg$-3+yxp>{LWZid>;P`epwH$&}asND>;o1u0y z)NY2_%}~1;YBxjeW~ki^wVR=KGt_Q|+RaeA8EQ8}?PjRmEVY}ZcC*xOmfFoyyIE>C zOYLT<-7K}6rFOH_ZkF23QoC7dH%skisogBKo27QM)NYpA%~HErYBx*mW~tpQwVS1O zv(#>u+RakCS!y>+?PjUnEVY}ZcC*xOmfFoyyE$q%NA2dQ-5j->qjq!DZjRc`QM);6 zH%IN}sNEd3o1=Df)NYR2%~88KYBxvi=BV8qwVR`MbJT8*+RahBIchgY?dGW69JQOH zc5~Ejj@r#pyE$q%NA2dQ-5j->qjvK|2=hb;^P0^qmd%%W?RUP+Yrpf-H>1A^&P(NN zd+m2#vplExo8Y`wb&UR&I&_mA|FVv-UgB+V6beZ-VpEF{5Lxc_Nwlh`*)IYo2KIx72yf6OHcy z{VjDq>TiPcn(rI^O>kawe51dm&TC$8^f$qI>6qRx9W(k{>O5<|uMuUvMwIoM?yUQI z*=vfg`h|aheV_hY;I*;`z&h}w;N$%DCidTJ=lN^IW3Lg3E#QjqU#Gp*B6McFA!Z{AiBOlbbW#7 z`U27Q1)}QUtol~zzB7L==y(=mrj>gOVByTpjTQJ$!n3k7RhUoycWr8 zk-QekYmvMb$!n3k7RhUoycWr8k-T0fuZ!e$k-RQauZ!e$k-RRF*G2NWNM0Ao>mqqw zB(IC)b&neF&C9kXGb(OrXlGj!8x=LPG$?Gb4 zT_vxp+AquX9xH?JHXf30lv--@O5^8ud@SuogLuo>;PY92lzTWz}MLUzRnKt zb#{QSmtCeLSB-(cpsfe~g0>#~D(L@PS!W0MIy=DE*#W-J4)FD8!henWf9}@V0lv-- z@O7=GI>rCDvd#|h^=KV7wT^xa+yA$+&JOVPsQ=$~J?j6{UuOsSIy=BO;B5omHsEc8 zo%0*;wgGP&@U{VO8}POPZyWHo0dE`dwgGP&@U{VO8}POPZyWHo0dE`dwgGP&@U{VO z8}POPZyWHoQD)vY;B5omHsEa|FmD_1wgGP&@U{VO8}POPZyWHo0dE`dwgGP&@U{VO z8&UJN0dE`ZoZo=A4S3stw+(pPfVWNcvPa7{)ys@={dSX{wMoy~q-SkvEOWZY`b~{! zw(ZSLjb-PA{sy#3zuTnWZPM>H>35s-yG{DtCa3Cca;n~@&NTMh`aqwmw@I(uq*rdz zD>vztoAk;}dgUg)a+6-UNw3_bS8mcPH|dp|8W~j{jf}?k`Td-#w;625_NjWCI@8$b z{}9~N=;ePfPf;q{v5Q!>1*DTEeF#d|JY%C45@KrzLz^!lxyC zTEeF#d|JY%C45@KrzLz^!lxyCTEeF#d|J{e$||!?Q8wDArKo*cQluo_@M#I3mJ}&1 zmg(*-wKv^K2fA%<;nOXAx`j`-@aYyl-NL6^_;d@OZsF4{e7c2CxA5r}KHb8nTljPf zpKjsPEquC#Pq*;t7Czm=r(5`R3!iS`(=B|ug-^He=@vfS!lzsKbPJzu;nOXAx`j`- z@aYyl-NL6^_;d@OZsF4{e7c2CxA5r}KHb8nTljPfpKjsPEquC#Pq*;t7Czm=r(5`R z3!iS`(=B|ug-^He=@vfS!lzsKbPJzu;nOXAx`j`-@aYyl-NL6^_;d@OZsF4{e7a?y z>S8kekC;&ZZz$AEMEKjFW+JjR6A@}ABGgPosF{dRGZCR?BErA7?U{&B|9=+*ZYM&u z6QSCPQ2)&&{9RE0Un5(3E|i`NrRPHFxlnp8l%5OqO<$;Q`a*rv7wVh7P~Y^0J>Uzx z;V>vYSGx3EsJ<^$-xul|x=>%wh5BwT)OT>9P6-g|+qdwB(d|U2vt)%8;JZNSxl*W$ z+llOLp!8g}`o2(lE|i`NrRPHFxlnp8l%5Nv=R)bZP<=lL+)jkjbD{KHC_NWSfrG&9 zMEC%x|9qGIQSd=6WRX{C_R_0zAseY7pm_I)%S(! z`$FltPT87_%w=7qxdw6 zPowxW>b|e{*r!qVeW86C#ivnx8pWqkd>X~4QG6Q3r%`+w#ivnx8pWqkd>VD%52Eh- zLi;p|PowxW>b|cO`!tGAqxdw6PowxWich2XG>T87_%w=7qxdw6PowxWich2XG>T87 z_%!OiA4KtK)O}yJeHwM&7uu&$d>X~4QG6Q3r%`+w#ivpCeLZQPM)7GBpGNU%6rV=% zX%wGE@u_Ze*Ym$5p9)o4qrO(_3Tu6n66%|j&@9~{&z=)%RY$0m7NJ&kgj&@RYE?(5 zRUM&Lb%ZUTR&`{zf@x4Yy_KR>9bq0U808DSU%oJERYz!LxI;V}cZ1{-XjMlkTGbJ1 zRY$l1{tKv8o!}1fZ`7)eP~XmkTGa{e@JfPEt2#oh>Ik)}Bh*TQ@E%aBIIGtAMu(c&mW73V5r4w+eWx zfVT>GtAMu(c&mW73V5r4w+eWxfVT>GtAMu(c&mW73V5r4w+eWxfVT>GtAMu(c&mW7 z3V5r4w+eWxfVT>GtAMu(c&mW73V5r4w+eWxfVT>GtAMu(czc&uLV`OP!S7@QztblM zDCNVTN1Qu74;6kyyxr;9sPJRpx4>_M{onvN2o8Zq!0&*=;8E}xm<30{li(@vyWnYX z3_J&Z51a=74*Wj&3ivAc8u$b70=NiX1U2_p`89_XUZ+Ms1m6UIYz+R5{~G*T@K?cK z17XG|2I#MFLd0?>5zC!EF(A0pGvDA&pBNzgE%3L&I2eMCWbTY^1Gj@ZB}^%fZSK?# zE~7{PJ3V(6I;y$Tb7!G;uL(Z{Ql98Xu>Tm;nuGp|kD~a`#I& zZ6)5X#QT+azY_0Pmf8E2c)t?wSK|FjykF_H2>sRGuk?8lLVLf`=S2wZ{Ysw~A++}^ zyS4?kdw6>_VM!E&MP~-Vf@GYo+K^ zXQ9qu7d{B;^k&)nuyuN~>?F3%V3)0Zl|t+1U1ip&ySxG~bX&bkEATFx&R`en40d4) zm;zhDG}y-T?O+Gk33h?qU=OG>*!3Qr!7kJp?7{(1XRyoG8SFxx!7kJp?80I2D5x{o zm7+7)g*t;>s597wI)h#KT~KGR%hnm}LY=`b%z-+CUAE3(7fwEVj;ISNa_GtJpe&T`4+)U8pnIg^QrhV3(~k*o8WSUFbRN zUFr+A-@w)x?6QA^tuxqV-@yJc_J&Iy{44O6z+VCH@H6T=dY)O*UFt!$D@fNF?6Tj5 ztuxqV-^s5kLG7AWiuOngbq2docU}v%dse93vqJ5j6>9gaP`hV^{{j3U@6;LWO3@kY zLY=`b)EVqT+Nb)gIAor6mwK+#bq2d|li!w%5uL#ut=%?oxku$`k&p;xyUn`}(V*HQPFaU8pnIg*t;>s597wcY`{EUG_cLI)h!d&R`en z40hrBv2_N!Y@NX_)EVr;d$Dx}yKJ4oF4P(9LY=`b)EVqToxv{D8SFxx!7kJp>_VNv zF4P(9!aoH6$aR;7IOPFsoxv{qPq1|cyX=o*KM2x`nO)u`h4EjLr0WcJ*^gku67$Ww zq&ZHfFH3oB{~6Ed40hRGRk%wkWczInKLwKqz)ypp0skEQEcl=KmCj%f?$*d<)Jbl^ z-BM$tPI6Q0v8Kh*v^bg;N7LeH8uw)BuO5ZtXj&Xii=%0AG%b#%#Weyp=oz<}IGPqm z)8c4aT%)1Wt!Z(MiMFk2@iJ>#98HU(X>l|yj;6)Yv^bg;N7LeHS{zM_Yxd#ySkvN~ zeHg82+}v^bg;*NE&CYg!yli=%0AG%cHosL)|1w>IGPqm)8c4a98HU( zY234>XK0^jS{zM_2iCMWnifaX;t^|FJYr3YqiJz8Esmze(X=?47Dv zv^bg;N7LeHS{zM_qiJz8Esmze(X=?47H4HFj;3+zoZezA-tt2Ti*NO}ht8y9Z4R(XR?O$*VqkT@+w(?T>YMAJev zEkx5oG%ZBaLNqNz(?T>YMAJevEkx5oG%ZBaLNqNz(?T>YMAJevEkx5oG%ZBaLNqNz z(?T>YMAJevEkx5oR&hf#Eo2opMAJf6aYHmMMAJevEkx5oG%ZBaLNqNz(?T>YMAJev zEkx5oG%ZBaLNqNz(?T>YMAJevEkx5oG%ZBaLNqNz(?T>YMAJevEkx5oG%ZBaLNqNz z(?T>YMAJevEkx5oG%ZBaLNqNz(?T>YMAJevEkx5oG%ZBaLNqNTP7BerkT@+w(?a63 z5KRlwv=B`T(XYMAJevEkx5oG%ZBaLNqNz z(?T>YMAJevEkx5oG%ZBaLNqNz(?T>YMAJevEhJ70(XR?O$*Vq5KRlwv=B`T z(XR?O$*Vq5KRlwv=B`T(XR?O$*Vq5KRlwv=B`T(XR?O$*Vq z5KRlwv=B`T(XR?O$*Vq5KRlwv=B`T(XR?O$*Vq5KRlww2(M0MAJev zEkx5oG%bueP7Ber5KRlww2(M0MAJevEkx5oG%ZBaLgKU#O$&+BLNqNz(?T>YMAJev zEkx5oG%ZBaLNqNz(?T>YMAP0U?OF`pC)G0Er8SoKNhOTUp#J+?b_&#gf6GpT`tNVq z`tNU{{`)(4pIVDh9@l&1apQkc7;3ZIp8x<=jR&w^7b*lyjTZ%+I)-+oWbjmvftx!RT^sqnz6)=Qhf@jdE_IoZBep zHp;n8?M=_Cr5Rn$ZE9mimvbBC+@=;~+vVIwIk!>H?UZvn<=jp=w^PpTlyf`f+)g>S zQ_k&_b35hSPC2(z&h3SQ_k&_b35hS zPC2(z&K;C<2j$#BId@Rb9h7qi<=jCzcTmn9lye8=+(9{aP|h8ca|h+zK{ zW=5m^?mHQc_Pg(76jDy#qPQ6N7Dc1mr*Ba-x_$ZHGeSE~oGNGrF9<@6YIR`o2G-%UPvz>P!ul)9BTtDwTFb80WA4_FbhY z#po~HRfeVx5g-?6V$CSvb(_^(5u{4taDbe&RNAeXBF$5RjhMXvCdh= zI%gH@oK>uIRzq}rb5^m=S;abM73-W;taDZ=0&(s+a2%Wfb!&{$y#`(- zKic+6c$K_q+w0*~iaq>WuZmYG_OR`>@hZh0w!K1LrP#yvtJtrBUMH_&rL>Bb(kfO; zs}y@U-RtC4iaq=*e=Dg{>|y*N_#^O5@CNu}(BD$46nhwd3H%lC4$y75O0kFk>Xuxk z*u%D0+N%_M*!FsRm0}Oum7rT@m0}O0+g_F84Wrv$Rp7Q)rFg^mAHZ5O!M6Fp z&R?beVq3Sy2)%Y%rCwt@#MZ4bvc2+9r5TnQPq6E-KZ;HNQsm$_(7zNp*rtE6 zl3b<8!Ef`oq$))Yw!K7RPiXwBIv&9QAS z>||!NQ<`Jj9PX6n=)@msj`4nQFKDiIN^{N$b<&7XCmslO(uhze9td^Ph)}n&2z48a z(Cb>h0nj<>q!FP`8WHNG5ur{R5$dE7q1SVEGWXfZ+-E0qpPkHob~5+b$=qkB=048r z+h9MalSY&>2o8ZqK%F$A^kGmZjmSO*W92u5055=x zpiUamUv<)mP$!KDy*j;9%42*3)JY?Yr*~@BW7KUd!A>cUQMa)Ob<&9N z4*ylN9=(%U&rT_i?F!O=75iP-zlMD$ztTw~dd9ter!cB( zZetO;C+^f7$LRj(8y>}#w8%Nq-k9U;lomNfx3L7i|54AVB^w{{do&{3)=48muaxeT z7TMNGBY|&+)L*4VN|6@X)=48mucGgi7TMNGBSM`tB8-!wlSX8R*g9!M_WQ7P(unMB z*g9!MwoV!m-ixi1Mr7-x5ur{R5$dE7p-vhR>ZB2&P8ty=K%F!qTPKYOKLk>DW-&XZ zMNao>^G?lTYKZ^YzNWWtivr}5+zk0QKr?kknSDSZAi)>r5cS?(Fd$oC| zw8%ESQd(pi4y8r5-{w#!jmSO#>NXbHI%!0x+gOCUjV0KH7VScde3RygQmjS0P?%k4 z(Jr)T7h2>S3`c?lT9iPG5dPTI5^v7G+zDd~2T3{P@;9qqQhe=C^4)nxYmx8HGg^y$ zcb?H&~o^5N9Z_~4F zE%I%8wyj0JP0zNq$hYYktwp{~&uA_3ZF)v)k#Ey8{*h~q7Wp~o>TT=)9=tC-=^nuYmsl$vu!Q%ZF;t?MG3UXx9Qoo7Wp{Qxr}eqGkSL5+w_c{ z5%@MeqhovDre}0K@7wf@j@5UoeHtB~`!+ox5wdU7lPwO7jw*edp3(87Z__h6hV*TE zM#qi5P0#39(YNU>2i$ulbnUqJO6c0{p?2JRCEK;*-YcPN$GulV*N%IygsvU;UI|@0 z?!6MacHDa{R+u7=vx;JX@XSA*|rs9g=dtD$x^ z_^yW9)!@4tYFC5rYN%ZezN^7^HTbTE+STB@8fsUA?`o)B4Zf?Pb~X5}hT7HOyBca& zt3ALCL2a2%ZV@`(u2oHqx_LzCk*-$tHR|LRp-yfQ>f{!oPHqu;B&ua3swFC}WhAO) zB&ua3s%0dq)ox5bZ=J72;cLHjLioQX9lU zo!lZ@C$|W7a*NQ~SgXC7PS?pTLY>?a)JAl2i|`lytH?V*_vl(wr4~J@MM-MWkXkgP z7WJq_H)_SFpSM=jq7t>}LoLcs8-2>}k2ZihxkdKZl?(T#34d8F=MR;;@g2hZ*u!~0 z@yY$fC-*DfSPbqL+vkMdIefp^Htr_fJ7DiG+XFU{(hRnMDXAEz4jP?;_aDal4@W+xlzRBDhyVKEVLe|TxK-2#Pk^5J)(1~w|7Yw5 ze{rF-(-(>gWk^TDZqrrat*7yYIF@3+@;FN>dPm72B@`%&_Lgm~qk2vKE z;1^ZS{lQ;ie~G_-SvB1s*f0BoCem9#uV?NL(%5a_S9$VTer50M53C#egKvP(k@8LK zcAo4Yr4#H1pXaYV*e@6(-Wjz&;+;|Z`Qo-8ukFWc`{gy2D&n~434HMczIXy(Jb^Es zz!y*8izo2K6Zql@eDMUncmiKMfiFI#-!2EA(r=A!y$A5l0laen?;OB82k_2;z&+~# zJ~|M%XB|+E`W3C{0A4$w9G&hKbs%uhI)EP!;Ku{Bu}@RxPgCYklkca4ztNMQ4*t9F zNow~bwR@5$pXA9Wsoj&*?n!F*B(-~z+C53_o}_k9QoDoHz6mxI*hAayxN zT@F&0gVg09bvZ~~4pNtc)a4*`IY?a&QkR3&7WZ8wOAb3(W62C-q=ZM%WC-9X!JplvtM zwi^Ps?FQO*L*TaE5V&nO(6$?B+YQnjzrk(0fwtWcxNSECZrcrk+jc|Xw%tJ6ZlG;9 z1a8|6f!lUN;I`cmxNSECZrcrk+jc|Xw%ri8Z8rpN+YPks2HJK5ZM%WC-9X!JplvtM zwhzI^A$T|>9#X*}@nE#-9-=)Q5)Zbmx`${#hfv)^sO}+D_YkUkNIaa=GgjS0;-N?A z-hD_6j0ml|hs1!hg55$Rrio;ZQH7Q zh&mpkj)zd)r&YV2;Az!PNSl0`Hu*Gd@@cinb4vHf^)zkrX|>4_*@sB~oZ8aUYK?xz zJ?m+`U+>ZTjUQ9`=iujaF!MQ>`5Zm#bM&ld;Px4~eMY&D1kWgU;}f9O;2Gua6l=mW zl>ZsZ|9O>UG59>aLK-M*P)?zZ&sZBmQc{Uyb;y5q~w}uSWdUh`$=~S0nyv#9xj0s}X-S;;%;h)rh|u z@mC}MYNWo6)VC3T{YCH;1}T+9s4^JeDfFFLBSP1umAbT2msaZHTct*VG$l+^ z!n8PFREkTL7TZRbCoNVNRp#d=)0Y3X@-j$*;oXS7Gv5YW*y=eip@hmb{*YfoEahYdrHcp7|Qj ze2r(m#xq~znQthU<=`92MX2{1-zoeizx^h^{U*QtCcphAzx^h^_02oyf_C|IQTT6d z!&^JNwW~cV9roH`uO0TBX1gi0ra|-@4-12bg2xBLPuy_%Gc-!?Rm=f zJY{>HvOQ1Po~LZjQ?_0`GZOUb8DY>XK6`^f@QB{f8+hk@Z!nJiGPYO$dV?#ZTm`)r z*Bjgb-!kg`dYj&F{4DrI|2FbvY%6VVqzilj90I@NH%Eqf!%3b$h3!?!-pFa}zr`NI z9_RT9>`BtkVpGnDXH313^Q2$E{%3FvTn9J6P4Hj963_qKcGPiKZ}eB361_t__eQPN zz0q>)JDq#<*Y%`t1V{<}e;mFSKz5LEdeE=u`vU*}LSHa~?RxbEu1jBV2FyuM`hp4n zHkjqFUMcMh=6H|y-}VLbJoy^9z+Zm=x^{iR1)lt0*j_>H3ts0}7qKsa-lN+muQ`{i z;5AaN^UgPT=7->qz&F7gJo#hnCGaNC-@^WT@z59ig!e3y@(hLryT{srh5 zzAs|s?2G&rPr8@&MLgH;i+HZx7x8}YzKG}AeG%{X?u$4Q>x;BuJLc(&{5R0b)))C3 z(jC?GMI6cWMf$)O`RlhpJRb4Ne4kpfYj+GA??;Yfzr>R#c-#NP_J6YUMNYaUL{9Om z)8H7G;~82=qaz^2Va zyqCK#LOY50|5N%RZ-7g@=N9-Adpv@#Bmc;6|2OIX#FPIAdj)$H`)AnJgucicb@6&m zU&QMe|Pck9UveKSKJ%+Loj>V1n!w~l2ZZfO}>PKI`pp@n2< z8<~h(MJD3*kcrrjnTS1@kzb6~oJ{0<;52CE$wbUjCSrav5i^rf-G!>7(OR96!Wcb9 zWTLLci=@0riqD@P34H#%5S8vnrTYV`bU!NHk4pCkR=@thD&3Dt_p87A8P~2KmF^Gh zk$zOVAC>M$rTZgR>3&qYKVp^cN2U8CR_XqTRk}Z7mF`ES`y*DfezjP??Yr1kw*H7! zx<6u-?vGfd`y*z!KVp^chpYYw<%F?*RJvcS(a%_=`_)>ER_XqTRk}Z7mF`!|FZ~zVm;BWvA2jFmkk!}DE2jFl3 z4hP_H01gM>Z~zVm;BWvA2jFl34hP_H01gM>Z~zVm;BWvA2jFl34hP_H01gM>Z~zVm z;BWvAeXqet;Cl^(a5xBugK#(qhl6l92#14kI0%P>a5xBugK#(qhl6nF`w{d`I2?q- zK{y4WUItXweW_G=vrnp+!Sz(GXfRq}uscR-_@-&S+g4k}mZKJw^8$z9iP^Tf(X-M^Qx;1JDjT%CuhESv-6ln;J8j4mb20lXkbA-s}h-#-4BA+8f zK1Yarjs(_b-VHRO@rXzr&uB_m2dxD#s&=XKcTYeHpw4TEUJe-Z1{O?11ne zu>X-atnjO!Ih`ot2vNilMG<;ld@9F?V}>J24|CrJOF*rV9?!V&mC!nklmBeiNRFF3u3?a}#2pk3`?Czxqa!2BF8_VfFMLp`)5%^>L?I&xh&b!|LNsze0+AG)(XI{Udr( z{o43hr_-;8>DR;b>tXe4r@sIWf#31l=-0#Q*Z!@?mtpnml<;rCah{deUkE*39o&I~2{&()vo-c=Ofv` z^O0BU$Dn*~p8$)ANyR#Pg9X z^O3CjlR z^*Ez-AWOf?O6B|pk2P7ToNdoXvJu)6^O39+&s=#vl4U-URS&gIn?VD!XkZo%%rYOz zMm!(MMm!(MMm!(MG9Sq@AIUP7Wh0)CWEs)25zj}mjBDA5=OfvOqu(s^k*vma*TVCW ztaL!RGat!DJs-(3AIUNw$)c!P<|A1YHOqV?E3NR8o{wZv*DUjqEc1~pqhyx(NLK2h zT$qn!qgL9ilr|NN1m7*IL&IJ$HkBC9OXO?x5r`i zID8%_PB@N!9w$yXPMmO@S{#477BFy}IN>EU?IkqrB{c0NH0>oc?IkqrB{c0N>HKo= z5}NiBnl=g>qp&dw8>6r>3LB%aF$x=_urUf7qp&dw8>6r>3LB%aF$x=_urUf7qp&dw z8>6r>3LB%aF$x=_urUf7qp&dw8>6r>3LB%aF$x=_urUf7qp&dw8>eC8G;EyK2)i7d zmOd{E2eCb~J1wm?j)2EOM;fQ4+fMgBz0<_orvpcQr(xr?Mr1!T4SFBWX=$=?#R&7K zVg9sKOTUt8IsLzajyX@`k<)nObR$GBQzlV~*;pxZ> z>2u(#{MC`?Y4vWSqr21U-Nqk-H+kkZ=$YVYV(-&L-KSyrbkyVT>8MBB)3lJ&w2;&4 zeNL(HZ#7;UW2C%W_84E~#`r2XCZ1Eln7Hi`j$oVHF|q1&mw!y-o&Rb@8WV3qzR->F zg>Fo|Ipt~4-}lF0X$&65sP&jsPH&US`ALs`W2&$5D(L!-QI|35GNv{&q7=`A##9&m zR&~+ys)g-$%RWOdI72TuLoYZ(FE~T{KSTRJL(4xy%RfWQKSRquL(4xy%RfWQKSRqu zLz_QCYd=GLa)$Wi4DI|3?feYw{0!~<3@!W&E&L2E{0uGp3@!W&Ej&jAk|P4i5rO0= zd5#DqC*~W1oS5$sdR~yDMmcJfBLc}0f#irlazr3GB9I&rNR9|37dQgR1&%;+fg_L{ z5lD^*Bu502BLc}0f#irlazr3GB9I&rNR9|3M+A~10?849g65arM*X zV4QwBPCp%|pN`W{$JI~$SI^(a)kDt-J%1lp-y9Ko{ywhWXWR4larH9eHPAD!arF+P z=kMd{9kxAxA6M`2uRMPrr_GPk=Es@8kE^xo8Cv+bTDYE6OLod%`3-8lwo}-izmKc+ zI^Fa4akXCCp1+T)-5NcAA7}nP9`XErTrJS)p1+T)1={xfeH?8ZM;ph{#&NYP)f$By zXZ}7;TN-EnK8|LN({jdXIpegPapv#iY8!s@Kk;VI-^bN9oQvo0<7ykWe{RIrTGk>2Tx|krkm{4@F7);2g#zF9iYB3@II>ph& zMBou{B6taObTL76F%kH`045j{ClpsWeHwIJF+p50L0mCGTrojhF+p50L0mDRxI(`o zqL?6}m|(1&i2M)IzXLj=m{3Gv{9Diw#e^aXqoark@oaPyF+uz=A%>me_+f(hVIt!B z;6&s$_|Lp&9o#fB+D&^#7mR3v`M0-N!r^aIyQ-d zO%i!d(z+&5m`Su{5>=TbE}Ep}OfoJ{GA>UtE>AKpPoe{pM4o4vahzqwah7M!^2|BX z&yjwP^mC;9cEXXsw-XB0mQq50BhCkoQS+?&=G9JYdsRQLcH+N!MJTVa)#$#T*XU{V z{439@Z=O}(JgdHWv8UgvohTQz6QjQo=UMg5v+A2?)i=-TP(I?wA+OQFZ~HE`zdq#E zew^;F4|%m8l|&UfkOD%3GdQ-#n|nc_Pm|tG;>S&pfNXd9m&1 z-B0tZ`sUS^lp@B?3H^;YFWzkX>qDMZBi}GM68MHeAsiOqumFbzI4re9nb9+*X_RdmWt&FXrct(Olx>4;}c(_-6beVZ1;wmr9< zW~MMLZf$$UF-_l}M(d{0x@oj-n!Z1c;!UG?(+1Mc6LFb`iFVuw8`hB5W67y9nDw*e=3$5w?r4U4-o-Y!_j>2-`*2F2Z&Z zwu`V`gzX}17h$^y+eO$e!gdk1i?CgU?ILU!VY>+1Mc6LFb`iFVuw8`hB5W67y9nDw z*e=3$5w?r4U4-o-Y|ls^mV+7TgHZk2=pALV!QX3L=oR^*M_4Xzz9Nsv7H{W-9t~d+ zd$wQ4_Db?AinxqF0sjG9@iXirdWC&Nudt8k6|t?iiEZO&{G{0SlYfPs0@Gj{=zY1b zC{i+xg0J$t|HtPQ#WqH-GrXdBMyMFZ_)f6GPby+@%5Q-0R>~Z8pQG+`)P0V+ze@V6 zq`yk~tEA5pXU-F0&J$tI6JgGykn=>C^Td|(M33`CiSxvV^F)U8#Dw$2f%8Ot^Td1e zDBC=mHXkX7?fFO%^yn~86gN-&Hc#X>Ps}!tj?ELT%@e216P3*qmA!@s&r{~}l=(bm zK2Mp?Q|9xO`8;JlPnpkC=JS;KJY_ylna@+^^OX5KWj;@t&r{~}l=(bmK93ror_ARm z^LfgAo-&`O%;zcddCGjAGM}f+ufzQ7F#kGp?bkIDEeEe_Br;wX8?US6wr_xM8S&BU z_~>=!fUj$mar!CH>&CBZ9C6B7a0>Lw@arnA)4jU;y2cLM{x6l+HC`BhZe%v}IGGC(1mnick%6y43U!u&HDDx$aq52hNzC@WXQRYjO`4VNm6mgj^ zQRYjO`I30{uUzI!l=%{6zC@WXQRYjO`4VNmM42y9=1Y|M5@o)m5p6lRLchL3zrI4h zzCypgLchL3zrI4hzM?jx=hbG6?$=k;T8!@3SLoMQ=+{^1*H`G*SLoMQ=+{^1*H`G* zSJbZbTeT~r`}GyIE2I1M75eoR>7n23etm_0eT9B~g?@d7etm_0eMOq4C+XK$=+{@I zY3G8gj38GTL9VJ^i@{aZ$mm(mRdoI;I)7DVbBgDWSM@gIyM@>A={08Bq={0Y;czXlh-X#4^(%&TgP10{DJr&$gx)6`tkVkrCUzNvi;E@}u>4@wbq`&2K zy+P0G4aS3F<3_}*Pd8Y7y1|;#4Lo&2p3>XoDdTB=I|jNZ-jLUve%9|74@Rr>4S2YL z2XBZCr&~#GXnn@G#vA-!;Wy+*R{Y7Z zYPv*Cm#FEI+TOWfiJC4^(Y7ZYPv*Cm#FEITCCsWnl4e(C2G1vO_!+Y5;a|-rreSla7$)zlbYUC zO_ya`?Qc@ko2sd8tNl%S8TV-h+@~q@H^-awvYYg>o7Cbaz3irHp?UQtNttib%Wl%kZqmzc(LQg{K5tRxTa@`0Wxhq3Z&Bu3l=&8A zzC}yEMN7U#nQu|%Ta@`0Wxhq3Z&Bu3l=&8AzD1dDQRZ8e`4(lqMVW6==3A8c7G=Ig znQu|%Ta@`Hl=&x=`6ra*CzRx;r2mxkpOXI5x6}28#o(uU!(y<^NU_XFvCK%Z%t*1! zNU_XFq47{WFEdgs2OcSw87Y<-DV7;2mKiCQ87Y<-DV7;2mKiCQ87Y<-DV7;2mKiCQ z87Y<-DV7;2mKiCQ87Y<-DV7;2mKiCQ87Y<-DV7;2mKiCQ87Y<-DV7;2mKiBl=xZzV zwH3U%B5(EtEA+J$ytzVOTcNM5(AQSzYb*4%75dr=eQkxlwnAT9!OJW3wH5l>3Vm&b zzP5tLSLkai^tBcG+6sMbg}%0e_gCm^D|ml}zP3VNTcNM5(AQSzYb&&Y723cGeQkxl zwnAT9rKYRYbd{Q}Qqxsxx=Kw~sp%>;U8Sb0)O3}au2R!gYPw2ISE=bLHC?5qtJHLr znyymQRcg9QO;@SuDm7iDrmNI+m71Uw;3yMGgjVK9rXs)(daSaHg&wM+S&Ggs@sf}w;3yMGgjVKy_C*a zd7H8FHe=;&#>%&dXWk;7d5d`FE#jHCh-cm+o_ULS<}Koxw}@xnBA$7RcxFv+NCj(r z7hBVNWV5=s#(MjjX44Hy@prMcz^hwptU9i->bS;tu{FMnt?^xKjqhS>Dv96YojGf? zs5QQetp)xrw#Ij{wZLm!Ybvdu^v;~Mz~4C5#JqoX5!*X+*5n1JcxTR<+NAOSC+Ype zqq^>M-kM<`h*sMn4xTroA$!D6RTPugod(T&$S( zOl*>0f>r^s`$qBQTb`MFq;=VC>kixqh;R^+)@ zQEcm9V%vC+&&G4HA~Uf?+DMV-Vnv=B6jdWWvd8D-xmc0sVnv>d6`8XwN?ksWBad6=|VGo{JR&ugod( zT&$=ztNZ1-STUgX1Fy^}GD}>Ps(m)EGcQWpPWw%PqT0Cs<&`-_wQ-{(hoaiJ(_WcV zl>UugnNwswxu~|_Gk9fAQ7yu0k7bHH7b|Ke#QA_GXwHoK68J=zwH8d6>**-&Qs)BNl|T9XW&^$Q7zYLM|4FTsmODaqFSQvi|1lR=EI9> z-9FMQbBb!?PJ3leQLS}PxktP{|xK`J;T4mmqM3PyGic>{r2%vYA@)K z=~C*Sz|VtU03QPnfPQ&OOapbp1pC#?q zx0E_Z`rD*E|ID7?La%UOPjI1oF7^Z$di@N0f(!kGWhrItEv5b)^q74q<%oSrUt%%( zOQB0CNAFAeMwZdDD@*Ar(C;%YrE5UXtFXhk(6cM-GcH_3y3S?sH5>LESK2FWmeTJ4 z-vu^+tzaA24t9W@;734zDRhZ1g)XK4D`);F`RFQ*u4pMsw3H>j6uP7@ljvW3DRhZ% z>9FIua_;tj`BLZ-UkY8y_)DQn`XZLDnJN{iV<)z7)EoFJd|UA@Vy&f0(qt6uOkTmGo`kI&eL>0o({~0%=ox3y6K# z_1~@B#UJqNACmqf(tk{v_LZT1WoTa++E<45#g{^tGN0hcF8=jN(sz;mbJCw8{b|yF zLHaLA{}t(9bNGLf^BM5Jf%kxZ3ctjcLbd06>QB~BL*>mEQJtt0$f%cp@ zl?UxPamvpzV>~CubK;aeC&qK)lszZLbK;aeCr;UO;*>on#&hD7Jtt1tbK;aeCr;UO zVmv2K*>mEQJtyYt#4(-|>$`l;x97yENzk4Xr~J%4#&cpkC&qK)lszZLb7DLv#&cpk zC&qJPJSWC;V!los<2iBKo)f3Nc0I;(;&d%(drq9T=frqUoW6;)JtxL<;I#{3(tx1oEXoE@thdXiSeA6uM@`^drq9O=fr%kEY8?-;*32f z&e(I}j6Emj>%=i%CywW37(VSISEH5cus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPe zg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=n zBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeLY$M}ISFx2g6AZ7PJ-tocus=nBzR7O z=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=On~A37(VSISHPV z;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSIZ4`{li)cCo|E7?32{z> z=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-to zcus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPe zg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nB*Zxho|E7?37(VSISHPV;5iAN zli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?37%8I zb1HaF1<$GAITf6wg6CB5oC=;(vF8LS9l1xS86Kg&h%S6DX+@h#zaNx)E3H^jxVbVY z{IB3g!QThv&&t3~c?&sPN&f-qKP3G}r2m-o$3WVhyvYBe-N}ob{xgpJ1nDl)pCo-3 z=|3m^Dbln`d6DlC4*eBkrGL$#zVxN^XTbjk>MO*`(N~Ct`U-K7wigLC<`OFY5i0%> z+F{c6BB8z_CDfQpXfFyfpGD=)ViOVQ)86_^G#ATGYj1reo;xbBH zMv2QPaTz5pqr_#DxQr5)QDT++{QjWId;AH12V4(sNUc`RX5Ckn{Ctn_qu}p@TU3u# z_<0q6UZoh)$Jo!S6hk^~Kd({@X|$hLDTZ`ekAS;D%}6V!57dmb(oazCmpH>Pr5^^5 zfabhPE^T}o)OS3TJ`R2v{0jIC_|Kr;hte_Qpx(b$`m5mcpk2C3@uAT!U4=_m$)$Zg z6O{5Y=~qZ==2`i#lKvKFcpdyUs5xi-`mf;kK|QTd&LnsqoC1Fe{yQa3gEQbI(5_pB z>sH~qRk&`I{8nd^(;Dl*n?Sp374BLkcXe9d)f8$sWTAEr720X5aM~)Iwn{OcbL_NL z{@%OrHjZ59TF@8hjoJrUh!W(qVqPBW($PR#dt560m*Cyte+U1bBOj2?tMmmtV=p=S zN}l=Du`2zK;Qs<22M==%deWp{_3oRHT28yKtkV3p z^QjBXZ#(^O90T*3-}dpp0DlSoin275ulyw#h{43D{!l#7gH)*p(J|^lbXDp*bRPPS zs^A{d+xc||_)z7Fe%(pFBbKVbu}YO@!j1m`o&-^;o>@3w&%cEFijnZgz862C5ZcYE z{G3AQ9=u9(=04uNc2!`PtJ3_rbMzcac-`n{3PP=N5$atVp?kwBJx4IEBIoU-e-qR@ zddk0=!@UNjo>D5Gq?r(1MrVPd`Uf>kJnc>g^mHL z6k{7d1^xv{ZPJTXW!#HZ(Ti32Tlz}77ptNdtD+aH%51YLGWUZ!K<&P&-ph^};;12x z8m8>1Vakpg;;12x8sey7%B?BXsC+``2sy-2)eDkuM-6e*5JwGh)DTAvanuk;4HX-^ zTsvxrqlSu&owlQf8gaW6J8GyAx6zIoYQ$}{qlP$Ys1di1JPz7XL&d#DJ8GyAx6y4a z#8E@Vy-wRvLyfqNcGM6@4RO>EM-6e*5JwGDcGOUDugkTghB#`dv9`}(M-4T;Ho6su zIBKZ))@eIxh@*yzZ=H6#4i(=T?Wmzf(?&aLs1dZ$jvC^qA&wg2s3DFT;;12x8fv7h z^Q7&lA&wg2s3DFT;;12x8sexSjvC^qA&wg2s3DFT;;5l^7E&$Xs3DFT;;12x8sexS zjvC^qA&wfR?Wm!?GHSG=hWe)Hq|lBU;;5m&BdW9=HB8%4LmV|s+fhS(N7QIX4byhi zFl|Q-anvwvM-9_<)G%#F4gKt1Xh#ik)DTAvanuk;4RO>EM-BDF&_~))LmV|s+fhS3 z6L(p5)DTAvHLI#tpm{7IjvC^qA&wg2s3DFT;;12x8U}XMFtDSBfgLr(QNzHF8sexS zjvC^qp`I-|AC=;$A&wg2s3DFT;;12x8sexSjvC^qA&wg2s3DFT;;12x8sexSjvC^q zA&wg2s3DFT>KUc3LC+|ScGM6@4K=>dUEru8jvC^qq2@ZAZ$}L^*Wt7sHPraRId;@g z;|r(lsG;UMoVKHe8eceVM-4T;aN3RXgS>)hUmvs#6{-Rcp4vsGT5$nk5$gj>@V|`Ch71zL#pv z3HX?Q0zVIGC4+Jv0}p_M;1Fjx2p$5z2tL7iUgMav;5ksM3v`}0z@LE^z>7wWi;Y@= zDO?4v2Hh`IE2=lX-{((jZd~|5P|x6$_FPJJ+H)z@+6_T>k#-$bdoKy0XH=@wpHU4~ z>zl(yeWPBuonLqGYY*wa1NU&ALmcx2zaAy+If`nn#xd$UNJ6c(5PrS#DWRRYS|bbp zI?Z{0eP2tYV=yrWDbRguwMNrAKKS2VqSmfB{h-el^pf7iF*$HIIelP1H~{VkkGXV> zVtj_@z*C^Up`;wov{dVj7?-GTC<$L6|3&g&qQtL}&%FfSApHvXD)(NNc={vx!;2(m241Ns!IQXaFCqU0X zRBL|E_-PRKGO(BVKg?m~{{sJS@V|rq1N>`n8`pC`xC8v0t|ub)h=@HRVvmT}BO>;Q zh&>`=kBHbKBKC-gJtAU{h}c6TbDc9{G#3$jM8qBuu}4Jg5fOVt#2yi`M?~xq5qm_$ z9ucueMC=g}dql(@5wS-^>=6-rM8qBuu}4Jg5oylN*WlPABKC-gJtAU{h}a_{_K1i* zB4Uq-*drqLh=@HRVvmT}BO>;Qh&>`=kBHbKBKC-gJtAU{h}a_{_K1i*B4Uq-*drqL zh=@HRVvmT}BO>;Qh&>`=kBHbKBKC-gJtAU{h}a_{_K1i*B4Uq-*drqLh=@HRVvmT} zBO>;Qh&>`=kBHbKBKC-gJtAU{h}a_{_K1i*B4Q8irDL5Cdql(@5wS-^>=6-rM8qBu zu}4Jg5fOVt#2yi`M?~xq5qm_$9ucueMC=g}dql(@5wS-^>=6-rM8qBuu}4Jg5fOVt z#2yi`M?~xq5qm_$9ucueMC=g}dql(@5wS-^>=6-rM8qBuu}4Jg5fOVt#2yi`M?~xq z5qm_$9ucueMC=g}dql(@5wS-^>=6-rM8qBuu}4Jg5fOVt#2yi`M?~xq5qm_$9ucue zMC=g}dql(@5wS-^>=6-rM8qBuu}4Jg5fOVt#2yi`M?~xq5qm_$9ucueMC=g}dql(@ z5wS-^>=6-rM8qBuu}4Jg5fOVt#2yi`M?~xq5qm_$9ucueMC=g}dql(@5wS-^>=6-r zM8qBuu}4Jg5fOVt#2yi`M?~xq5qm_$9ucueMC=g}dql(@5wS-^>=6-rM8qBuu}4Jg z5fOVt#2yi`M?~xq5qm_$9ucueMC=g}dql(@5wS-^>=6-rM8qBuu}7BJBTMX&CHBY? zdt`|{vcw))Vvj7bN0!(lOYD&)_Q>i<=wOi5lTf2$kF1`A8XbFNQ;t2dDaRh!lw*%< z%CSc_<=7*urvN_2u}4-j|3=3iSz?c@X78PL?2%2mkIoW%WQjep#2(qSV~?z66tyD- zu}7BJBTMX&CHBas9eZSnJ+j0eSz?bYu}7BJBTMX&CHBY?dt`|{vcw+Qv}2EK+ObDA z?bsumcI=VWyrs)^?2*;%rPGc*vcw))Vvj7bN0!(lOYD&)_Q(=@WYfRCFUKBP?Vn|I z@0=y}$ZDqsr`>yIi9NE!9$8|KEU`yc@7Ven#~#_hu}3y=?2!!|dt?L09@)ULM^-ba zx9?2#q*$P#;GHHYsU#~xW?k1VlAHsjbMn{n)s%{cbR zW*mEDGmbs78OI*kjAM_iW|FnjiS#fj+^#WNgES!YJ{rNtQ`$8^sQm(hj|YB!^l{DS zPXu==e~-{JQFp4}G5#fZH~1Ny?N0SR&Ud+YN@Mz0`fqg3JJlZz3Lj9^dZ+i-5IzV# z1UlxtlfLOr^-VrT`=JQ?K<$U3wDv<0y58?p-(>t8_>bWK%dh{7^yf)yKNKBv0DPSM zLDEA;-IuOY_hr<&!JtcT4csr(YF?qAmUhWQjM~pm=s3SiPGa;Zrb`|&DqIhG{L;lU z%`SO}kMT3jF7Ib2^fS#ad5F=^G`sMME}j^6$t#@Wr-WTRAME0JUl&jMx_HLdC9lx0 z@(QD$+;zz-jDA|zg;#Xp68q3ujoJqqY54sXO$1>aS9t06&@fjM8_3e-3^Me94$@@-gXV@VCh+gKrsw zTb&<#1pGAk7skwI{cGkQNdKeoZk6~M;U_?scsC{9opOnHr(ELQDVKP+N;EcuF7a-y zZ8W;XyH%p`BjBgOzc5nb-73-Pe-z#W!}q}OJurL^4BrdG_rmbK^7$*ly^7){h5Cwx zP%8$7$H7tX1o#}kj*<2=mwVGMkbVjLI`}fjyb5YXpN{zzpEhBS1g35Ipzh@T#3J{pnSKcdlkzW^^F4I4@heb zq0&>}PeDH`zc+Z3V-~-n!04^Ikz2wpS73A=YGy@QG% ze>W(68@R?t@{Dquu6a+eP1h{+J3&IvOKeO3RA=7icX@<*OIPSPVVmDF3%2Q+b-b?G z=)Pl{--Qu+c63|tDEK7kd4_HD?AwB`^55sdGyLkFeVgAh6KaL3@SEg&ZN@ggZz9xN zy28t(e*qRbgJ+w!1u;-p&ePBO00PY8$15bfp1HS>j0=^1bIiFPoVw?l#!NjOhhH(YxKH{^wPUB6&?W&Rc zh3?n3OGSgiqoC)JwsXzfr6uRT3|dRuxr^FQK9?m?ScEa z?ZFT@0(v#hcEx7ScRaQorEMo3+fF>TT}tyY=54!_=Cm2uuD0y7dDyOa%xSN&*)9bd z&Bk_rPg^(xzD2&-*q+INH7?O_{0ZMi+MH}xJJlJ`>JFIM0W&)^R-FuXXq0N40XNcQ6j!p>e2ltm+-8dWXiOPVWWx zf!6sBjZBT!`3{Xwo&IOgGif`ddFMP2TJ1Z;m`nc#XtnR~`-Z|FlJhgtS3x_^4vkEW z*8GmZn%{xucPNfkT4PoHs!^(OrP|{TY03C@ay)ysLu1v+pd0qOVXqrqb)&0p#t7Z$ zsvBK(qpNOKK6In2ZgkZRW8E;;jjp=oSA#(}y6Q$(-RPS3T&e2VM1`s~&XKgRXkeRgdO6CW9XQvj<)EpsOBq)q}2j@X{W1)q}2j#M_|$ zWnJ~4s~%jm2VM1`s~*jM_{`Q-k7hiK)>RL>>OogM=&A=@^`NUBbk&2ddeBu5y6VAE zd(hS2h~X>2--z2Q!QYYoJJJsjy*xmF`T)J>14I-LNG(@_2c#CGBZLQt5FXHfCxZv{ z-^t)X{r7%htx+-0gz&gr>p{(2Iqm4;LHg(i>7yUiOqBkmQgpmZF>d$q^wbY3y3p~8 zE_}>+@~6O`8s)}D_rDJ+LeP=)=?^M4aN0flLsG~Up=02O=p`SLDxCf)=w9+6slquI z!5c;?!RToDq2Ng$quO+O9CQ!(km}AkUjx4Zy4QP1wdQ>HdJn0NoYs3-!Wc}9^mh-@ z-#w%{a*p1^60Q~Y!hbLP_o}@shv>0at={RUb>?28$6m4O^a;?>W3L!?j-$t3qQ_o; zl}qWbgN`11{Z%fZqsLy=g3-}qFLm8ZUH1|__7Xkz5 zd4-E*eiwT3kWD=Ckok#LUy8% zohW1{anw!}vJ-{ulvn6qC}bxJ*@;4SqL7^^WM^Q7>_j0uQOHiUZvV>)*@;4SqL7^^ zWG4#Qi9&X&73)Y8vJ-{uL?Js-$W9dEohA1K-dR$p=;(^@u$*Ll=K+*Resg` zjLP>4+g<5zk=EB-m3GV8B@H<39(fnexeK@4rMq^H``=yunyb*g@Gi|E`)vA}t59Ea z4ZN?Vu0+Z)x<}rns7%L5MYCnI4tY06d)jv$De;9{+7>9fqhkTf}`7mwsVZ8BST=8KX?_sq>=9ID8niX5uQp^BV(+Xq>=9ID8niX5uQ zp^6-RaSm1FP(=<^mZASNKeY!Rw z*Vf0i_0gmC=?b0i`H(((v_5*YK6!U~OqettbN9&_U>!U~OqettbN9$8Otbfs?_0gmC z(WCXzqxI3F^@(AXLXXx*kJcx)^&KC2w7v9bd+E{k(xdIAN83w}wwE4lFFo2`dbGXt zXnX0=_R^#6rAOOKkG7W{Z7)6AUV5~>^k{qO(e|pns9buqz4T~%>CyJmqwS?f+e?qO zmmX~|J=$J+w7v9b{V1d#h4iD4eiYJ=Li$liKMLtbA^j+%ABFUzkbV@>k3#xUNIwec zM^`D5M{S^rMh|6w;4E`cX(f3h757{V1d#h4iD4 zeiYJ=Li$liKMLtbA^j+%ABFT2^Yo*TeiYJ=Li$liKMLtbA^j+%ABFUzkbV@>k3#xU zNIwecM_Z{@P{=+MvJZvqLm~T6$UYRZ4~6VQA^T9sJ`}PKh3rEi`%uU}6tWM6>_Z{!0UfXh zbTEKI22jWV3K>8l11Mwwg$$sO0TeQTLIzOC016pEAp@+Rhu2wmKLIzOC016pEApppXF+GJrw` zP{;rZ89*TeC}aSI44{w!6f%H922jWV3K>8l11Mwwg$$sO0TeQTLIzOC016pEApwz?rPVx2t9ca9e-zJu6wiMY&)?6i-F{~6_NPzlzx$b~ z*iZbhpIN*8%-Zc&zpr1_;~PC|w_m-y(X)2@)u$UhYqy_%d_Vp8e){qK^x*rYF8?|U zde&~g`eLK!6ZSJ}x1U+N{nC|legnKo_<4U3J@~x8h#q{NUq8>UU!aYAfj065l>Y^k z@13|u1MkEwlny6_M?udOKPE*PUnb`#pl9|T(;1YnGZ;Nr{FpQ|A@p4FW73I_@l4BO zQj34}T=8SljDPi9@ncepb6x~JSNxbXWAt3{W2$SR>UU7+x#GuEr#fD3XHpT8=ZX*L znuWCY18VPsN_(#O0PX#N>Sa`E&lMkFKIDL|S;y;|jeqU)1fEqp!0g8X<~k1G0|#{F z`j@WR=(*wpn%^*b9CSd}?0nA^A5h&HJ$rUQahK6!q64Zy=X=zAAn=IefLy|7@Vwap zxrEVk#RqVS1GvNi)tAn!`Z9XP>~Ze_B&;>cANB}+ZI8SYjr9>kvqsf$7Uc@Tdd#GeP@e^C7EJn%n=KM&&1gZT3x{yYftgD^jcKM&&1gZT51 z9AhvT@|To^9`y`q&-oUiX97o)sV5SL@?Ia)L(bpw>)(_1v;HC6bx30? zpTQnGq_LILcG@A0t(>;s4ry%Vv|V=y*B#Q>$~k_rKP2Z+E$Ay}PJa>foY+wCCD5~c zL;A{@@oA1c27ZMc&-)DpCqO&-kVa=dv;BNXqcf-Vtuvv$Vkmfl^w+qrZ-6iJUytR7 z;^;nf|<|Y9%@KqL+7tCGa4Z}{Z7zcaZv4ULg@L=gK{&Y z$L|N_X-<1q=V03NX$Pfqquuo&WA=m6r;br?Zp?!B_*d!5Ii9OI$awr9Bk_Zb!4ER- zKFBEhAmi(U;@ro3&g3BD;)9Hc4>A@$$oTglBj1C%I~~br_aLL)gL1ry;E){87#Y>8 z8izH{b4Y!w)1J>fMBjQyeXG;%TMrRS9FhkrE%#Ht+|TG9_7FYnA$r(D>S3LKoFhG^ zJ46qANIk6oTL51m-#zRhMP)w2*GRjcJw()Th~D;)6y;;w=N=-)I7DQ1NVTam6JH%t zojSb+bT9lx?(vJ<;}^NwFLJeCL<3($1MFNMJV8vt{`E>bcJlu96GGp$cd;K8`mWi_ zUid##zbAZ19?rh@LbrGJwHLaLv#-6-G1U|B!0z@+yCpsW8&9ZraN0e!ce*#e;&SP) zpHRDV+P(G@V!*$;b+GHb&@IBd-YcIwVyAnht>Gt#L!Oi}uLMs@lg26V4bU_2PfD4_ zUmE3m#+{(PWUlmHP~VGF`X9iP;6H<&hkueD?MYpm(?0{Rf}Ra{Qff4Me)UOd(wGGu z6Fv$5PfD52|4rdj#K2Dx13yK?`xFuHQ$+hu5$!)kRR0uF{ZnY*DQf>q-Vq=ertcf3 zHizlshN;bAYIB&{9Hushsm)=c;$doYnA#l1!-uKOVSIa-+8oBKhpEkBYIB%4d6?Q9 zrZ$JE&0%VDnA#ksHixOrVQO=j+8m}fhpEkBTyB`!9Hushsm)>d8KyResm;UG=3#2{ zFtvGD4s#_qOk{GH+B{5c9;P-AQ=5n7Cpw1OJS;zP+O>IDeqwZO9wt6HOl=;fHV;#q zhvhB))wOw;+B{5c9;P-AQ=5mm+QVG!VQTX*wRwcPI6^HPp%#uX9y!7o@CZ(F1pbdO zraJ=jM_~R4%pZaIBQSpi=8wSn5ja1>IPM6JafH#_5ncaea73IB3jI|52&1_px+CYi z?HqyaBd~o$e&U?O$e85_W0oV_(Gl+G2>c)M9#6qheEuj7e-wv5io+k}UXF_YNgd-E z`=iXh9>vd(;^#;4^P~9rQSt9%PJ*6AKgwMk<@%4JmZRw8C|7iyBLB05%?d0{}K2f;Vwqte+2$V;C}@EN8o=1{@Keu zU>AF#d)TMp|7q@pUF?-({@I~k=>GI+__$!=KpEVH6nZ@M4C5*Gc~{!wsb?5ZdAIjHN_#xz z-QJB~^}ncPc6(Ra@xwEWr@ZI8(~gW=kEht@UFh)?`@9Q1p7K8LMvtew!@JSrsb|t2PkC>5|JUOw z@9^#%kEguDyVD*|d53qWJ)ZJD?@oI>^-S91Dev&EvoW6X4)0ETJmnqUjUG>Vhj$<8 z@s#&=ciQ7A@9pkmJf8C2?*7%|DevuW>?OzJDfV+0dOXE`?m~~J*w0<)@f7>H3mtKJ zCwJ#~JoOCYDevd*w8vBI=PvYk%KN!H$8qm7jHjLnJf8Bd?#>wnJ)UA$ccI5q?CLJ` zc#2)!g&t2m!+454+?Dot%6qu`zaCF{4|k_Mp7I{QWi((XnXRgDtuj54YkCFU8G+OGtoQoGTy>!`G9^r%YT%h5IH%Qv8P zsJBRcesnlWL^R4cYm~T1&(Qo|smSQKXjGapIxZSj%^E$<8WqD%I~E!x78(_AN)rW* z5(SMi&KlL7I^WUkDC4YWHtm&)&uX0Y`@*lQ9-q}X%Q-(0 zGtc6v&!#UrEsxTFy`-T33&9fS3>0gRSedL(WrdZVJJoyFi1@J}kU*ZfN zXFaQ4!)J5U^sMwbA++~CD}6fc9`IT9AU?(s)U)a@oOZnQtYUAKrP^0niol)z4bonP z_^jg9(cpyc{eGd>XP(e~4GO)&;e_r>Y2BCdbzjE6c7EX5&J)abo?y1~gzn2ndYfvWBHtFVN!S$^f>o9W{;m^ zl<^#+jOUmieolPqS4JGqG2(cRIpOCRcRa_q<2h!1PtvEHq)$1?EZIrjulDm`{_tel zGhHWj@6Pf3;YsEXPtyCGr1v?={NYL6uYT428to@1b*D~yv~^NqPT_T@sF71dAg72xP7#5eqK-}xdz>Qn zIE9~_!cR^SdyL5+_Gre+>Kc0(gV7Es`!7<%c@I{Lr`z^s1pT`JwS1pH2O;k95C0MjISc@9Z3}BN~%i`p6z~ z{ucau@FCE>^O(HUN4n*X(Q?O7%b48N`F-T?CEZVYAL#+okAm*6$K<^}{tKMhZzGPW zr#3#xukNYG)Kfdh&N+tTjj4}zn%dW#r_-ME9FvFpY@TTulao8`InOb?aZFBPPM!zd z%Er{noa0&0F{#&RHy$IF9+S8D3?5OA$zhy!8yxfg4njwCW9li))xVNPKhnJO(TsX+ z{|lX{*LGU_I|$u=$Cw2j(^DALxcYAY>sO#htYhkTe5B_>$JF~c?U|o3^+8U1E_6%| z;OqCBP-AicqkHo)@9!WCz$zb!8;q&N>A&i~jCSBL^sfW9rR~t9)PH-$Ce^ zr7`t!KGF_9rk>7euc{hTf43(Xr#By`Hy@`rAE!4Tr#By`Hy@`rAE!4TS4+7PjMJNs z)0>aen~&3*kJFov6IG7Wn~&3*kJFov)0>aen~&3*kJFov)0>aen~&3*kJFov)0>ae zn~&3*kJFov)0>aen~&3*kJFov)0>aen~&3*=kcOEE|kZG@{9}ej0p0K2=a2F(IAhn z=5e7sV}X47EcqS_Iga!5#QAyR{5)}fp4dK5Y@a8#&lA<> z1W`BI3{E5W`hu7oPZ=+#pN+Ejry zRiI53Xj28+RDm{CpiLEMQw7>ofi_j3O%>F$PXqofi_j3O%-TU z1=>`BHdUZa6=+ih+EjryRbVt-piLEMQw7>ofi_j3O%-TU1=>`BHdSCWU7$@BXj28+ zRDscSfi_j3O%-TU1=>`BHdUZa6=+ih+EjryRiI53Xj28+RDm{CpiLEMQw7>ofi_j3 zO%-TU1=>`BHdUZa6=+ih+EjryRiI53Xj28+RDm{CpiLEMQw7>ofi_j3O%-TU1=>`B zHdUZa6=+ih+EjryRiI53Xj28+RDm{CpiLEMQw2uB1=>`BHdUZa6=+ih+EjryRiI53 zXj28+RDm{CpiLEMQw7>ofi_j3O%-TU1=>`BHdUZa6=+ih+EjryRiI53Xj28+RDm{C zpiLEMQw7>ofi_j3O%-TU1tQo2ZK^<UrAK^R%hwX;aVBrkom1|TJe?BFM{^Z)7158 zMwh2m*Z$R`%hQb1PE)6+;r}$upN8|(uzeaPPs8MCcss4AV=_2HEOCY?;tWy58KQ_Y zx}z)l)iVQU)b51D31^59&Pe~x@p%7?G;j2H|BO^>^mzY_^l9`s>x{0==&}D9qJ=X= z3ulNH&gcr2Pt0(JnBfdpdxon$L*#IV$l(QQ;RWU)U*MP*IOavhj4v`~e36mhi;M(c z;`o<1{w0ooiQ~V<@n7TkuW|g>IDSI;6TyV?g^X<{(nrP8gyt6Z2>mQ|f)TFv6DHqp z;!MDmc5Nl+hI4dIok8a``gyKa@srMhUNJR6jVns^nW<~_Z|V``zMxl3O;Gz2nw|C; z%;$vW8Jsq&6PizO+T2bsZk=GESgLNg5h)!a^Kl&v%jOlYj_v}c(n7;#UagqL;i zgTc$XcOiH8vc_MNO8dTE)+k%3`_iwvFQXOvGFSd`;Bn&18U+}w*q3!Z#w9Q|s`OEz z$DS`!;wxfxGI)i#f>)R;ctvbD$M0voA|8aga^u^C-=x;QNv(a8TKguo_A2LjmGivH zd0yo_uX3JOInS${=T*-08s~Y9^Ss7+UgJDxY3XNa<7a8(XVu0hgR?wkIICJ#n$~@m zrwnIl*Jo+hXKB}GY1e0I*Jo+hXKB%AY0+nS%5YZo=<|FX^nB4-Mn-2D6P@KL!&%j- z^F3xcOItomTRy8gbxvYrq<@x?{#k1FEOmO8)_oQ~d|j=3GI(9B+vuk}ud8(%eJ`)8 zbsPPZ=XJGiqo4A;uGVeb3;KPQ*VVd>e#-W`TDQ@6@w#+qv=_aO3%$;jzpj?Lx?1;SaE{h@j@EZhE%!6QIcoMCwQ!EscTUQjP`M+JME_r z=V*iHxa)JY!E@aEIo$Xh44lJ_&%whv+U7afI7dr7$Gx9pzU!RoOXp

    zr!M>9xXd zb6?-4ly7tXZ*zuk^WX2_X5YchzC(?FhZ_Gbdj2kY{w{j{E_(hR$A6FGzsK?4eobPsbo_BlC^KS2X)t&RL z+w;8JdtNoD65;2(YS3wW>3Mmnj>Or13}Ziru^+?Ok6~;I#-?Cw3dW{jYzoGvU~CG; zreJIe#-?Cw3dW{jYzoGvU~CG;reJIe#-?~1dWyH9rvfuJ#mx2;j7`DV6pT&5*c6OS z!PpdxO~Kd{j7`DV6pT&5*c6OS!PpdxO~Kd{j7`DV6pT&5*c6OS!PpdxO~Kd{j7`DV zPhjjPF!mD|`w5J_LH--$zd`;Rij3+?9tuvjr8%(P%CWP*Pr&(t^jsH)pMtsbxphsuZY4^O-M3U1)lG8+z z(;8Fgzr>T%thAq|znG?nnx==EW-ab?@RZM>+A(^De40LMnm%hf@am~))r)_9iL`r- z>EJB*9nfRIX?l%mMe_dDK0mGK-RKp()2y_gW~Kc!EA6LQX+O24 z@u+FsXdoCpjK(UZ8d^P&*fx`@JB=DqoR<(Q~#Jq+X{zSARiKgphi? zKz&_cPV$13>3q-CUkDr(T#yc(cFc1@+B15d@PhQ_^kvdT(o0|rI@-CwT>S-R=PpQf z&hcFR1u5-HFoQy7P{<4lnL!~lC}akO%xJtk8O)%N85A;;wnAo5$P5aZK_N3JWCn%I zppY39GQ(J728GO^kQo#*gFPLN20^izwtG3b}|vE~1c&DC8mv zxrjn8qL7OyPLM{>&UnDBNNK|}LzH}wHh(a!+kc%kfA_}>P zLM{;pULp>>L>zbtXTC%&U&4(q5eHtP)-DkTUJ7=L?MuXgmxu!|5eHr(4!lGhc!@ah z5;b)RcfCY?UBX>2;jWi(*GtsbCEbh9={WEbao{E5z)RG~B|P>Lao{E5z)N`SCEWEA zao{E5z{|vemx%)}69-;SzoBzp=3Xun2VN!)yi6Q;nK3HJ6%fx|~ zi32Zl7niyI%Yoy-%fvsIx$?`zftQH`FKfi-UmXWt=E^S<2VN!)ysS~4@`(fAq=mjo z3w@JT^Cqq4OC}bXm%%hNb6f%!O=26Hz z3YkYC^C)BC}bXm%%hNb6f%!O=26Hz3YkYC^C)BLT;dt8z|%k3b}zoZlI7GDC7nTxq(7%ppY9V zLT;dt8z|%k3b}zoZlI7GDC7nTxq(6!rI0 zJ)A}2y+yu!vM9~?U;ZA>qLia6k#dap_;|&-Dp4xZ^+-iJQW39nJX^RJ>?Z9w!$n2E z&iBmWqGDjD9XBp25_Z~OK3OD&T-38Lm*wx_EGjm3zGoK~6(KwAImSh?ZS-8tqGDsC z*L*H2LU!6~J{P4raV6FHsvIpZN_DWrR^TvQb8GkZ>QQL(hsjz||3Q9JFp zbW!ysR79P&xsC7{~^shJT*CMUHNUJZZZB7P7 z)r-+37HOMB+GbIFI>+<0MV;Arv#^9JN~ofQDoUuLgepp?q9lJ93`!cOToGCoB~(#D z6(yBBsvMuWgepp?qJ%0+sG@`_N~og5_i#$6qJ%0+sG@`_N~ofQDoUuLgepp?qJ%0+ zsG@`_N~og52%>~4N~ofQDoUuLgepp?qJ%0+sG@`_N~ofQDoUuLgepp?qJ%0+sG@`_ zN~ofQDoUuLgepp?qJ%0+sG@`_N~ofQDoUuLgepp?qJ%0+sG@`_N~ofQDoUuLgepp? zqJ%0+sG@`_N~ofQDoUtg2~{kiiX~LBgesO$#S*GmLKRD>VhL3&p^7C`QAQPIR8dA1 zWmHi{6=hUWMipgLQAQPIR8dA1WmHi{6=hUWMipgLQAQPIR8dA1WmHi{6=hUWMipgL zQAQPIR8dA1WmHi{6=hUWMipgLQAQPIR8dA1WmHi{6=hUWMipgLQAQPIR8dA1WmHi{ z6=hUWMipgLQAQPIR8dA1WmHi{6=hUWMipgLQAQPIR8dA1WmHi{6=hUWMipgLQAQPI zR8dA1WmHi{6=hUWMipgLQAQPIR8dA1WmHi{6=hTrqly?+#Hb=h6)~!aQALa@VpI{M ziWpVIsKWa`?+Gfb>h$iPWw_UXemZh3Dia6;^dt zbR|BIS9MnCNh|4p<#?~^tfajvuafqhc|}+2BfYA#lJ*L{iWKF4c~xgc>p+Zl#)fv62v%;#*iu!0D=~bPTv{!Xj(rUe#HVN_`%$ z^s7jvPJ2~nMeG^9sUe#IA8WN*dbykR2D!hMD2^=|8Sk+lk45RzidJ^Y2il_u$ z)mc#s^4Ywqv!WK{v{!XjSk+lk%;SG~RcA%dzl@%btpq4Ut;}ces?JK_XF3(;tSV}2 zK7&_vR@By<_H1p1Rh<>uT}8SzS6+Gh-FCQy)3UkzUnVVV10-cIvdBTvrsE`Ch!Lv!d9{=vAE+twJ$+RcD1b ztwNkup6IMmRh<>ucttHy_rJcc&d2RMcAc zWW4wKpis|@go-FKDYdl;p=R=hKP3Hcr1g%5a^3*75<_XN#1QHojZDg`I)!>iL%0mo zI~q!BHJb1qA1QtMNWF)kehEj((K=71 zwTeI}UlPifgo<*7`jUoFE7OEpD=1XdCsfoY{1=XwJ1MP|pF*wt6l&$CP#P0z<)=_< z2!;Q~zqImGX}$R+)SF*ItsWH0k%U_RDU>4#wf<8$18V)J(pvv1lotv0=9lmn{8#Hg zmDU?WLcRGV{1s`fDpY!&wBGzudV#dw{8CzPeq}P$W`^3#P@5Tfk^V((W>lLxn^&(1 z?{&Fey(Zjl4pqxOvWFbK`K7ep{1WQTFQHsWs5ifaavq`H{1VD}gnIK!s1>0?z4;}S z^9bcRLcRGV)QV7{zN8`4n_oh``6YakW4;9H%`fE~1@$EjrS;~Q@GInKji}OEBPx{t z2=(TdQ2ry-n_oh$Di_Lag!+<(P;MiX+X%I4RH#vaP@@2$Mgc;N0)%oKA=;4J_-tAU zEYzD{LiAv_Q5p@%ZOofikP7wYmr!qh3FS7z{{X2+uWD0{X5fW-^Ghh75o*LF)JjpI z-ux2EXM}Q&>ssGPS!2VXYBAS>_l|Y5U1C$9O`G2Zb6B3N;cGYVC*6ezHt@ zGiE`J`;@kOEOX>0)c8)g7u1+eX{`wnYSbpwcui>cSmp>ysBxB1;~k;KR+(jvk%Ssa z3GE)s91#h%_Csj*SdL39_c{cn?FP$ngXQ?Za>WnM(W-3WMW<;C%e~f4>4)S(%TfDs zbiN#gFGt(UQT1|Ey<9z`|7#sCM}f=L>pA@*sI_)VYpt?SZ*mF0Nxs(FDg7F0jk1-t zDwd;%+Lii6oo20aTCWQGA=0lhdVLpWU5Y9t54?TmV z<2A+?a!y^p)2~R+p<@Z*56IEjS!uH!!gdJTp=XMelNi;qj4MF5rjR=d;Xm|KuuL`l zSHpib{8z)jcf<6r=D!;LtKq*I{;T1?8vd){zZ(9l;lCRGtKq*I{;T1?8vd){zZ(9l z;lCRGtKq*I{=F0BWX5|?8r`2(!~Y7+WesLlXf8{rnZr?`_H-6LEgh~%HM1eGHxg5Z+wjE)W2%gqEM?A zg-?L?{1uuZ)Rm|mIbSPqgjz!-%!36`yG1LfQOS_Z9MLr>DT5g6@S^;MFTMf9SOP&=s0LG`0u)S#IfG*g3SYS2s#nyFE{))_RbJSwziYPjDT?zDzGt>I2+)}WahG*hGg-RHDsYT&j8&D5Zo8Z=XbW@>Pf8Z=V_&oyYK z2DWR^Obwc;K{GXIrUuQ_!2e44UkU#!;cz7!u0%5{VR9u*u7t^zXl5mRu7uB(aJ3Sa zR>IFp*jNbMPs#StQL*c zqOn>uR*S}J;indUYGI}pW@=%k7EWs6q!x|UqOn>uR*S}J(O4}StA)2(G*%0HwP>ss z4r|d^EgGvuW3{kai^giss&TG+FEgGvuW3_0kmb$1# zW3_0k7LC=Sv07@R7LC$v7RuDK4))S;O=G*gFW>d;IbnyEuGb!esz&D5cpI_|fQ z`>o?n>$uZ8?zE13tm7W*&`cegsY5e$Xr>O$)S;O=c&I}&b+A!~X6oRi4$ah|nL0F6 z2TOHmrVg&^&`ceS)uEX>c&kG*b+A{5X6oRu4$ah|nL0F6hi2;FwhqnIp_w`~Q-@~i zV7Ly=)WLHdnyG{BIy6&``AH4Log-dA(itGVCR+}CO}vl`8;Ml-9qqt)EYYVKk+ znpurzR&&iaX+$%cxk)1$p%ijOctX9*O;U)_(c?{?9Tj>Eb(3mb$EcQ#Iq(UN83XlB zf%5fEfzUGyH>r+{=gDz2ev@j%c**%<+ZYPpF7}Kbzr0=ST@m`ow~IHU)--0`F0S;e zxH3LT&KdA^@G@8gwO&!jXuV?Q?P9=K4LTZmJ9W24C64MFA08*JQG3yQ8fq^_k6hNk z!y5769P_Y-n0$@eh;x2Ij>ku9bX7WouFANboCm>OU=B1(Yt#z#U)8VEW28MMTBBBA z)OvWKd0Qj>`^XnbQ@WJzeDk?RYBy>ns?g)jHDc9hR@X?+LbzQ6w`)-E8g#oxiq)A_ z`;(cqD0VH1U5jGZqS&=4b}fosi(=QJ*tIBjEs9->V%MVBwJ3Hiid~Ch*P__9D0VH1 zU5jGZqS&=4b}fosi(=QJ*tIBjEs9->V%MVBwJ3HiihT#y^A67Z4$k}z&iM}h`%e1V zchb+klh*o9>iTBg>6OgQx>KR9-{^k!UCO^-s2ND%E#l-|srQ50X;kSClfD(yPNT}v zPNTy0;0DcUyvsX{3jYcGJop7rE9#Yh02~ChE3tAswtZL1_4uyTIq*B+8{p5t3!v5Y zuCx{VF7GrdTm`NMwJWi5ZUJxe^?0XI;d=0+9HW_7vnnG4SKypMswNKMDRh_-XLh=h^1-XYL0zZ?E*{RLXC`|8K$nZ^8d> z!GAsc*Ta83{MW;Oy?1)e)Wd(hcY0OY{MW;OJ^a_F%zr)n*Ta8(%KX=Rr&po*uZRD7 z@ARs)`LBondibx0|N4~quTPo(`jq*vPnrMvl=-iR|9beZhyQx-^s0RGUl0HF-sx3o z^Is4D^=b28pEm#X@Lv!A_3&R0|Ml=+5C8S>Ul0HF8S`K7onD3JzdmFB>oexRK4bpt zGv>eEJG~0ce|^UM*JsRsJ^a^ur&p!T|GVM;-SGcz_40y!+$gUH^YB3{5QjYGyFHhe>40y!+$gUH^YB3{5QjYGyFHh ze>40y!+$gUH^YB3{5QjYGyFHhe>40y!+$gUH^YB3{5QjYGyFHhe>40y!+$gUH^YB3 z{5QjYGyFHhe>40y!+$gUH^YB3{5QjYGyFHhe>40y!+$gUH^YB3{5QjYGyJ~~{@(}x z?}PvM!G8<@e=GdA!hb9Lx59rb{I|k?EBv>@e=GdA z!hb9Lx59rb{I|k?EBv>@e=GdA!hb9Lx59rb{I|k?EBv>@e=GdA!hb9Lx59rb{I|k? zEBv>@e=GdA!hb9Lx59rb{I|k?EBv>@e=GdA!hb9Lx59rb{I|k?EBv>@e=GdA!hb9L zx59rb{C@!cKLGz9fd3D`e;fR_!G9b4x50lK{I|h>8~nGye;fR_!G9b4x50lK{I|h> z8~nGye;fR_!G9b4x50lK{I|h>8~nGye;fR_!G9b4x50lK{I|h>8~nGye;fR_!G9b4 zx50lK{I|h>8~nGye;fR_!G9b4x50lK{I|h>8~nGye;fR_!G9b4x50lK{I|h>8~nGy ze;fR_!G9b4x557h;s1m1|3UcwApEz(e>?oQ!+$&cx5Ixs{I|n@JN&o9e>?oQ!+$&c zx5Ixs{I|n@JN&o9e>?oQ!+$&cx5Ixs{I|n@JN&o9e>?oQ!+$&cx5Ixs{I|n@JN&o9 ze>?oQ!+$&cx5Ixs{I|n@JN&o9e>?oQ!+$&cx5Ixs{I|n@JN&o9e>?oQ!+$&cx5Ixs z{I|n@JN&o9e>?oQ!+$&ce+d3R1pgm`{|~``2mE)ye+T?`z<&q)cffxK{CB{A2mE)y ze+T?`z<&q)cffxK{CB{A2mE)ye+T?`z<&q)cffxK{CB{A2mE)ye+T?`z<&q)cffxK z{CB{A2mE)ye+T?`z<&q)cffxK{CB{A2mE)ye+T?`z<&q)cffxK{CB{A2mE)ye+T?` zz<&q)cffxK{CB{A2mE)ye+T?`!2gHg|HJVAVfgX)t367ncMjFHh#S= z<&pJmsk=aruWw6z3jDO@i*8GKF7CGUZ-X10lfE6?2$sqB{M&7mavP=Gmier5ew(t^ zQPw)jT1Q#yC~IBHWv!#Ebt#v%jymqwVtxpQ`UOQT2EQ)DQi7tt*5N@l(n9+)>GDc%KBZ(+CW(w zC~E^{ZJ?|Tl(m7fHc-|E%Gy9#8z^f7Wo@9W4V1NkvNllG2Flt%S-(eFw^P>blyy60 z-A-AzQ`YU2bvtFn<;BEWo@Rc&6Ks7vNluJ zX3E-3S(_$Lijt<@E!6o zDl*-GtfrFOPbJ6qM)T*+*ucDANmJ6oxp zt<=uelxt^e%C)mK<=WY*zQ)J9cDANmJ6r$%>b^WYsv_j{7!l z^Ly*u>Q2;|`R1AD`TqF9legZx)u}pf)w#E->vkI|It_?U1ESM_=rkZY4Tw$yqSL@s zbQ%zy2BxCZz*KY^5S<1@rvcGvKy(@qod!gw0nuqdbQ*+;PJ>X0<8WEjFM5hta zX+(4y5uHXvrxDRjo8@gq8ZM8}Wl_z@jHqT@$&{D_Vp(eWcX zeniKQ==c#GKceGDbo_{pAJOq6I(|gQkLdUj9Y3PuM|Av%jvvwSBRYOW$B*dv5gk9G z<41J-h>jo834pf%cng5H0C)?4w*YtxfVTj63xKx(cng5H0C)?4w*YtxfVTj63xKx( zcng5H0C)?4w*YtxfVTj63xKx(cng5H0C)?4w*YtxfVTj63xKx(cng5H0C)?4w*Ytx zfVTj63xKx(cng5H0C)?4w*YtxfVTj63xKx(cng5H0C;NxZ%yE>3A{Cdw3A{CdwfwvHN3xT%~ zcng8I5O@oLw-9&>fwvHN3xT%~cng8I5O@oLw-9&>fwvHN3xT%~cng8I5O@oLw-9&> zfwvHN3xT%~cng8I5O@oLw-9&>fwvHN3xT%~cng8I5O@oLw-9&>fwvHN3xT%~cng8I z5O@oLw-9&>fwvHN3xT&4M!m5_tT2|t9%gis-wb;=YzyoI%Cc$d95x-c412zV{Xtn? ztoHK~*p;xY%8EX9RGbcfE7@isHUqKQP>9VyY&H~Pv!M{14TabY#AYBiGlkg96k;<| zh|NH324XW;h|OFfHUqI4h|NMFwg9mOh%G>D0b&afTY%UC#1y#EkJAmVha#k zfY<`W79h3&u?2`NKx_qKD-c_O*b2l}AhrUr6^N}sYz1N~5LiAKx_kI8xY%o*apNlAhrQ9 zOg-*J5vCre>{NQT2~%%UmcFx*EWKk+R=vR#rrxBiS`Qzlex&Tfu#YH9{empDe9DJf zzOpOS9%}i@?gKj+c3;?Ou+w1=fSn0D8+Hz?54MPGCo$7Wb~&tSZ=GPK6U=minNBd% zNzBkuVn$ij-a5fdCz$CZW@ryFqwGr9R%O9VCo!Y^tz^4_*bT&P#G)IB-9YRHVmA=G zf!GbiZXk98u^WipK&%JwWUMVh<2|fY<}X9w7Dr zu?L7fK zfEWW}42Urx#()?DVjPHZAjW|h2VxwEaUjNl7zbh;h;bmsffxs39Efos#(@|IVjPHZ zAjW}cQwu*q*wn(6onp}EG1ShLzaO#LpEmZY|Pr(n6{rZCnAYD`Dx)Q@ZLZSo#)F@~?rt7M8xTllEK>djl-Jmr8qXg1rOwPT0F( ze+~N^*n42r%5d9IYu;=_tw6I4wTj**1yD752wNlPz<6tMMD6`41GqGnj>>OAhY!Pe;>|Eq?2<)M-)ru>I_QufOFh^=L zv^Ta;l0G8`R?TSj;i{y~ z`lomPABF9i#{z)l{nBM2U_Gn ziyVAz;uuPc97Ac511)lx(jo_1{y~7CAIBQohn6hsHCMM-E;5(<-q7A2uYNoY|L zT68*HbtH}1a+IZWl+7hO0F4?j=(kJAS0lIqijEF{vEJa z!Cnn}4eYhB*Wt|TVQ+xF5%wln`hFqGN4+OLKsu)EuVH@!dk^eyQM-F#>9-r`ocm!P zKxud4oQHt*F#O-cr|%u2GarSoMtK9IW@?Wb21w259H`jPJUO{gm&8KNtb--7RhUkJYlelh$~_~oz%!p?;~6t)Vs2DV<+ zozzd2R*eb=Nd1(rMuh{Ue#%#)!U3q?0I8qaquz@dAoWwedOK!-)KB^9No;`BPxPc*X)KB?pR5(EDr+k;g4lvmX+YQ?T8-tC*s#QG$)DjP%xu*=+ z9A!zoa3GZMi--GK~e=7sga0pndwjne;gsMxG({evdKC zI9B^K_B2k{ewH!HctiWS#suSY?dKTBnR4ml^o*o(e3#?8lLOyFm0KhxO3Z_$31vA+mv zKi4Q1sq^!U7IC}YpKr97!?i!mSZc1;{s@EKxYjl4wg?xgoRZ=vP0W|Q&F^3J#Iu2{rdZ72HdL^v6>;{}1fNZcC?$ECMXoxdc~)gKEd zDrI{l-VsT7XM2Bkg14$a8td@-ENfXLAt?v1ufS)ilT;?Nk;&jCQRxkPlZkLgq&J*c z?X^2oMF__`yuIP|-c=EABGMI=$w-3A9*uk3BZ*{~(w_cARCYw$RUu_Tx;#UQ-knVL z9XMys+O=y7!n(NaRI!3~yLZmNJCandMDYwy?k&nm5iWuoGQ#Vs0LCPGfy_?V@1qY&z4ZF``Bn{UzydgAp-03@`nK zX**0_yI~uB#(E=xv$|=o*SL=U3JuHf(H||shUYV8(cbxVwoSRkC?791Qk$;pgH`!O z$%`8W)Pefwc%04%5=NXlj@M{R=f8xGbs7DXN0_dzq@(RPyMt_k&YVqu|2_w=QAO8B zDF;;-RZ7cPhO4D6gW6kwBdMHHC7C^>B&lOV%Na#!6*EaHO_&fOMlVXbn)ca7C)uB} zplYbfq0U-Q=_^S`|=Np)3GR{SW|yQn6rR;tV@&t8g- zin$wGi8H-aPsNoR=Omq{n5v|F!gQXy_0wxqoBMfW3kkvcm*pPJs{nQFqB_QYQVvOb z8tJ2vYNOUzL@l%yZCvF^|F|-S@sCal^gsD0u4kMHX0i@e2M4reWFC2M6zur?NEt5`ehU=h~Ix>z@hvL3dY z#aJ(kGn@4>hb5R~N!HKSu(fO*ThBJIBiT{xXm$)cmL117vQ2C=JD#1uwy+b~N$g~H z3OkjZ#!hEvumQG}oypE(XR~wIx$Hc4KD&Tj$Sz_RvrE{e>@s#a+s3xDE7+B62fK=0 z&8}hBvg_FO>;`rtyNTV*Zeh2wU$NWR?d%SAC%cQ$Z(_5%**)yH>|S;syPrM4e#ahU zI~n~tCHp;lggwe0V~?{Z*dN#**^}%k_B4BjJK_9olK-ePaF-RvFqSN1NWUs7T3vk%yZ>~HKN_A&c}(XUgm&)FC3OZFA}ntj9m z&c0>evG3Ur>__$wZg9pqr|&N08QjA&c^1#+IXsu=@q9jv59cHJ9(+$el8@q}`4~Qy z@5RUQ@qBMSfluU<_&(grC-W(MUp|#j@4j?d={cs*ap8+ar4^F=(s7xN~*ga`Rj z9^%XRa=wBe#+&)!oIZQ!t^5ey#>0FSZ|5C6!aI2v@8(h7!&mbd@8xlB^FHqI1eZL? z`}rEamapUM`38O@KZ+mCkKxDi9tiErk|^Aq?Mej-1KpUh9;r}ESI>HG{nz_;=< z`C0sIehxpEpU2PV7w`-DMf_rZ3BQzI#xLjF_;!8;zmo6ZSMjU)HT+tB9lxI6z;EO? z@tgTA{8s)eejC4?-$B1ee;55O^>6sy{2u!4*L(SW{C@rb{~dpj@1)=Re3*VY^AY|i ze~dp)zZCfg`sKnW`BVI9{tSPX|A{}xpXV>|KhrPxy+pri_X_{B`~Y{eIdm z`dzKJ`EL59p}+EX`Fs3-`1||={vrPx|A>FgKjEM9&-my33;relioPlR8~%6xE&q;x z&wt=Q(s!F0g3;Gk3i>9$4B??~U&|8NB8R?9D^JjOCeb$wjSzc?J;g{dioR82jQW-b zF;0vZdy5J59{wbH7u+i*iz#AXF;z?x`-$mde{q1AA!dqMVzwv{bA%;)qEHlxVo@SW zMVTlU72-f~keDkD7Key=;!sg3szkM@5w)UD%ohtpy;w*qBpZcaED`~+STuOsLMymr>iFVN;BJ|077kw@s6+L3Lh>2bir_XEpXqGb} zq)3W>u|}*F>%@AoK^!TL5=V<;#IfQyu~BRio5k_s1hGY&C{7Y5i&Mm@;xuu(ID?+W zw~8~xS>kMQjyPAGC(aiahzrF<;$m@$xKvywE*IOxc5#KcQtS{{iL1pm;#zT?xL({K zZWK3(o5d~SR`Dxwo48%vA?_4+iC>G~h`Yr-;cf zqxgqun9Ss+FikVV^q84umYHqln7L-2nQsm=hnpkJJ)6Kv^mBcYwl%^Gsl~I zn-k25<|K0;(`!yPrfXx#q#w!Pm1e7XgxO|>%~fW**bx!R1Gy=L6B%|6pH z6Q(qiX1}?{Tx+f~*P9#6Bh91Cqs?Q?W6k5tjpinEvw6IEg1N;!(LBjK**wKO)jZ8S z-8{n_Ft?g#nrE43o9CG4n&+A4n-`cDnirWDo0piEnwOcEo7>Fo<`w3Z<__~J^J?=N z^IG#d^Lq1!%!0U`?1*%l@%~tBMBI+6=k#d2D-lWdC*m2B9&jU`$h!7exHrq`x08{M zRk56SfA1>w@ZS~pbl5Q(E@bva67&e2%ntXGC+Xon7bi=~DHh4@3nwD+Sfn$V0}lg} ztgw3KkIL0%U#wqd&_jD~*wekfuR9X=P##gcBSXf*vfJDcN!Y@UM?`Y1ossNLM2J7T zKVf!8*F=PjuFH^-HIaBmM2%j|cr+fNykd4dTSj`L@XT05%8ZE9AC6^Gy}|@bRf$M7 zvf$z5&+qFQ^#$Qr@_)a#=dMbG+gC@Ds$SWv$VGAU^j_34m&PU0XnQo#-rt*pv4x}& zN+hEz5ndDdZ=MITRqhdmC{~3NIoJYH4v>;GGK;7nuA*wHC?b40ZumOvwQ*AgDN7L_ zqoY~v{Rs+8`+BiH5~r-~)sZ-5n<*n0b!Bx#X;3DkGCMt*%(W98oy4o6Ilqerg0V=i z4F+;zc2~4L9HZ8h*&mNuR%K1j;J_~1UPH}7)!ow(p%_q;prBJe{W6!rD*F-fL_Wfs z+R6yG_a`H~w_mlNFmcw`J zJZc6Bx;T^E?r^Nrh15G`UaDOvvOJZDlcy5p$gOna*cpqg^HhTA?8+2F8I=j*lULSe zRqG;oYTb)#-HU4nFV3z_U6oUhb5wK7smFQB9bP|puG-G8Po1x}L~XL$vk35>fC~|D zAp(P!c>-?v0;wyrdi!I^XkTo-CxBM!3AvYs+)G1)mu81j*LV)Y!HlKdb|RkB6-o3` zw_X*K9uDU4&yJ?f5fP#x?$Thpr`zu7_F$GC+bxfsy2{fLT@&qycx;!1e)qzD_rm_c z3$y#vSFFcD(j6ipdwptmW@T@W)!*1%Sq#ma@L6TW%cTw|Nof&phPc<^}w7Wpn zgFw0MgT7haVJFRYGM?)8FlFv(cas`7=}2uQ>~PZ4LGa;ZX00vw>Zq8ju%=xOUU1aj+L%Cg)ysjY| zxeErb&g~xb%>|?}X1CI>dc;RHYY$CcQPat-ck7{cWky{;ryh{*S#Wdf-IBX!x&E;F zbOqJ!EZS1CANABPRNFk-le=)R47ojneqO_nLg%gi$%c}uc#PV8wB6I_1~G;tuW{&k zu^}6tMwiYQ60=be6(i$mbQ@jFO%}Pi#ogQ%4ap!cK4inQ$jvS81}7fwvt=@2(_K>3 z#=Ar$-jx~9O~BSoAm9edMv@=s?vHnc6aBrhaDOu29=gQ?wcL()mbfLM8w;sz-jX5U zd5Iw#o+WNc5^fT7uaZb|gM)PD(k)Nj?^J)y3hHj3Me}n|YERI;Tq4O^Is_muIb_4L z)IBeW#9XSHOp=TzknRxu zZkoG%um-tnhxmsL@z)Rf*@vZM!PD%rvH?j>bGk|9Y)HGFX18V=kYv!4N|*F>#%wBO z4(=lEwNOsDnU(H6Br~i<)0J=>%XO6ueqL}0e|dDXr3WhA`3K9I;exw#Wq_vabkR)3 zl*c6@0|e&{{S+b5$`G3?H&O}fYP>q(5T zOLfS+06m?NVqr&KXvhUQf!;`$d*U8Zy5uK#8Nf5EBFS*Z{4muJ4;w`l#hDt@Y^FnW zlMK^+i@Yoas_-%z!hL;V>cqXPI>OxF&lmOc6;bLuC0saX~k$fZiv3*M-H_ju}3?99OR z<|;Zpqf1pXqazYahBI|u^h8WmR0nCIIvF-qW*MtdJ$g!~>bV82s^;;2zAl<+>pJ#D zMWWmG&|`aV*q4DsB&n*p2%?Xw*-n2{q6}NbAW!9-D%tR#l{8Oh>jqFC#6}J-hMOJk zj7I6Bg2JMdSK>>1g=uf_XmP&2qNGGIo8Br_Tj}%5(q4Jmt4MjJR@zHrm8P(K#U-hu zzH~0WbS}PhE`{k_3e&k1rgE_gi&ME2rt>Q-P47$RT$s+eFr9NzI_IKv&PC~*i_%;a zr7?=q7)5D}qBKTP8lxzUQJlsoPGc0OF^ba|#c7N|UW(Hg#c7Pa0J}ZUcvr_f&S!oPk8e_1`C8>Q@MY(6W`&hizO_t;4;#rF% zdwEI@ve%|O&tdL~>)nJtHl$IzC(^4D)P}mhRh~aM{G~xeHf9GfBLEMhvtff%2CKp{ zlJ6d&$La)qG)E&dck)49erl5lLo6VzDSGo6Myl zBt6adt4Ruv8i6Jw9vbl4@eT}VF=L@HFm%KgK(h59dQ~i|lOC1S+(C9cHRjBqUGa9e zvgH-UKAOOgN||f>6E^mi`U-UyB2PD|QeRO?VRrhn(G1-7vemRiFHKQ&WYY)&a~j=w z7!|v|%vIAK+RwwxN9q6#l9SPJtRvdlnNfrLMPI`1=x3XNBx@hUW4g~qGUcoiD2LgQ8HdRFRsR%-l8jbEwpD>Z(l#;?@)l^VZN z<5z0@N{wHs@hdfcrN*z+_*ELeO5;~){3?xKrSYpYewD_r()d*xze?j*Y5XdUulr+h zmBz2q_*Hee;I-OPkDxBc)w>x(wC24Ar^})w>x(wC24Ar^})w>x(wC24Aq*0 zYF&ovT8&*dh+U(3(7I8qb)&dOm!U?Np+=X%)f20@Mwg*Rm!U?Np+=XXMwg*Rm!U?N zp+@siqvKGk@oO~)wVH!kjbE$rYc+nY=Ac&N*J}J)jbE$rYc+nY#;?`*wHm)x<7@pa zuG9E+8oy5C*J=DZjbEqn>ok6y#;?=(bsE1;HrEE`EvS;+I%1eu?Gcmsl=-iRI##ST25v<<`GM>urhU;+I%%{Y!i<|0O=R z{v|%Q{v|%(`)b{ON-2(0isO`~j-!0Ejq*{7@==QNQHt_Wit z`6xyCe6?;rrBvg){gk#fzS~b}TjRU^l(sd#+fQj*Z^78DW$p`Za<}MT@JUO(zY&#+fQj*$HDEVw5{Xd_EXx{ad7)7ZEJkDpZaRueoCp1 zgWFGOTgSoer?jo(;PzA6)^TwADQ)XGxc!v2b^YCbO53{rZa<}MU4OTq`fA;NN~x}| z+b?Nb*VpZrw5{vw_RB&`-xrFkx{-s^R~UrQ!{VwT`!MWK`}Q0>Pd&%{>@>`0seQxn zV4BX!-AreakE5yU-Gk{%N2H!@)p0dQ*dw)L6@B_h`$E+}-_ux~MGx`?ee{uOrh29= zu%$=spoBj7q9hAX_vB=%r(C4;fUAzvv#mOg$6Dp!iB_GU9%d=!ot^4-ROldWVwVmTm-zzsu&E6|##L!85wS(1r+z+Na?uSyjLq3qoPJbBXaVPIH z^^Cp8ou$vzQ}a24)A781VYZqv!-SBjygX%6!$&>fwMtS0S*rvs!zy-rGNq}Wty@TS zr9mrqg^@+?QH(J%|3SY`jg`E4v}kM${c*J=t|M#G7Wvxd7{x}Z!D8WLoUR>VaDSlD zYm8YE@Ox>+utE9Izo9mLU7YRy#dZ7Rx++|ejnd@O`NNDoXeIJkV?6ffPzgM=x;T$Y zG2GbG7;Wrj?5&Sv(8}i=BcDn;!Wc>A9!F)E7>jm=jay;wg1t9J4ae9C`xxv~F}pox zJP-Sdt&YA4`yT8ks-YR*!2YN#Go=b?4(y(=}>_FH zuq%=(w^rCr*f{u6>!caganNSMA8NC(M_F3NMO^(dO~uNMn6hd$po-mpnhwT!Fy?9> zLoTl6w7T1aJcp*L6-_esqos|d#vw)>ElgZywCbxC>vV%ouh;1#I{iqeU$`k7q0=!s zEp*!;TR`;~VPp)h(V^`OV@N>XH(fU3LvesRQamDOQle61B@c1DaQWvO&Ed} zlLqK}F;v<}Z&q=mo|ljf@M5x!3Z0Iqf68;)gE6|5wnt&FF?yM`Y4j3L_KYnHwtSt> zGWoVmqpNAxJkFRe*UI)}%p4~8_zc4edva!aX!+@;GS19xL95A{HDu3(D<&N`!I+Ex z0a}MFX$7oWsjXHZAEN$SlZRwxj(X;!7ubM!`uu?lJm0^ZmC^g@w$qnv+qB0@Ym?Yu zZQ`r83ANsFMESHAzx^hB%Vl3|eRsb*|J?k7m7gvu%b-F9QAQCmJtKK2=o@Q|_RvPo z$YHczJxZTu#AkWyR)}n@)r+u_y;i=DO?jAqu zn@!iRc=^ey&u9Ox|Mk;vc=U{k7sVR0&Ykr7s~>mmO6;uPd0E@sU2ok#=F0YU(NRa< zG@A=*L|1Nn*xLA@RqV;4_K=a0$(XsnwVyRLwQaF2d+B!s>~`5#Kogiz`m`mkUQDp^ zh>?jS8T*IHY3Y2C+SU1pIkR5Ddp_;Z~^VN#;A*?sVwrW zoD`_YvWBVs!_|IMaL@0oNoso!liI|Nk=7o*;Y2H%fM;p2(nl|Z{In^FO^g|ff8X%f z)Z^aRoj-Nw>*Ig5oo~N-)9k#>qc@i2Y#KJ}*5JQGk zzr5ns{?g=u7X)^f-E-l|Pn=sd@z%Q^-FEu&H@|(M!>lS<#GWm>V(er7>!&~Z*{&^( zyxhNe-6P)z-~8ZB&xxi!2do$yfGt~YMl|D{K-YUp_7(Y+79@5YL( z7s{t>FFJM3DHnZkZ|3BAHI>`|_r9w+$Qn`om+6 zYkPe7%=i}b(+|E_H~ra+-+xqmcv^%^u8SzcD_Ex9mjvVFg@K)1Ib+nVFYSrAWZy#%-8^1C7uL-S+=PD>ktyLs?PXbrTzISesZ5S1szgCvMyE$0xnFt@i z-*|BN16|?!uI!lb%5VSvM9~e$TPLqL=CoH=zgBwL@CTm#aNTEXuRg|}`@q?^?preZh6M+IdDjaokJy`E{_ULAlXiT4D6@1Ar0U*Fz&%4stmI(71i zo%d~CvE1%|VD9z%ow)Le5u@i`e*F7OAIynA{NwKzzIJ!!9_LRv>eWN0KRapNhnM>v z|Mag@#=ZLR?enWI8h^yLNn3Zfe)-W+pB{a~DmL(?Klk-#rYyVm+$V27Y0b?a-IM?M zZvV^MzU$t0^QePvKk>oeYQ=cf+W69csTiv5xQdZwd8l`DW>}SK-#+GnR=HKWt$17E zmefm0zt9c0tqg4{)s;{Y)lw%;`*#w;Jfvxm5Neq_##v)i?OTk@BMG5~RzBM|yQFAn z{OO(~NT(OB{`>nYcGgVroxJ|Sndd#Q=|=YF35`$QddiCU8(9Zj+4|TMXODc>T$2Cs z{ONOy@>_R5e)gh^o}aR6^w;ysCI|X_$9;Ng`H8o`_ul!&k57lrTQv1g*G*rv;pSh5 zD?gv{)Vq(r-1^#YXP$7#otNJE@~-9oxc`pdAM@qYd6#{1{*N=CJ7~$?dzVlDdfq~7 zlleXUMRY%oEZJ|@Z3TPnI&Am>C)_yY-Ikw~*g9fJH~x2b(K4%q2%#QYP)$oyrMJkt zxPKLW)Zty6pbu>l>wnr~y_NlH*%*Dmf;(!3RZ>VF@TIz@+N96L-8<^WyZ*xxXc5RA zIcD&dn&_8F@1h6|CljlE2U!(v5et{nian{`xa*e@Z#d~ycNVGNmm7LZnv>`Yd-rcY zz^b6q6{w5F$m!|aQx&bYJLqYF?qcd;fj%v%m|dtI75=yGe}C7+JKCz4c%KE3f8XY(1Sp8O3hU>@zcXZG=v&)xm(C5s!s`_q*BUis{{l7l78sCI9C^tX?9NAWeskPY_fJoTyQcel-uZB2c*XiF-yAz)&(YIw-Q_Pn zcIJF<&E2nePVGG9$-q7P{J#9LrCWC;z8crr-*b0;_tWL;^RKtAeRWpbg3DgKeiXZI z^NZzYS`{PD69*o3=+e7xdUMX+oBwj{9!n14x4$^^hsk$c({knT-0Q9$v3OW?SYa{-k*8pjdpR{JA&*avm@&Ec`cX=V|57A2eCEoko4+J7O4eeK~Q z2%vf(rpKcxmUqV_Yl3gQwHNK6w!a6Od{K2;;7Z&g52M!#MxFo6>TCDwdu;o>bN0!a z{cy>}JGM{y>}P7C^zT&hyVuTnsq%_&^w!bWu6xvaWb52xs=l6j*Y3@7EUo1qamn_# zzTG(IgWo+-^KRnJ#dn29csIw-J8SnvO+9y%`Tla%><>;e9-SC?*I#(g3EwQb|J$xm ze+WgLa^;eZId*}7awZm2n zw>D*rr01CLwElIz{YlsQCq|FyT^zJe8aICP&q{3le=9#UQX$bQE36pQRa$Fcm8W&} znV;&aYIGFjtdaSC(rkr;#;aHSj&88)0JUXXl+qu!BLix|UI_C7kl2aOsZfNyxZ+vma ziRCX|aMhuojH}O`GAS6?S$*{rr(U=0BSw}Ud{gOiqDSx_{shUzm6>Km~!cT zN8fwXZyNr%qIQ`7*~1$BDYe^7YIiIRcd3Jo#5m_CLzB$otQvJ_AM;>~ZdcpNwv}ut zN{xGDdl3yy)a_;VFS>4ZusU@RJs7!o-CTYuoumUPN%^jySxb{)>s;Z-<|q{mjI1%WB46ank4Coqp-fU+0&+J~!{inseG}XI%W_ z#dhOCzbfwP8?ogd%@r-pZ^t&>P;ykH;fD))?;L$j{Us;$jky2dU#&X#j#uw^{+0JG zt=xLdk4N9Vwn(m)_vR!n_b6Z~j zpA|*@2Y+yO^sO3ukr8|Pg%e&`cJ)P9&-+8;i?-On0onL1qVNJ!!wt@ z_P{MQ=brQIvC|elc;mSrkDARgXNnIG{pg_|wk!GB#Eu*+yvMhR#b{Tz3VqlA$+X!& znXDTUm6h~(k(y+r804lmG8u&+eI&y-oNj5fs?RF%m6p(lz0JP}!PDm-^T&5P-)f4! zx5w4L>-zG-qj&t~Z@&z|%9~ERYu1VbW8$sH+sr$ky1BXd@Xx+_=E>7u-M;jM_2Y-n z^Ih(nKJD+*XL+-KJ1qH${r$zImu^4l%dbZm4~}BHwl?1N-kCQpm^kIk$>ZL<@#vRc z{`A-*Zmqlf)>AI+sJi^D)}r&S8FM`!^VGLy-knT#X|LPip?WspQ9A&bzA+Cpe(?ORn9MUhx)-)U7z zwU?oas%llW)OAr;dsVeur3jnecg$gxDr_&&N8`8maSf$(-%w0#C&~6l|4IFY)Ai%``6%p$LO+A!gv2L~9Y1XBvu~{*O-SS%+!IO|?r7M$-~SmNKFHYdccM|_1R*E#f10lJKjc6A zprrP&)~+tcv4(K$EPimGdQojPA=;=1CGs?_U3rrKn)082jh*3lkV+Clo**LbG?66I zAGh-4JHq2CFZ`1$#TB)H3%Cx)1Ct`uz@T0gYDXbEVO&<3Khd)W29 zY&@4vGVpmY+HltMuMm?eiHs3*2@!M15z#`Xirs*(=-!7c3=u^n!2*t6xXDa$Ctd1~YoM zkWZrcF?BV z^TJhSd^Nj=pMd+Xks*8>Nx-#DLJqiW0kH}dBuv2i_;Vzax09Aa1--!CL(gy-z&$>1 zL(4&9c(brE0!JnQwm7Mplyi4TI$$ZrwZRPc?3_UA?(?I_DCOMu#0_{`vb6vY)nX?y zj^Udg1Z}@3CA=Q=n?MSst)wGbE3`D=K25XwZSQ4)oQKom|N0Iwm8yK2MPa z@T#x~4e|n<)%OD)IlhPU{fL3# z90dBZK>xG=xn#2OAA86wlN%fYtQtUDsDsry1aTenLpuls_lsr!c_YtVH77DncyMtgTlLjmGP`S^fR(A`WoeM>5Y^U&?D03UZ?6Cmf(7{Un&Bu5+x zUPn`Kc8RE^LL4XInCTrm`g)sUC5en5r6}ME_CV~4aRySQ8bhj8^YD2Su}af0{v4VB zUch|dO$(a~w9zYb1LsVJ0=DQ!Cg-rzYVa(xMS2AWrqdE}?-edVLX@tNED}Gyj134V(`?f{zqp zZF8wsp2BAWXG=*}v|MQu;Mqztq^VeYGg7DqexxuG!FW~p4Y=G&x}dd0WA>@9uno_F zT)_X>2i=;^?3++d;>2xa0-prFT}t{Z=luS~U||Ot0{XjHgA8tAco7JlfHs^p*uMlc z6Iu>hB3e3H5?TV*50_NIgVJ+5U@vh@;YA8l@tOHv>u}-}THpucOITy`&;`T<`iBW8 zAgld|i}9c08!+60ccfYJc06-9w~owHYl(|BX(Vi70@l3&I&BZxL`Y3rw4VuiP>UYE zajjO77x1-0fAAMP%<0lu!inWXE4CzB)l~3#9O%9U^PDAuYA=r8Qt%oBzA^#FN2Kq8 z_lxjz5`b%_8<>3d^6PJLAnqFnUJ3NtC^A)j4lr#3Y^7wlx)in?`azvbMk@0%nPqm4 z$-*RZ7tcCe@OctVWe--542k*BNa z=-RoU!%f&F*dNIPd@;N|hL6XN|FbXl-|uU{FOwOD*ZyF#@`G#fu8xH&>?%ELwcbv@%J^w=-KCnMz@kE zT0^X?@v|Xod&ww%97%y~PJv$SD=dLu^C$5ed{-CjSKkI74ZOklqjBS4Pq}e*_tC$N z{vGrb{T{RjXkXztpIw7JJ;IynFcxtr4YVU<83FY8LHvt`9054efZj)D5{a}XIiv@9 zft)0#X#!2AWpoBzMqi~q`U|b&BDgf}5cer}g1f~1%2S@_HN25`@s<2S{#AYl|2O_~ z{tF>UC=dn-F9}P94}{ZVa5Rn1h@Kn$Y4m5&|BC)2rl&*ausNa~v5t60Ylqv>-qF#K z=@{#n>X_l!>e%jh%PBg8ogq$#Gu9dJY~>sn%f(8u##l>icx-fRVr)+A;MietpFM#4 zS65qC2gn_OIG4Oa{z}f!rqoS`0OD8ZEK1{8>Ou z1cOj03>M}K%Y+YwGtnfvbM(yUSE7$cpNzf(h>0WEVRtwbh?5=Z0f;98;@1H2n~y>K zWB_7wBZ$iZF#*Iib#--D38}kU_YwZrHy`-`R4J?Lfz^<@Rq|YUjy$=pqHbv2kh%fn zsk%(qtJCaS?J4<1c?NpeOIeSmVePxp??SIW_Z>1OtX&QIXV)vYul#)F)|H>GT)A@j z%Ec>RT{(B<Wg;P0La*qqX#P3+vV8f$<=-wJzZ`ct_Hy{;u*;Uq#>@P- z-+z1N+f!eUKr~&z^;URfC!3q>Kx3aiM63T{S*Abxxr~!PQIr1?@;rpLMuWwm{T~je zV{ttG;qjk;qJ#hZ{Nrb7NB{Gn@$1PAegnD1ZzQ+*P2^wvX7Vfl3crMZ znZ|>=o6=^qIZdQ3XiM6PCehZk4LIIS+tL)8O4DdNnoir(4zwffL_5Y-g|51LDx z&^TH``_R7h30g|M{HwG-9Y6=tL5Nq%zI9YIIZr|C0v6dg^+(6MwJ z9Zx6FiF6X3%)iD}&<%7W-9$IjSNN^`>-06cmA+25(e2y_ZY2GQ-k>+>E&4OP4PO2i zy+ePcztP{hr|Dh#Z*Doaf?LV0;#PBOxV79mdXN6WZ{t4WPI7qaTsbh!s>Fv@|Q`)pnYSpqu(}eiACazd#OsLgt zG8%$(T8&yIi2~12(!$}RgR^{moWq=5=E`!F<+Nm580!PDq zEnJydzC`xayyAv=@*Yk}ePW!+<*59fU^%W^H?fXJXUYO+q&U;>gkAJ;-F&pT)X9D# zvO$%~%50Y-yK-=4*@3#5LtGA%t8%wqUpY1l=q81wK8o`Pt0H{a3%x$m;0oFvpejqx zF3$4>7d=_(%)&ZbxiGLu8;jX{C6@dxj%@#+x z3y)#X$#P{44*X572*r#JAUY?}&j=-@K2Ihv<|zv>N!ISxNw}kIFbFn+(Y2`5m*g7j zv%0$axdq%h(PWYIYgZ;RnkC zuauPL^>*bI^(zHconGY%yTBeN#AQA97*}b8|1n@dpE^$MDCHt}F9w=$!jX*+uC5*N z-=~UGqnUtku}4woH)iE+D{AvK3xW0#<&a9Iuh?8eUdaT&^(-cjlr=JL8K96nEBDMJxMkAmd@ zG8CNqsghSx+W4puvVbPy#AO9@0c85J6B}^Ikn8KN9M|I-JoD(~9`%c=uvw#9z7StMeGLDfDC62!t>Qo^0uA^(TLr+ z3ozpJ0XlQH#uMQmF%u&^UO&Wr&;_RM)35YxJ;80te@xVs{eWFUDjfdYJ}6hE1ECJj*RKm zGa{yEc6dyDTT`F7COI)-!F4ezp)N+^>tgcrB4hHhBVvNxmOdio`v`8nPYh3udKgX|)=iC`jhW(XDO0s8XplHQ4lc?VQ=Fc+G_Cw+9jFRnNH?FS*@Au(~_gozUq*$@6tm@vWr zSvi4!%3q59 zu9i398UH_jSoRA)ACd!zvR)%A@aYseMoyE1WF2h-&!7D?3H&}mrjrMBD*c5U#l6Js z;lAZfd}n?TKN&vlKK`EI5QYgKifXa1xJUd_%8)imU#Lu~cB&z&O4T*>X!TBwT9c!h zq1mVTUYnvFu3fABPSXx`AS`JuF2ge5w3f>(2tF^mziuGfg%GSj;*7j)# z4e1gxG302-SN25vSp06W{}!4bx;?Ze%o(;m>}+_?@Xg_0h1Wy~5sM;Ti})(i7FiIv zIr4)jAu27(8?_|rK-9mYn@4-1`$RvDSnKQPThVfiF~%8_98(puI;J}2-I&i}zK*#S zBRh-^r(=R+j$@@`n`6J@xZ^9Q#yP<`$GOtE&3V9i0`cJsv5R9j#qNwf9D6$UvTKxU zs%wF3t?LcfLDxyw*RETxx+Wu=JlCYM$+{*xnjCC$GR_h=HEu!Ny0{&2@5P;rkBxW7 zXU3Pr4~w4^KP!Gw{HFMw@gKyWj=voLuLLf^lHf{6N=QrCk?>x^$%L;HZYI<=H8c%x z8s9XnY4@h3O)HvCZMvZ8x~6Y7-QV=nrvGUAW3vv;Ha6SY?1N@!nq6sjr#au;&^)Yp z^X6Te_iXNMKC=0==JT2_YksQvH_dN1zn>^2+7n|FTP3znoRYXJ@x#QkiI)<8Nc^LP zriHCVS&O$?yx-zfi*H)|+>*33x17}SK`VW$$W~2TwQZHvs!yxottPjc*J^dE*IMmr z^%X)<-1={=zis_X8`{R)rhS{LWNY%Vjx9#3` zPTRNJo==HONlhtD8JY5Y%HovGDZ5iXN;#i$Ddk!!pQ=j@PK`))rA|$qmAWAHVCqMy zpQUkW+O(v!w6rN{Gt%az{n3uLD`@w6yZ!A>w7bym$98|DYttjs=cIq%zFGUK_SZXf z?l85(nGSz+q#eB-%Q`OY#COtl%Imbg)AyZ|I+u6e+*!`(pRvnh^2B=Fo^GDro^sD* z&oR#zU7TH-b!pS3TbH~pJG+WqGrRWbI=t(uuA91E>H1^We|787ty{Nc-EL*ZXQpL7 zllgk)Uozjxd_VJ8=Bdo{nU}JhS_#6uVQm?>*Au~am8DTKkqH}?$Ucp?~h81CA&-BEjdzhwU5-t z(kH1;d7mA9!~0hDt$X6>Cr*@hC|y*#vh-SMjW^ia+}p*w-un-)+^=K5KK)+ocm2t* zC)YmtL;sNenf<5rpVxnR{}1|KAD|l0Y(U!WUyUvpeQ3k6P|x=x;TB&^tIDppZ>)Q>K9BeWWG@O!rx|u%osRh{frAUo6HstO2uD zzbL#o>BXC~ht7U__VcqB&Av7#WzNhw$L9vk?LBwZ+zT(cUK;h%C-a>1n$2rJFLz%5 zd86h{nm2vk;(43q-J0KVey{n1=8u~{d;ZG#+veY0(0xJaf{F#tEvQ#63toUQ4xYE2bYGt#P?N{cl9I$fC%2_LyuY7&w z{*@Z%2+R<3$=)n8V6HusWk$xA|xp}$!)gK^mMb^>~7OK*lBjAp&j9S)av9YLmb1mD4@HXLk1jdWgS&|I^%_h26XNE@ZPHhjT9gZHy-fdoY+sqn0=o&yx)I zspLlBQe*T}je5f|m;ZzHHeIyM+DUT`4W)8xyXb{3f=WA3s$kS&PdBrMV|#jXvcGTBn(|H?zz%k?mV#U_nwy8U;oUas z#_3CG)F7WN+*5e3aA*E~8j&vFqj80M3u_8@7S_~~`|0=j;qrIY@<6(UwQ3q!O}EMY zSgV%5qmcx(9#gkKNWiX$gT#}T)%5&0nx@BAg-A;3Zc0nBo2G$x8%>&F{ZDvWw``u+B0RVz0_obgmseiDe(PI$ z;wJCBpR35p;JTaQk65h^t4$^)o>naqEw+TFl9NOv+9I4y#kTG^L(Aquiv+$&C~r)N zZefYmwwVu1=k#4*hd$tEYqHvn$k8N3k^SI2|e1a+*eJTE^H6&zP((y^0?E`)N8gb4vb@X{Tl%9Xw`j@fzQoOUEA^An$qlwEW%M z@};H4y}u%ek)bQ-C&p?}+XNN)MtZ*uCp zJLo5PZYMl9t>L*^9WSU*_Fyy!+Q*+uO`OV=YDsC!CAdQ@T-y3&Co7k)s5-?SEdL?5 zuYQjn|Lu2r_WfOQ8wPPMH&U=7iZhT1j}c3xsvxaKr!ktaGfFZ(R(O&vHO?*uLq#S8 z$EArp_ewK5D^gx_^V4lBPkk@1bJ1s;NmlvAXD&p^C!VIo^3JDeTGWMSDC%0tU{oEo z5srd?T6jVvUaQsVsG1MbYbZyHy;2fV9R%F(mwiP7pxrPf)E00BRc3b4pXKp%@m{(_ z9=Dg9x`(cjEB44E@$3v}t_|d8?5jn4j6~!`wTkyhh0+;`m+(-9R0^%)B;Eyt(+#a> z{v|8+`!5g57pdU~JRyf3;c`(K$`hMM!xJEY^z>4ulbEgrol=~(9FC($jvvQp#YRyp z))MN`NrYe(e34hfn7p1V(i$0~x%oLg@_Xjwt0=pBZ){^y0@J}86t0T&=&?n} zahR3oIcWV1WzvA?L!fy>?d5McCo__`0T!pU?xv8AC|ieExv9r$K{1d-!a_B+o?eZL zH}>@MVSXd&2S4y66X%MBCAGMdEmZk$R?Z0Nzt{X$^ZSF}Yifh0&6_uU`n-A5xQp^^ zc`j93II6WpJz|vEy*9j`Bk+2WNG#acD zB!qFf(`9a(CP}IU>gM$~)b?&4Or|?O=6!Dr4Q;=EB~|bNF9K^i2`k#h6Rxs`bDY5% zAw)%*wLQIN6&FrvcrPz|GS)=WLlsQ>^(3C}Orf1Qzv56Oqz2poNu{zmh4dOHow|Kg z@{|!J8=so--1Qg#dbj)XH)U?$9y;yKB`@R*9pAZV{ZoCY5v?V+Le0&i%jwn>xdp57)Zt*NJ1`w-WFi*XELE3b!5u~i{( zO9W>uvsdn9MZ>vL+>Qo-q0I$u%W|Jj{zAU>>-GU>2Jfgo`00#Ubl`JSdaoNX;RMxQ zx+e^;de@;2*|qfCwSu#)l3$oJY4ito1`bck+`8g0cp?E{juH=o9u|`0NzhPg(5VEA zi1Ibw8caot2C$ww&8=?U>wGtB&j_ucR6B5t{K1|4B^_9rN+@t^;d-0Tw3#i*S@kBx&!7G4kOy zUTq5%qN9kprx%4NAt7PCydjdL@99MWmEzI)39E=)1M-puo0U97oXHsrE(&IjO=>Ea zdx>)LMfuL}3yVJQw|SeqC#kaSh<4n)+Ap21Vf@mcKKn`jqu_k2Ke1yKOE!>uZ*+cs`Hh=eebSBzpME3PeY5e0=~SLNd)l=8 znYnAZF?>Js$00THPetC}&R&;)Urn8NH!OYOra%S$fs4zEdF>}HcOU*NPg>iWTj5Lj9 zRy@RS*twiDcjP;7EtT(H{aL=hV8ct}?`JQYK5NOGm!jrOq(SA+wJ0fncIY(m#0Rfj zncMg9q<6mh>wC`~%`epERlSm7ZEPO(|-e@z%6nKqB-ewEy>9whNH5|`J*Yv2+DpuX(XFDj%U>9>W z;A0ZFAeJ~~J^uB@3u*FJdCT1P-hMy-q|2vb1zPvHf2lJ^L(~k zDEBoT3!{Wu`W43#fgt&6*KiSC?A ze>jR9F{%gg?ubul#@|um&6b`BctX6OQ43BJx9Gv0n%9=B%?V*yAT6R>*!7-r5-a!Cc{Vrxu`h{EzISz|{G+S0S+6aSs8~5QGd6P!==`pydrF>*{K~DGHMSyxtU0><2c$lP+43h7O zk02ea?NuSE23IR$u!b~kC3W$rb)C%S%AF=2& za%L{!t}eMXrzEFWug~B98>JDUa#H9kf8F#ZNVV zZF&2TH14)}2QY#kF;_f<%!U!VGFn1;nu-@FC#ckVqY4EXTt4)RNCb;sWa$INrux~9 z`CdQ(d=!>LpiWBp`1k|~x92abJ-eiabD;{~CAV2%OwmTPokLg2BgI4aGr4lQxanI> zr!A9bgTq;FNAcs}WGH?MvI3N+z?2XjJ5d zpnR|J5I+r>DO6H9k(hE2-UOf3?GT5{qve<6r|8G1JepG@+fMJ`Ox%z1DtVT;Po6Ko z#sxjN$SgBv<7+URj&$-kphdM>XgC($NSb^vj3CE}`Cg8v+I%m4IB&pT4ETzSB5Zbq zI!fbfYL4+8YWH#pwHH`8`I$WaxQw;=XSHb;R9BC)n44|Ia2Gk2@-diXatmf3=K?3v_7z>Ei=}h@v zogjt)nGXs1=yF)>hU|+X$q;H#(iKZ=EbvG(J9#@7KIhj(@?LojT}8{UohsS0=O_7> z->*-cBcJ8NYGV_d&;@ij>b#beep)PlRVV)@{}@G4#;&Yh?5g0}?FmyO(*$1^=@@;G zn$P#D)uLA7;qEpTLnTe72%>-CaB2}!n%!d8Uup;5zRhjW5WjW@hhllf&*Ii7 zGo*PUMNZ4BbvmBo^+6gz67sx=UQv{p=cgo+R!qi_x~lj2{d7!8Gbg~vsLXb5P3<0^ zkL$H-*Mjy!QilZ#Iy^Yrp3u5-xq|M%EP9qD(DEvk0V^Qj6Zm9`320ZdL=Jgq37hzANc1K zA~2_@BS5;)2WSMW;&JWFeWn8WwEg^1to<@5}4as(hxGI%cW}b z1zJQ`NifRA*L8wg?janLfBCsK9Ux2+s_y4<=SIUxf1i1Ra40|WrU9uj~do&%Z0+49BOHfqsu0b1>p#OW^zi@F?KSF6U< zQ|;7Q#K}xYF)2IuFpk$_r4k7Z)7bL8NSqtqwxc8prYCIeESOuKbR? z5jHH3X4CQqTfh3^{Dm*ie|eF+gliKaQ6uq-npb(9d`JF~TB#X@86omdetjt{00y)q z7&r(s5*;H2u~~HjL>=$wT2#ULUeKdH`_8mUyt5T&*IfIJG16r@Waj)Ao>%Z7Z&mPMMD*Xm6N5a66oT|A-UHJj0}vFJ z?+p?}6(oc~z)-@3&h&}m4*Nqz#tQ%fSudE_fXaCsJtse+1Lec=&4mAmqr38oTzMYN z`7ekHSQafXr6x8OYglZ8$r?;pLdz6v6YL=t4ME})72j5!MX!db3*d|e+K(xU0NC{i zGcz`ZNj8bhQSfcszG};Bn{K0YH3Aa&9o;DZB5&ah&p-G4GqwF|4~YBz{)K#dV(nBe z2OL}ud#i`WZbI6^qbE@o(PAe;e4IWCaSyb%4f`99Fcbmt>Q#V3KUbstgpyPD+g~_d zN&pwl33~bZy?dL=uaqsG_xwl4w^HHa=V$VduATU7>(NVIU6oB29sQ=~Ka*0Qd9rwX zuc9-{_J7|0Xz{S#=|wpmx=maL7^C3FQ~+}-7QYg>LK5~|s0GdtbO!u?KVez=i&53D ztD!@k+`-#&v5<%M<0+;)_CjttDAF3|!PbyYt){^ivxXN95A6}t$A0$2;-EGKaD}2k zL);FtS?o|H|FIwV{QQ^dofPkq*Yw)*>ul<%;dj;yedjGY6gAD1`F+^gVH&zQd>BrH zh+Ck7hBpKuM~Gw{R04DL8qlcdBd8%4niBG+3EVxI)X3aj+9otr9h7SJC-G_~bUBrr zf4nv3(Bo|@rgHw9?^t~A`ECk zr{Y_}xpeZ_=wUH;TCmcilO(z3o~gB{ZE3tC*S!DXZ)e-sbS*4D-}=p!U`#)Ahp$Ng zvbpE4$u%3eueq;k-a56h&*xqEzBSvX+*)#pF9xJ|!A!UdNOjD@P@>TyfrOWI5GAR# zI(3kqQwthc80J?g9&ls41S||=YvoV4E8mir$xDz_ye7A&T3U=>PEOEM56|w36_w)I%#VuVRce%M3o1dURS8I&F+Y)0Qwj-IT(*X^W24*; zSQObYCCTCxN+0~hU8!~RKi5Wb_qGY$PE|knfURI1vi9RJiwagU2)-e_73?%3yadC$ zAK4g%{ZgDVZk*hVehJ(V`H*zqcmFATdL&Ff3A4oKjD9$bv9m?nBT!( zF`_AikY<)?1n~d`KcQv;KSe$QI^jDFF7SoeY0{A3eQI8(6=z~kIozMt$7lppDNe|n zjoXuT4#FNkyM=I}?XmW@?0xPqW?%Y2Hwt)9Hv&0bL{EAe6BE%yt+qz+O%piLu6N{m z^?JPHYO|Yiympfqnd22h{DzK2P}paEEUoKzJQ@Po)VQ>UT&@z9o8u5jrLf4{8p8Ka zQWtKS@!Ecw3Lgxu=(8awzuy;w&V5;Xf9Cqd+g6vZ8`i`3>YF>&QiqWvl4Glr+8j7m zYky_Qtih5rba-wNgTET^FURgoFm{-sB{ZRCJ}8Y{rsLc{|h|Wf=*DWMRr>SP?;SvahFbi|I?YzCz=v{H`JVV z?8e2@xtU9+&k}~in*R$b^X%%`*yUN=Y)i=NA8!BH^w~R~ya&gelHqkX`MtohjYWJx zJg>I!_7F)2fK0>$;OfC@Q14=_;>IYUfy2zEN9ZSU!ym{G;Fxf`7It4*CSO@nxp85} z5-VN?fmxs}y1d_Bo_+AWUZ>(5zzpUTN`M)QA2TMqhS%#2QM>_|(U^&(Cq|nTu7D8S z2!ub!j2MVO?e2JHDO{j$LNYd%l?_Rthl@J>!;Ldvjn|uR9%!Z;w|?myZvN8eUwYAs zS6htKM3Y{fl0}#QadYYGhhN+8JnK7g@W7D(jOoCO75vxTlMtp21>tzDnU9JL)#Z5g zp^>4Si4P4WV3!<*EJOFk$YN2|Bf%S!5K-{}k({*I!1)yZ%KG{?jGY%m?{YJ(cnL=hXjA38KhAjdFL8+herFP^_(5h&<_Om~%H zK*0{4=pd_A#X+#E(Ne*riM#SK-m^djbGghtcn2T61q-kWT(U_Wz>`O?~rd@KqO-+eh z4{xF|B&mltB;uhQJemYiwrL)T*q9@xWL2q6#gZXN_$Dynbt_3WY~3g&2L3{W`rT-| zvIFnm&B2B><6l3k2)*79kG*+1B{9GIpd?|M~N*iAkNZv-&=L_4A~s!sYM< z&wqI6sfBxnO&Rud`Co@UHGG6nJj>-8p8n>?>ZFYL_zlYs{q>ab~!-Zq{4Hjmpr zcJC)ass~(t@#rUWIt}8xSB(AYnMo5tvufC|Nss^=K{QN>F-W7)60JSNh`JLo+Z$}s z5vsK@lg!*@#di6Xfud>I&KygvvET)|0IDDr?vXI*=2K%=RNc6tH@1FrJYB|B&wOF` znc9mG`$>bIDJ+$rW?Bh5fOHGqV&;)yN%h3SU5BbRn}T9gNh)rTYK&@zYO`vW>RZ)q zl}g1KDS*g8hBvTrUO&B?Z?scNm*2SYN0z5^R#sAU|{dqF5(TF`fAasT6| zYLnQxH+KitCQJgf!PpB9Rp3NeYPA7O2A^mKp z9n9>vBhxXX9&*I8g(@@Lr4YLoMnh}jjoDtlk@fP+4=kxk+2l(xVPgoPxYJ=~`;)?S z`KNp9f1XLL4}PJcH5U=Qh051g%;gecJv!76iiL;XTdu6w zK{7m!P?p0}MVnP-XDqKH*p1A_PLSG&&1e|-dP^FR=tlM(+qSR`u?a4P3hoe)1U3TZ zp6$W~41C*o?!xC24Tc+s)nWS4U!VT|hJ0_~teH!nn={+GdSSHOLFybcsamo1fR{hG zb+7BQcaFb%5WXz%1UO3or;a$_i8!J|`0(&Btuf3P>kN;u8)HKB7K;c;gkkep#&DiR2N!-8{v*xaNVb0N0KioWB@p>0^_|cn4 zs#a9L`Iop;dyl^-&piZlX25Too~29w_=uiwF(mx;00;5Rj(|cQ6XPIGYXOf3X>B6T zWh7^$vnaEHko9JYX+g%u+=cF~?8&K%cHKA-qfgr{4A)-NA6Q;{SSUU^6fgEtG6cTP z5q{>kt-jED^pFqcT|0JkXa3vI9V~lo!Sfwyhb@2UcCz2>=IuJh=dPH%cw@ot+>vc_ zGEzz>Fvt?>ZgRhfIpE_?*mu_lv(&BDjI>0M(W9~GjVQx|wUj`f20u}$yJMwx0nbb^ zgmH>9=0dCtQ=aCwvA_f_P-fr03DdgDdsc5LTuM90$NKDu*lo7c!CXm2-=FU8srB`N z$4bd2_+_J%_dZ&C?9^eN;>l6s;=V$C+8-(AU``z*I2aVC%w5rnN{taV zXJCGkGwQRn0qu*NA;M%g3zI3`D)+y4rM+IQ>2&43+)pU3oxY_!=P)~gtA{_K}Utx+l3%vepi*NiO%wJ~kUP5C$n!}cBOppDoy4k@bOJT15j6aH zqz;1=99$o&Z;}^LeT|H-!dXb?$#>=32m$WmCFUr3I-Om6we}?4Bo9&W58aTf&>VAG zwI~S!O$3cm2thrp4f`;9Gju}09wS507&&cPn}Gx-dY}ZS6nr2WNTcM6+pN~KzAnoN zv*dHVa#J#QWHrOG7rit&Z6mk-L4>^Bd{BR^g3X@^@3ji^H$?LY<~8-vJR&-y63yp$ znU(bWgAE>$-?lZ5=J~3cce$k6UwK>YCCr!wZ57 zZ-WnJgYt$Fut6)(H2Lnl*%vO1f9l$`;S;_;Nn;Lv@ZAn&favK@FAf?xa@w^gM}K>C#`I~ktQ(eb`)OW(DoveZ(aLSZXM5XDZ$Dybm+2)l zxV;@aeeg_pTw3S$hsVUY(wOC&3o+O!3{JMmu(F5j!2~ zaQMhad!pk2V-EPEFDh-KNFPtDaBPg(jlrD86l@QbVxo1SVW9=XiK zRj|=w?B%s6wR`^EGFHLIJn~12&inzG-xecc#4q>>9b>5!6wHCGxIG`elfUJ;Q*@C$ zp=%-c+k-np1|B+eRXkC=ulvQ{-rD!%%$BE*M$Z|0;4MlH{hiTm61M3hgsq4J60nyU z7i&P>IwxxM27nx{ZPrwyXCF9GjiPO%Dh6Q--dKR7ew+-YQ17gRl5Nux((GU#dzxK^ z08wREB`_PVN=S=O^P4HflR4;_J9T#Xgb72?Wn|2nGI!|s7re8l%=T2zA6Pbje%XKp z*mbIyJ7rczm)Vo%mQR>6WY&~fojT2!GHd9>A#>*r!5F4xfI4A1Br}9O>2VX4iP!1$ z3e*;xD%37nf-Qw?n?E=PxaWg|^){`+Xejimj7B}RN&5P_z5sp$$Zm{ne;qw?bc$sM zs_}||@{2QE4(;-rJnpLeJq?q;zan3w5%RUm^5naG6t}iky?Wi+-+o)WZZ*F66JK%h zP~)gb6AyS3sZ$i9Vj)S?hd~|a-ohs zo%HmyXlsv;XhqCoa#$KmLg?&a5l(f7_Iy~HHMzMItyUX*c-1tzNe^#yBR{hd(U{d` zzl?aOOjFVk>TF$?=`cQ#WvrP96l7y0X})Ux?6V>r*uy1oR;Eg z-+}e18SP;j*$$DE3GEVsENCj?z^1%0DJH?LFC28_mTUAZOar9j z1)}BRr@*k2qfZ-^>}JOLG5>^u9e{0C zgO$c4Jy3vUR^C!zUTO;GifT2v`?zt{)lX+-^?Nq;t;3xa@hO)HO5hE*L zp>lHCO~{@;UG73Va-KG&#l?vX#$tRIos++U{CW_3>xq}NL7bq|XoMh1Fc|fs8dYpi zNev1qz}HBKQWY|zN>@zFtL5u7yjtEsKcd5`ncP;(>+vRmZ=k$I-daX?g+Khrw9H^^ z>a^h#v2l+m30n#T`}cyt7kiVi%@rt{W3~UxIR~j(DX>#$v!~_?f0hzDbq~S!LIo=4 zIf?C1AO%#@Ib0p! zzS!h&p?To77{y~!Sne@$Je2H)y=Kv>VsAP@wXj!X{s;GQH?wl{dlYn|YuDa7_hG;H zskC#;gKz&Q`|(_Mmz?zJZ+4a^(0=kZe%^ff*#G1|T6bTv3X*gH=rzBCh~)q5bO_Re z-%t}}-3mS!#iw&JWRzvOuv-)?1%V~P!%UhGp7Ex_0rgQUv|57_c*F*cI$TwG_`~_7 zYfIM-&&?fPk&{y)%$j%f!^*1npIGC~u6U|@{&0BA9O@lGf8h$WkH4;sy_KOiQngMr zoAg1&UcDvocE;vLZ)ZF#z4xng@C4|=!b2BLL1ks5mo((@{8?_z9=ci{ffqGo8AX=h zIyc_5*aif&(^cxGVLj`^$mFQ}r6xZHVH#*XaJHnnu>lsV&jubwfB&DoMm=eA%@7c@YO9s49i z(gjEJQd|>Q&loGkpVg`fcg7er&IWZi?xDM`@ISnf`rL4eVlP~9N&-1wz{RM+%`GYz zIOyPCRy?dOrPqa=C-H13m3w&-|A%RbVR8Lt48cK39(NoGWSth z5wG158>;%$;bCT-L9!b)wvY$|ha^(KR4QAh4--cLJIP8dm2jJFeK5P|!g`strpv!t zR(W%OY*6bZ6$=aSPUnpqbX$!-^j_Y(q+jHoCh~_;XNKudWo zk~Pf=`^k5{F)lDTTlNXtR%#o>uu=k^x5A&(l2{MkmSOcocw0uLp$r>2d}+x@cnILMvopd zZqz8uSlGx$VMd(>8E0O_X*H6;h<$Rs$V^nyLmLH};(Z}}!JFvs1gE^Vnz@qI^eMTM zysnyt%h#*%rM7mts0`ojHgKR^82<1hYzqniq&C1>0%zy8fl~2g8eY~?aUJ>owfl+Y zZJsm3(@jZXcBmD`<^;yh_K*DvW64B*3&yJUa3(gCjfAHoRX`W8r^1Cr-;rNlyPryA z5_mxKHb+(dr((@%`2OEji27LckmHGuj3p7O;NXZ@zFAWgaFYmA1gGO8B1~~{F-6`u ze=&D#VB5)G#*HWk*0X`p6-C108pQev4btoZw?e7yP6=*AB(AD>`175gdAeV9aq-uG zJ^e%TzT*dWzWp$G%ow?~Pz{R63 zh+(5!-FJB1O8qt$CdQM*ls_3Une6!QBWND!;2#nB=reNaXTjB${t=;%j_6!Jf{Y~D z7@^(Eb8*U$hmdFjVP;5WX4Rs$7v;B-2{lC~6P1v143s8oVRV@7!-FQE3g zQ3*FoC_ED127FeONrGg^9XK7(jGPPpA!v!p?tw~W_n2kN=wbRKYPh)8+j% zYnr@YJ~W*>N3&+d7pe>I?cuqc)L^U_M)n@2C^CfzpIz0B{nu<1Z$*~L~8NH z09vCM*Tfzj5+gXnj21Ogl|eyHR_V#3-m_8RD`6ph(9#YZ4)T` zGQ2Tjr-;xve?{#16$2LyImBvWKV9E%@zA4kVeP)Ms`D3Ww)Eoi`d8H##}+LZ`0~g2 zJ}A`37SHOx@KgEaEAwl1cBEEn{(d%J+yOMv^;N!Zo4awH z?^3*oaijY7?PCX<|h^(Ai7#S@(L_|P9ng|G}Gz&&V znurL9G+7JM6cJHbWnC6oL{vmTP+1FPZr~Ter@zI9irfTXfhki#;W-v^pcFtU4tFn^%xa zMrnLkPgCrV#+w-qy&)?df`+(h1-cX&TPeKB$rHjzNK!2@ZMl*{!F8}b>HMv;2L1BK z+ee<*&}-oFyMDUsp|3x_7HVf?fjyfCyn5f`C%X>azx1WIu5EaD$^7S+NbB#PV_+vI zvQC?~=(Xhssy5`eeExammv3e&+bR(VRde6;p*x>{e(6la-rXTO7A<<@DXblQ-W1n{ zwdhX2p^K?nHzO&Wb(L%XWBKRUc;EhD>H z{}%dP!$GmT~^$0;q38`0}uSd%xBiGdT#A*y4M>)K_~KiM^0@mtMc=;ONy*+c-GjV zD)j_lLvZg?|J(bM#{JLtS#Jb`psSB2t6&Lp^6(hfp1$t!t9(lUFh)V?NLf>F> zE)gWTlLWUa5jeFOfty5v_#V|3yX0>af%9KQg0MpdB0<jRfk6lqO%%TmqWxdt&<&W$yZ-L)DwTIC} zh;i@2R2yS}4MXn5$1s?WVG^E*jsf?Q>_QYJ=7H@SJU3Nqc6t(Io6T+qK{b2eKo#tX zk{7FMHzfC{HpKAUNZc1!h18fiMmDZU^svuImLZ2ur-{TC!Qac4cUm|4T{c*0s~422g^7vlw`YF1i_PBqR%AAOzUpj7 zfB2{Ql0K_Fi4)KDS=L7==TeX8ipWl!(`n}83C@f01iv%tl2IRABOVlOp#s%`xa4ea z)PhzYZK2{1-a>X{R|F-OvVqkW1Rd)qJ;C|GASGAM)9d0Y{yOA+`4cXwK?fvB z4YnWZk)=m^1Rarf@?8Xnf&4HD+l}|5bmXQMz$sK69qyyBgh4GFZfJq^{+hQCr6g(# zkHk)*W=NevNoJZJ!c zYT!l<-f3Kbh#y!5ZHkE#&ni@%rk(;1te0xQcwt!Vw2Sc{e|!30|9-$MSt-=-(#nY>U zs}I-TaWZT%`wr9`I_+FWV11yt#d095IP45`+SL{+>g&}#GdF61pLVr{3YEu1d7Rop zezb+Yh)*q~a}m2|7z3RgYJpA;ECw`+s3f#s$))UQwGDnV`l}L@(oIHWy!uK0dX*55 zJF50cRx5SXlv{{9hJRWS`lAaL=7GU{!QqzR+qc*e<)$}?aO%nN zagx_$HX+&34zxq7Pgh>;^BJ60Nn?m4fkkvl6<;V~2PFwF4CTi!4wA8PeF_VJ;pZwWN2GK1sTgRG*{~lI%%oNm5dh5z$a; zkT!1qkRjv4x=JK`B7Fb(s2hhqhsTWg38xa-|)Ty}$f)?U7C2ku7Zd&+`y2Gcv{#iWn3YP=91db!Q%Bl}HO zyd9iUsBQGAcc}Xvp%nFB;fZ0KQmAe8QQlG8&_&vC;fcRVrX#k}LX2t=MilwWoeA(hKOJ7#|vg z*Xik0aC<&J@QJ=`dZ-=N6ACfMAFv=JBom37COl`b$TlkgF^sYpwCVfm;h#YoKVVr* z4X^|%drvqPU0?3WhAf-i77}e+A26^y`>O}-xN>T+as+jNt`$5#M!XVQJ!jP(rPnbm z5qToS5f~BSePjYz1pWs-@M!_}0iXp&ab)?rzPe#ZfB^~}us}7~QIaZ#+|(ySG#N-A z@0hI~IrPw_!Gm^Rl4f_Sof+yc#<#DXC}o9L26kuSh}`ZB88V>mVU!zTjX(*BBa*I4 z+6GP{?O}4{Zqivrrm@-vKdb8fptFi>3-yz9}1si`HIdN=~Elx^GG`ehFBwRRSaWKdQ z8!Ln1E|66~4WI{HMGW`?fNPM^D4iMAqt}4Z_iO6TL@^kwr~U=RjH8~>cgTx6?|&)e z0~Es#)7Vya`FiD%6ErT>hdvUKjU9ujxD+MGYzffoh9vy=iGZAPe-w~-0{HC_co{*MpEI_hoV_2A0Dk+ z^~!dfeUd{y?JM+|_xL`D(Vd6Pj95XE0juzYmi584fbuL)X!a=o# zs4T!+;B;MWp~B2t@J3FK+5(+EwS`+y%}ezqH06hZER1R!bpF&fZW*oGB2;r0$rETr zmk6{AH*z%x1oJI|&E-mtgO$jUEc?@JPQp-PCKH@=CP{_BU~tFUTGG~$rAw^)Xk?ADPk9Ly#fm2kmD-2)iHV_a#o!I)(|>&a>FoZM zZVvu1ip}$>csp{T@&mNiUzG0yG6I^o72}ew9G22#VE(oc#sxcB#Ed+*JEOTP1qc-h z8FH(Z2;MU0xsltMmz0Ni-Ml>6XlshR3!^cc5{d*LGCXA&Mh%%1ZdhITyy$1F!vwSJyBixWjQQUrQ5q<}W0B&KVDR7d7f%_`;mqDPf$mz3|B^FLEQDw*^9 zX(ohHOi$O2+%&xZYd1>gEPG+)ox&uD4xkbV zk+Vfq31}KPH)w%Vr4^iq+@W-!3?96W&vD)YWm4r4nwTCzm%`q&=zSQ2O{!_=k(EEj zdyJlDj+DX2+$KEcuxGV-WXwFfhqpj*Kp3;C$Es#EjNzsh;P3o_&ziOTFD@q;>!0a#v@(VNA4AAnOkX4XZgxAqCe;q&mqQ~<3@6{gF3rL@Y?!CBS%&dGJ z?=fn%NCuS$_6AypEJIY@Pwi$a9VlA}uimD<`U<_83|=yduaGMDl-GZ)_GXF94_QXo z)s*n(z~NDIg|JikCqdhh02A~hA_SpLlFn#FJeds~k#l zn|!xiw4=x}e5t;7!T_OoWR3&Ee98rJ+99^-*fC|mA@m!`dP)WccfQr(bIXZ|$oVqa zyzvN2ce;a#aVE3b)DwCBTDR5bCjXMVQ5IB0)(<146~*R55o%yK9|{qm6pD_oa8eXR ze+d6#k3K`PrgwRD-Te8H%qZqp&hX@@?K_XG`P1#9f4}01fph{{m6Pvgl$Y}sI9E_x=p#I%?od=KS6d*iptjH_z*~rmoIrI9q~EG7 zR0vDe7F7QsMyc8_NxxNFsPOX^JdIoUG1@{Uw@Q(HQXK?w1+@+GJE?6{;y}?8>M-bu zoBXBh7D2%{=owW_j&hMPj5%+1934zc=oDMjb>JYX9n`y*oi+g2{E^Pq*0qEXos|jk8}v0 z0KMYY5ax>Pl-dGmTD%3w&uV-QYup0Y(5MAS*r-g)M|x8mBm<~zl-FNTM-kC5$=(_} z3Rb>^w_xL=Ao&XKo8kR63;v+ZC;>ahYLSr_)}vaFGy&p(s#>QCQ51Jbo(2T$i}@=r z?m94MbkPva@O?Li%NzE-mAgF!Egl3F4QP%+p6C|LNHC|Q=q0_;m81doLvlhg*l$7t zpeJD6w(A;+Z7P%f6Um84l!a0B0!kO4WEpPWv$H#IE9>03vd6)L8}?Q_(6s$+B^6yl zHx##LuXE5n(hK9ek9&7#ifvoUZFkh{tgBF#6Jicz;Bwt2#76sIfp0E67%VV|ZUj*3 zkPyN22(_$~PTJz+xg--LUOy*u*m(v<_shaVnw;za2B%#}~RxN2a_JIh&K2PJjX zoH?lGv*4aW`q!pS?QOShTl2~`K*HQRx@psmEn2+0Hw+1*8#TP5kG9Bu`$%(eZs>=H z#*9MzLd`?04?f2Khh2k5$#HrC!G~lraU#E|VseDCabG{D7r2x31doG--LXrAV({1< z-bQWsiA>&xqy`UxDsf*PZ{tlo0h%+4ZoAYh(!vPH8x0Z;$r%(L*_ujWZKBjF8wXKm&7G}^fok;>fgD}fPF{^)Wn}xgip%(zhNF=m%G)aUEG6Tg8 zvVb@_M#_b_--mnNTCgEZJ?QnMk&n1rmr^e$+T%7a#0!_1ix7>TT?s4-z`Q(dBS`@{V6hE<+*05IomE&WWfRUtC1EPieFxCdofQmY8 zYa_rGn#mC`3)t6(%U?(xP_Nx2c!j1xuUT*cCo0ZoyWhZUhEzkoK{B{$YKMk29%D?r zDypvV%tE3e9p;Q3J8NdmsQGh=R*Y%hQSYH!M%ieUoDOj~b_k)@vBgkYw(ueDL(STx92_jj;eolGy7w6WVENFeyZ5?K?O5U- zKfKGsr6o0J`4VQMXnuv?vsEz8>C)+4dY>1%y9x6%&2%kxi7qU8J{DXpuY*&?!>@6? z$g=W&*i(1KbTsQPZO%5IlMo`n+P4dX-x_v;v~S{I~t1s;(s;sQ4{+eCjXw zi3tBCFM3+O-!Z;uR~Pz;6LbNs=V(VE$2kslDr8D;rj{dMSbX%6<^t?OVk^TBaUBKOo3R!Ug1GY zSpM|Pek|$Z{F!FLweU0lys4dkAhs$Q&%l1tOKs({I-|r$Pp@IlpYm1^aTsppeYF(` zs@!H;{}0Hc71Rnt{1_jL+6seYuRiflU_YGD?i91wJl@8w$`#x$Gw2di>2e{-lO&Un z|5{7yi@z}gLYKzhFmGUW>F-SFa2h(ls05=$6$t=b6S8$gNF&+?wJhL}Gee86Xm%gF z0dpF)1?#ZUd?l z5gELM11ez^z{sfo`3lMVwgUrU<$^{yGFY;gTvBQ56o(uT`wA>fKFdqS2jPMeHN1-Fo zJxYclP-p?3=P*KXtn7hNTSXXl!82HvIMa}xsvP_ss6K)S6v@xJ$e%TvKf10L;rdDQ z4}^Op3|;itB02)H@M_6QjMXg1ZczRN)nqdv`#Dvs*O^418Os<0!SsUS%Fx7RfJY-} zK4N40^J?;n8^p}uo;wUnxT8v1URNW%U6&{g{Xk0l@Wz>=N3jCo-9!Jd6RIakLnn#w zJ{^<`q`@Kpn^}v#wc+CwOLzfUM2E_+$-Ekxc10c`Ux=J5I+H-BMa$6Y&@#h>Pf!L@Q&dz4l_8U2$rMN8Hc{EdGyP%7~^^f;_HtTEb7 z&`k6~I!^W-!M1|imn)~I8|0*HV4){TdCl}0u8iK*K9}IKyI>;}a*esYtNq4G<8Y(s zGP;Zgk4zPX;5AUGFPRA;wK`(e77~WkaA->00{aa}g_Ld!4w+Fv-c&@rBE=awxB(Bc zT~$OgX}^2t(RW^I`L%zC@>4AUiMDn4y3^}Sv!GV_WmnqQEjPUV;Tul2X#eKbZ{JvP zb`I07e*TXqcJ6%qw^i$ux<}5+quzOO(?QG`+701>V$L1-p45Oob;F({3P1*OyENK_ zL=D2pwdO=1-FX~(gzd|Ey*9yRRs)UIEL)mZ%w`bS6z&0TE@guSaD6dHME7yIk0+;T zyD6V3XIp;NQu$W-`}sHaC4H5$``sU;6DVu-gHndt#}2@Wo>TnWHcD;lj=cH`JBRbq zjZ9v!J*UDh74Rk)waG5YqSaemaS2*~njNt8cG;^<030nqa^tyb#nq{XWJg+RRXD&Z zI(@hZen35|6vi#8Fa=0&2DZ!RUoKx8TFLHPv4)Lho$=q;^()x;Q0=PcPHTiKUmsUa zjy`s546FQrWw2^xlXCK?vK_CCU^yqw{fKpK54!R{b0s3@?f+soAdCDt?I>`A8Mrc9 z)*o(9_yr0h5_*5w@J{geA5q``jqB@qk@vYjgunl&`aX;=vHqm>oZC?QD!1vce2;U0 zCw!3>YB7RmI6qp(Te!72%#B*}Cy>;mM)I74HQj`J(kqx97ayPFm84{Y&6b>wTjFhM zcE;IMOsT9i;K#sRkVU{!YIL#6kYc<;I6i!vfGx#=8wpo323v{*N09@PkSvK9xGZRT z;?QL?#d(XBx*2`{e)&INKJ-GNIWcE%VtTVCsVVlpDZ@r3*e7gyq zK2lMM1c>XuW*X%l){YQ^pWTwl?FAJY%xocJoE}Qk(d~NEde^XAi);3d~|NOfy zq4V0-XMcT1`K<0>1+zZ7c<=1VH4kE|1TAJ!4o|fU$bJd3iJ9!kud>;-8U~fyW0aZO zrm-<#`B0v2QBeai<=!y5!2!UH5V{gTeL9N(_0fuAWnH`GO8K>;N!^TC`kdp}l#xx_ zDeeI*Fa+a6qfcr)UPFDc)CEZ%zm6SkK@3!{lh`c*5JviSXPulUc; z^}@8d$A9_s%N-Tt7L;CEx`Ylx}2fWw&mD+pfq?y`$@K|l%9W9dPmY34*k3_iU z5qP)#M9ERWKmr<_kZ2JsZXb?bs?q3?(tQrM$6Z?Of$T{n9K4l)0i#2VkW1v{Lyy9_ z%;H%YPG?(ffNc6&0ZAJ;9A2+#P0GF*mcFG4FnUyK+SN?)gDAU6RxIX^nVpIdc79;{_&Ccn|(@Q4yo$ zQLQRL$3^0LD{hqPspWuyW5+L_7X=K&ZFuU@sk=UGfD8nWC;B>0n+wY26i`kon1%>< z!HdXRtQF#{ORF(AgTYl+ZD5l5CNMZP-!L)=&R4)n!g#m>AbMSXr_+@VzLF)%W#S&{0QKJ>?vbF`r^EjEMH5c3;e6r3%Gs%aB-EOfBN%c^hBoLaJFom^F?Y#_9^ zZQCUoJZK~MKcZQ{|F0AOudl;;EQjWsE_4p2CE8d@I!x>~Pl}uo0MRoF9wS`mMi%Fc zxvLP~qsN9bSXznz!&!j>UI_ggM+8vnT=S>#WQ#u>qT%cwok5jf|X3o*AUPq-6SU>jB6%goBk$qBf$Nf1xWwzvRl#iliDX33J{ zQ6H}i2gs6@ZZ{x=t+d(_d(qUWI-<2V-?#|k|Bu~6j{GRg6>W!OUeY?$=HESN9{eAo1qb4YW+2*+)v@mx3^!_Ee=G~iD z%^Edq)AGkEhPC$xCJkErw~E?=W(BS?oCzKU0RN?yq5v@Gc<6J43Fjd@gWe4gBeT`% z*7&?;kIM+#c4@U8UbxamScE(;H*ArO`rW|j)EGe+Tm#^MN7}TGAJPsOnxihBdr@BY z)yBlvZ9c>!8k*A7grPQjD}!J|cZpixLk_MnKF)tG1n zCY{wT`C{@5xFe#7M|G$dR3#HsEHhgL*5rVnR0s~tmor^?+V!(9KWsMt$PB-H!_10t z-Xo({Et)n}%mG~9=K~&kRyivt1Ew-tIXZFYTgqoc-#mB-1_+|GQ=}spU$RgbOu)b_ z7M>2gZ@#8{ zwMH^YwV}7SCcd7t{dKWoME^b16PH=}iOmhVktbnx!BGO>Ih$+~3=NUubnjwLhbBEM ztf=twfTFuzlrj@%|8ni(jD=4vNNVz9cB1l!TVZB#aA^IyS5BO(Ikj=c`6`_4qtgfsoTN^ z)C^mQFgG{*(gR>222Y{!!Kwe8ti0AtEPC^Za{9(rrEY~;$&g!YI&duXp6wJU|7qN^ zMe<-FO(+ZIpdORk6R)+VAo9(cBBgtMh~|yc%Ra5mm&k+d?G7_ge8WJHB*7O`WG$e4 zs4z4ZmKW(G%1<=}AVEg#zS$Cv21;CT)^NOZSdV7oSk5)2bbkPFVXe9hn)-Cxnab8W z_DyYaSwUWIxjeY}9n+MPsGlV&{((J=yL~fWWOs*VNJH2YmF2d#ynMg0^4~(%Nq{9G zJ)S{SN7*0Q=ye%wF2tiH2mm{`C9-%sP+cwdhE)e;h!T2pUKf z*aJ)nvZg~?zjJF!)33WLr%RVs?Y;fue|lZH3MPL=Ic8U~*uM-c zmAOy=->F5 zhx_i{d3yWEnohwVirbui@4KF+o^IBZNiQ(dQdIP;ef*45TemZjY)h3Zs>8z#+(oA5fJ+Jj3rEe}?Oe!f2Qi>4|VYTZF%mP8yCf z>kmU$Y`%l4agt7|YMlLxxJDYyq~Ytxb=qgJtgz<_@RpIz8qKAJr3o1mY&M_V0aL-%*p5+N;WH)UhgK5B%%G2kw-k zsdwHnd+d-Ufm6{y+bxT ze5mdw!Rt&3G#=PPJhBz05NmYg9I~-t+@P%#UZ#egky{3qnudyfJwEu!4Roe~#_vzB z`DW*L$~I-i7FK%p{INmPpOKY+e{}TB&m}0?H;aw?hTZzc&?9XF7&niqLQIsFVxsW( z&Gyy*4|b7AO*OQUhkX?Vef-Pa0**qC4^X-;muy0TG8Ep1am|MD+e{{m-vrYxLXe#@A}1s07%GAh z;sOpeY#$FMjF|`NJ`k`lwb=1bhl%Y+WpU^@YUJhrJdt^sKh%Hxnhk5zK{pi53vE5E zl#HJ-={}-Wu#NKD;Q|&_s^GH1$E7nMAH(CeqPU&aY7}%%i@}J~MaZ}fL@IW4aKV#S z*7!0w3U-$N%u|5LwS~`ZWQ5`gev;|1tISN3tmdGfscJ zZZhu2JM@IuMyOPuP$Qc$gZ)Ykw_BTp7Qr}!pr=wjD1%`!qqLwD&`?DnZocQdD^>!> zu=$YH#nfafT`ntSSH!tjl^V93D&NUm^T5$;@W811E3d--8ewli{YaZY^#)6kJtboclfQz#Fmu^%Y>H>~%fmgopZX~wG1C@mOe_h5!W@6=jl2Qyok3`;7IcMO(* zjObm|268|t#$lw9s4TZlK9Iz-_^DMPTb_( zIYFFqj2XnISosYf5*wB)HQK4?La%%!Cxpk`;9tVd;h!#mF*@kB8-SjNQpQ#kc48)@ z-NE!mt3%^*8eo71Ah_Vr$xO1EU@zkJ1;Hq(HbhjAB3?;(uXNktlfhs3PQUQ7Qu(1D z;F!^$1E{nR`a#T7eh*zZ7rFpw>}%qIP)G3)|LPnvi{FM4=?kNys@roxcQYYtWF!bq z3O5~-BWXxwfr6+FvAz`j@SBj zE&J#@DlK34;M9E=hKz03b?wUc={DfB!p{XA3bhd}I-}8G(=gPq5}XdymPFlUqn%c; zn8Z%3UQ{X$Ysd(C*M%!HqA;U>|0#d~h!>gfOP4<6RK7<=N&Vzsa^)vbkMZX%zug!e zzQZf{4c#8TpCfa8s*(V8T+^9o983C)AO(KRU>oqZz$Vl9YY%A?5cGS=J zk#DIcpqvkF0Ew$)+R%2|DvXIXurpCJef@V7pNtcgABdEqw zgv2WF73~LI;8cS>WH)dJjq!>yyzj8hPjXJs?~bn00Qo{_meOjM1iHUPtP~CE?EmD| zE8%_?_(<`7BQINcwbXkG@~i&c;44#~=NMF4_@C+hM!qY|kkdoV(2Hst@m|4Z74#OX zOB3g_IGq|VlKD`yHd5u4?nuL0(#5cnTFk{4s$@bC?f`s?R|;-@@~ycK-gW1g+o!b( zeG9?x?iMDaHjecK6}c(MW}r7v-SPL${w1Qy=P^zb z&S5-2nLw9;Xdj`<_zQHI$g;{&8j%~A5mX|>nVcr`!1)`3lcf={9FOT5CQ=&AjLr`kWnOG zy*mH1F`t~hI)3)BowKfrWi6T>+#yzlzI)*QK(4rzP8sf)ZX2H)DxNSIZc+{OD4LrH zN9j#di#g5IWhPP3@Rz(zwEp~u;|jhXlP_F{vzYT7>OrZ|lO$vVS585G6p&`kC})cp z4+laFQGOQb4Q2yQGo@~ZsW!-B^gOHAhW8b-l=4PVfAzrmKYCmdwbbJcN9>A1{sQgj zfnKSuN>MNc7(@i<1$CMyco<|Ip?blb*SH?@p9%@1xF`<=ZzP^*dT{Ziud-UK+zo*$ zBjnt^=A||7u22Q4V_^{rLWxA{%h3Ue!}^HFdQiej2Wd%=-BNrU4<^vbUXA2&%HXk$ zMW>tAfIyIFxno5oC@}@{BGA~Y%CIY&5G9Zr%3QyC{R?j|mRDT8N&^B-+4`kYJYmM< zF(Il;&80f>8FQ}BE3VRbWSqC~Xi%m)W+)Wq+32MG)iC6@l{1jo+FkhsvRZcCwIge` zY&f`;?fK#?bsr<6m4Fj%11E~7r~seajlfw8#NY%kkfFR@lzs*KMz9=YVbh|$hj#%fXj*(To$bv8Il6(N}?hGA{CHkY?KU6 zdlETpB|yMMfxS|l1ak)ZORvJ&-teqeEM22w}})zC%c zjyxfJ+EE$SW1`v*4h=(HNsSRDSWuNgK!C4XZxWq)NJ=~df+Qn8@TlF2&KCWr${iW- z^Kq%t0W%Q!bqd7AC_sLNtwcbI7e>W5uI_zy&C2z=#a^M^;_N$E+asTYm-Z6ZkC`&* zQP9yr*lScjgiZu6I7T@Ne@_9- zdq4U{x%eLxZ5Mq^d%4Thdy<|JSFi`zlSNINe9|f@`GX_3+^)cP@gL<&Hfkf%w94BJ zZh7e!++p%JP<;;zXh{k($eK$oFRDW)x?DyST*m1T?M}0f%u`Az%u8LN+ z{o{upR(@ihpOfzyshqn$X{yxrP>$aA=)Etz0_(q6*;P3#PAuu5{Mv~qJVq~3{TQ`Y zw#?(IJQ@++OXSLgB?l6nFa#c1B~4J$F3MGV>PF&2*tLK%MLx!7&!unCVl~^1E*-RY zozYCvH`AmWQNGd$-B2rO0j)$c{$J8JXcoT}s@{rUA%DxqPKAso2TfXJ5m&EOCjaP~ za+@**WnZRU1mP!JU>9>) z>enVY^aZ>TRiPty?UM%G*ed2V|2V&HBhR3x8+K5e3C;NL=w2(f8O3d5u^AllOpJ$1 z-2%$#LOKB^wWNd8tuczCPSD$A9e0$`j>bq2k-dy4P^joMfa?9St0+XCeh~*fbTM?0 zHVnU=r@8Cvf0PT+mpv?Z!}@MRY%ufKBqC5cn2>dm?fFZ&J1mw$!ITRxE1x6{dv0o< z)|r_jC;G+nQZ1H7tn4T|soqWv)jsz380~7*eG0ta4wgyZpHjB;~ zKCoo4ZlHujtg+&mZQG!h6IL8a-%LJv+W zpvg$^k@CKr@a94$M0lh})apRFcxT+T5nkg6P4pK^=am(glogyVO0|2?6VI^XUT9!O zkyjq}{N1qU1L+6RUcG}&%r;Ll_@5?TKw);s)c!P!fcn~Avlr*cY)|%RJs_4;3@z+W z3IAwN({S; zX`OWMx;5+8h&g{K|8y&9>?;&uy%u7bF1B0g6{q~;m-Qbw#Otp2*RMU~3K?C8F{^m& z1?qQU{ch*$wNaU-@$>TlNs%g%L-!F?-Nz=SlY#(75+?W%gkr_^#=4I@d-dtM5f?@2 z;_lFUY%YBI@R!nwBi)BsjgxdAEtGszZ8NyRN=#0xRVpL9oz7|FQ54}L2kse5bvVT# z2@p#YRf5>$ZMUu+a`ECFyT)uefD<@&Q+{i93WxAS$D$o;*sAbZ*B<6`gYH8!lUYQs z6Kz0K!0}_zsm0I~I_X>x59>bK!+)H;$X>h1wq8=F#ivGj{nK2(hE(>Z((5o3TAM_0iR7a;lV=zfx z4|AXh88aXs6`?*h14I@A{D_fGVue^*R`LWO&w^ASa^8_dA`WNzpDtXwpy-ts<&r7W zzykF@Vu5?CUj52zxEUegmJ;Q#Dm7_7!#GsU2fkd78X;6hxKFPGy=%dt=eetoh|?B`+uK5qZD3b?@XKU$?H$f5a(RFB(7M! z`qeEUW_%Eps8dH04AGa#_!WjD(%>N)gN*AWw@a|nICLm)i2)J&pryEptYI1ah~=Y2 z;3J?lXv3Bx4)2po=M>>0`+dd)+4st8kEafXmxEGYqX;t9atHIbv=jj*BYtVTB zB|u3fzNYdn+w@f|aVj8hgoHg)P_3#I@E5nz1`JQ@r`>GtI{Dq8x^ zfdlWnwQnCr?gY8Liv6^JYeL%*El%h=R@h{i#%Mu357FYVAkEsLH!+VMUBpzJJzN2iWhI&ipXD=2X2f{9g86+DlVkcpao< z6B~Hzt*ngm9WIk{1i>ewAWq9LJEZjxtBaXNX zO_S_on?D|&J5-N$I{j|H5s*=S_L~1)|0n({{(8Sg@Z0@qegMb${WcW2@CY$*AmL5; zZ}3s7H5q%N+RIQLj}$tZstSDNi2;!!q>#efOWL=e{srnV6O`0F%5xDYsh5Bk^0sr6 zBwX8h>}Eizy5k#n5&tD^gR=A3F}@Cyw2dV>;>X7#H^S<0pjtcNeiP!YAWdd#k`?F8 zYDGbEP$+~RAkGha97~}Zoi*GD)d&y{JBe`%igT3TQSlDd(cf6wqxQaePdeE5N}TEO z$5yO+)XmayeUn*Mm+eJQF5kRnMUQv8gzbPlM^H-`2$)MPW#-qhE;cC(NOdq^Qe!#2R1vsldA&oo(ac+BZvLM3JX>}v#NsX*P znO&%3R-1s#VZ;eh;rhs=L65k)7%3A#mx=xZ19AjJG2#K_&J2}SQ${VPl9Kheq@mAE z>7TEPo_qFx_vMAJznU^}=bj0ZA%;GyOx*2O#ZaQ%uWn&gM7aB_^iumK#_WXm5?()- zY!~9<^zic`G|i0A1OXrhAfZMc0pqaP%pQH*%|!gadHtf~oUR(T9!AKzoPYTHFTXvf z^igj6@kh4#GFv-k;_f$pAd0HOyvA7of0EH7o>V;2hl~o6#{+ z<(GhC<3&+(QJHf}m0l2NGmXtf>-)hsOSI=9E9VD&l9odGkwxRQ$xs7iC|%{%a8J_Z zw7-vQNn&e6LMIOdwa>O)5nuUd=swME)>46*u394&XcnQ(?4UE!rVQi;5kTHzm{5mH zXNC`Yq^;!_MftR1L=oB|h1>1Tm~0G^g3vXBZ<-a!H-=p-21x<<=+pW7MX^b4ZebGJ zsd{ApOAC~-j8p=O+qkI>irYY(08s@t3T+ToXvK#?nQwd?oN^3OpAo(dQw|ksJ)9jE zi|K%hDUYdRiQ-~3#&po(i6QD(R9s)IZWTK$Z58K2`a({yfSh2e-p2Pug;TDQ2D8I^ z_o`3o{^ygr|JNtQ`Z{DURn&im-gP*SCY@x^ih6MtV!4n|zsq1QgKCH0c38Y+D3_XB z@O~~bdKt+JBrrgzq5q_cx~)`-Eb(Kr5G45R(}|+Q0}~ z;j~TNQ#HH2$CaO%pDv|Pto+Va3O}M8T1wC+Xf%>uCk3^Y+D~EZ0(5o5AToIy1#D%D zSzEfNpa0@b zZ7xV(9EI8VpU0w06x)M^_h6Bi+nzJ7sf8#`kPni&^yZi+?D; zG5Kd7EwlVH?bI~L9xEVWnGgq_0Z)_OU_|mqID$e)WvFE>j0=bbp|omPR(O&d_ohXy zDr!<&rYqpm6l$abDN|aZY%2J%PV*K#+Esn9j7j;;zOPZ6sjg4tsRPWCSpp%D$z~v zgd>)3dX+hYWu@H~l?B;}P3u-}W@W3lh>zEu*e~TuzF;ZdDW!MT(>pJ|cB7~>f2lM3 zEb@{pJiTn`Gc0@A^6$=H{)!#B{7>@I)`?F)wd`4zx#a2ZzPo&e9l3P+roX|x=1Ln_ z4UYprva9;H_&fg_u`D<}s39s2Pns!a7Z<&UhT-8YNl9Z&B^e32X|N8Q2PXgA>*%Gpxc8 zf^1amt{Bv}!92+~ym4YrL7K-QmUZtwvTD_AkGba(CQ4RTTiJEw1ZA_hX~5mrl`iP1 z1kx7eEb|B=!C*z`6(=6tdjZ@s)LqsCRMP6`LnbjzoYB&!8Wjj*Y!-hiMMd$}y|LbTX%RChmeY27+02=i}V=rgvq7CcU0E4x2bdVff>Mg*ih5S8lEg{i@A4v$T5 zHmAlV8ZF5QqQ&J&NJO;+Q*ugjB~`cT*4mlM-)Eh)<}jw#COo-r)tfJ#L5F zQBmziSvysYiD)ybsgui%JX$#B=5Tp{uVQRLZj9Tl=DN0NtHPiaAnQ!r^WN6-7a#e6 z%_WglnX-fmbKfz*v={%r)EueY+4a=ZE1sy`-T#w=NwcQbKCxov$&*B{$o4T9Ywd>Z zBU`vDSZLB&olafAlbVo_DCrD#Pog%biQZv#R92g;*2JV#)Id*7O-hVQ%I;I0q}2$0 zt6|qw71OBA=;rlT@4rd|IEq^U$s{U%8-Y)|y^*R${)U)2&C$LkJs(kiT(P!%`tQGY zM)A_Gl*=8@u}-2Vw6x=fm!5jD|LTMdP2iWBJ9NN_GnJY;h<@8KSd50;pLL+eeI5;aCgTw-#Du1U6*@0}F8cRoX$FRrrMEcuvQ^7&lp z=|Z3Cbe+rEr`i>nDETcLs;8?`f6VShLe>xfhTYP65Pl!7p@U?MY;0O~A#Gh7Dv_bf zl2V`8k-|Puazv4>P^JV~v&GNM+4__6S@RW-iQ;3=WU*F1f3T{5t*mU^RGZf}`#I%< z&PO{j{q^TEGrQE@U?~IND#tA!S^u-vso9S`wZY2PjC5=yodM~}Zp=yo6)`6Ho9de9 zH4)-je7xkfSdddFIx|uwCk0PMXgE>u@i&uil_DUSgeW#=Q5xi@k=G3cfTB5%$Y@Zr z)-jZmTlc!yX-Z^zw)`~ZY>QxwefFzw%j+Y`M}Gm?CgoNkYgHvvb; zCue0!l3SNfhj{1D%2v)t!=ob z3i34EF4Zc8?2MVcZqq$&cy;Z|yShypUAcbqqP5E1r)t`_9yj)xQ6u-iacJjTzSP>} zBzCxV^ZKWh#cwLg$I^c`_8y|lY4aWk2WhpsFL1l4@(UrDR0s3Z?MYq}_^5!w2U=wF z*u6PTwRz1XQxkn=d@3&|?{YP<>QUaZ3Dbct6BXd*;32&BFij_HVC3YQf8)V)YGRb1 z6;R|;afW#&*`%ug|CYJwAD?f2^`&)lsE^GIT--?y9XNR_lsgsp~;&H@- zdPDha)$Gt&@M%O{5cUA#+9rVuinuGM5ywyl87&oAUx{&MOKPetn?2;2%1@_NG<$p8)Lfz||1q7T6OvS5#Ph*MtpY3{;nPp|l8 ze%*U5H&o4eqhHybCzrQcH*m|;z;dQ};nn)bpHxCGDJu(m+&eqx`G>_t%u`r0QN=as zQvZXt5^GBJQRidCsJeO?8nqZiw$u*6v{RPE1kfTNl@YJc!_%X2L+EMP8u2qI?F{W; zT45soGQsxBYzs(l4N?yjR(m-*_l-Wy{u08uTfE-Tk-^UV|@OWwZ%0-(>drjFV zZ8mS%F!YOZnEEd%b3;cyJo-CgDYn-tXE%AA$X{)Np(~kkbc4@3zcNS35E0TcgV$| zG1pK=DWE;{M@QZA-)pF?A~*;rZqmg408q>gfPK~K$zLr3d>vpcVKf#@4U+*7R;(D( zD5R82sbM%4#C&*)#33ORU#mNVu#QipDN10GG)}TF_%KvhckC$jJzSi^YuHOdd=T*w zHH`;swP+5FO`HU>LThgT^BshvKGc7M#BnyleM05_dBJnk@?yWiWlOZj`>Tl@7J+M{d`E9rYnRn_3KGBS)2`h(<$ zChdi-#cDv|92bHh9A*^EKoWARs09<8xs}hu2Sc8@s9U3rIA?h0t|jH&c5c11q;LDD zwrkx<@1@>5;QF=Q?<5~g-LEn4dIx8JFdHuy$oc4{Imt(oEg@TOk)M?;ITCWLT8F8s z+JOW{hlnCo+8`2&tF_5FfvRdD$DV`Na*~6|zN%_la%ysM^04HY$(m%UU?vc5FRAL> z@*VjL702yyhwO*!@7q;H21Cc<(alCCG&!w3w9H65ml|Gf^g1gmoYl5wdD-l;nS%>w zv>RF5b;7{Xy9!#*EE@exk116>?`%={aQnNT?>_04TZgd=UE1y)7f5Ye-2UCM37N?W z?5SYUyJJ(+Q{#)<@2yD=1ibv@0<*8B#*EW)Yp}J1Rd?v@MvKXaJ0sg%q8VGv1c!`3 z;Hqj=TLA|%81$Giu=x5K#u;S5zNtZMMFlG6C#XZ1PpIY-DI0>GpCU3{J}wI){nbBv z?Qj6>-lLR?#(C>TAO>giDE2nnru@+T`1aGlap5NyRuO=>Pp_z$L;A5H;yBh{WSt*5#uzTtGZsmnR*sV_T=N^9PiTNDVB; z4HSjpF>Pm~N<0)SM6pHN7K*iCANfPi$2(Xmd^$rP~xX3 zRdu}WJJEIzNTPt60(VUknNA}kd{mG7sUx^N#3+&ZfT;zNvYk{VWL7rCZXD534>9^Fcxxwu0u zKp=m1Bl*>B5R)dz$HZrF|Mj4$MhV7aqd`9lK8@mp1~V%QgBAwZgnZ}MzCpS3jNoI>dMg2`x@CI2^^!jZmQ{n_NfO&?SG2e*{CD>t{}ZOA9Z zrNEO2w_%X}q76u~00G5N#HFr0!`Deea_4Kcg|C;o`fTYyvR1a(R@@7jzy!NfTF|OB zBOTX_=yO-9Wc71NJ!ZvSs)2}m#x-_g_hcZt5G*U}+O>=fKFW@DFSB0jUx5v0$>L|8 zUb1AlQh4P{cK9-SvLoX5gywDB76;*9fCHLzvO`PJ?#LEF;a!8xk?If~4xN-{)umA1 z;4vWmBydLfIsF0B6!75Q7LrB8U)Z`W(&xkz)AuP4vB%$@t{l|1&Ui|^zHQq~v1{nq z_B%$5Y6D#w5ssMYCe1eB9OMPPHYw5VK@o*GIVBlxdTqQn#e$V2MT;{wwLi79h{;b4 z;O21wx@-b`)9Ko<(aW~(+}e9l)0Xo)ymQaMPL=%wtWH@h*;>gHo|?9JRZ85Nw47&4 z`}lI%=B3$7Ojw6pL}8M~L>9<4!K6f|pUSczj4m_7lp@&dHWAUqdMP!|6CKZxf(EsM z^MAV&+>SFAUQ;PDLJiNYS9xFVxo>*6Dd@3iiP7jE8=SrPwI^5YW))qkO3S(q>n|M! zwGwU5x*vP0MeF5{EPVNRab=(G{dyJly9+B-gq_+BX+?_@VS_IO=Y+foLYgS?ZHev% zkpd7;4_n0sDqY1X$~M~LXQzd1;Pv@f@7-M5Ob7oe4yJ1yX*sgq+DyuFC+mGyiCoJq z@^jLFRA34SsR<@NUoKEYwwpvNHQk-j9Kp?cVFp*#q%fjsA<-6 zXt#T&heo&V+O>62Z+B8D`?9cEPUjR~$5zb>)q7GT?g{T&yI?ZySt4q%@LltyPz60~ zn-u3s)k`tk#&ciDvPl2o+`1cbfdZ;}%k_0a%7{!v-1GG}6$J&|7cMb1Y@D(^ym4}e zdL@K?oBQma_RTBwS7z(>YkmY}hn*PbD-lvwfNQq-Km}|I6uM%eE9wT`f|$86!h^!Y z!UEyn!Q1a2KJ}illO~NBSk}M7V9dyDlGClb-h;q)O^cQtI|aMwtyYUfnxZ#8Avq;2 zkk`C*+jbqwDu&-PX6B>uixxgIeNevvy(jh^%f^l!JZa2>a|ciFJ*MB_`^T^`1W;XQ zvX+hMJD3ediR8?zoTe>Xb?V%uq3nd7n*vS=>Q7y3^*hcdjEMnHW+7zrLgoP6 zp9kgBsMtMDEkC(*ddb0$FBblteinp(FQnJ;6}E>rvaV#R&VWcbe88oiL?8(QRgj{d zqj4<6N&2(=eVUJ1i<&=#ar-pZgEgU^%yHu^v%-OAmEWkrzZ(aby{^T$apFE^pUfQB zH;%(Ut%5gRoIi8s{P{CyJf=*TkALj!=9>GPH|x~AX6Pr=N}6Xh&F|2wW#%9@v~^N$ z{DA5A%6nOhar^g=Q$F4Q2M`Ai)YKeMj#Cd>W!$*y8(x59qa?9TMG^yG83xtYC`>&B7#0c@G_ zz_7bWuJ5nx*O6yQf}OG{;v|7j65IvN&Acc zqJ)<2he1M_^EPey4F(m{ae;qNe60;=Wrdf@<`n_XC%VG4&Ux*qKTpoD1h)pB1gKDHV0ZvYk1SzHA~4! z5nE+=jK+AKsIzC}YT6VwYnqFaHfg!JnrtTm=LDogN=O*Y&dx8b&Sn~b~!(CEZ za?9Md4@@66*krC5$tuLJln>T?w2K|6UaZWEUpKD2|1~L))lpfiEMWbbt#6x`lJIQj zk+QgI%_TzMc}9t|Gccq%JF`ku?2GxuLC=owHKe$>eIPlf{lF;$ zvaTwrh^Du*{$JhJ#Isx9dd21acZE)i`Or^!%v*X7T}2}E~OCKtBI+ zL5@EfGXDRHd`{e2ESW!M^sHH<$Ig3T-pAv zzO$W{jaA-%d`3x^^qlmfHXVD)3qHKdJ!9AOe)q?fd7CD=oc4sI%$y#o)}k99)lRa7 zo?JVD_M-VDqP^(u{EPSd()(CBWFTu-fgY0IreiSKWfHVj;NA&osV8Z{9TT%Wvgw{SH_0tc|cr23L7&HQ0)M%FyVu8S7$4omAJ8rBx!M~CL zp<(0^DF-y1ml}Wm$62T|UbDA*Y3Wb4%%w9r*PWX8^zym$ol_bTQmTx6j5rgLQcQ^nvNOm)b&!1>@06@agN)#` z@Yq_idVCBTq-v5hY8)L8AEi~)Ie_b!CcsLMC59tR)1ji*RcqoM>n4MWUWT3W)2nO{ ztI+H|;9NAv`{b$-&d|mi$~l%+CvB}8pln9y1-BofvX54l>u>`41hahc@klpvq?q(6 z`m|J^At(X_D!CU@9g%cl6FeGgk0>{YM3)OxVku^re0kwZ0KOj`X&RuqoRDjxW0!XN ztu0@F@WaEGM~!=G(WSl^deWWiCN1qV@Pnh`XQ2U9V^z$a?0n)8-_kXAS?l)J*Vna{ zPbxt9#ZBva9d1>;@*`gPoWC;Z#-sGgjgb6By$$sOP>bn?181DoT}3YK0&OiMO<=pi z!JPjQ`KH}ET_78yp`5S6HrRY+!FuB&SMQ!R9ou#5IcI_9v*p=C)>>LL>uH_u7=d;| zMrDfPte*}lqumCr0c~(8OTD)tWA|XNYq#QHcjbCt9i0(4y6y@PuXsM>*N9J|PTMpNLkF;*rptj+WsGtrkymNNKjS zX`!-Ec~yB_xwAv3k~VB5o5XHqlM0*e%u81O^M`U#Inj%4QU>%wEkn=$Veif3q$rO+ z;C{M$uHKoQ>AChkX0O?U-G$kUfsED_Sh!;U5hM=ON zQ3M4+5s?r=5YZ4tK@^EG{EV>8`>pDk*pKlCB)7$%WJx?87PgOltXGJ0w z0h&Ux&cc^AmFt@%Cj}GHMcnI4&}0F}e4;Penx5uJPWEbOz>OUqY=Z7daED_1+VaWA zCGFx_Un3mmqlyUCJ_YB%aN#uzMI!ACbvoyrJ({2F(6XO>SXj6B)$MoRbb8mp&)1gU zi?a(8r$10IT-++2Y+n0$?+xNf(b>4K`G-T|=@|xsEHbLN)N;X+jk zA0069qEx=bU76988OMWB8z@^K16w30ICO&0A1cc58Gkci4y(-cBDOWlc&hGd?rF?#ByWy6VE;O+|I@7#0%1q{U3j-PJHv9 z|9tcOgxR;un;OL%wJ5@nsuap;_M+y18*y&CYS(leKX)aFAf1h|CrDZXB{nCx?Z|SD z9ZYHAD$aI|nptsFq0aC%q`eR~k`9~;+z4V9tI;}0-C`Xu_kA0aLu7krlyVbGudD*o3QSaR}O zpCtjxw2z6-2_}iU=3C<*x^e0h4#21<)<4$st{F@3aEi~2EXRYtx%Y{i{mnm^XGy;J zrst;GJMVt&nFo7s?@n?Detz1r1zOT8^+)ainvr-UxSH)&r$=>(1iRnou{ngrY3bjP zjS7fP8{C148KGuBT2$Y}E$^5FDv0CaEC~wFAet1WwpZ$=9~T~6^gn0hekjH`;QVsY zV`vYjH7u`ao<)BwTYjonh92C|A?hM-E$+&o__RKla71#X+2eIM^H%?wQFMVwX`% zf9Oo5JV$8tSCH&L=i4@8jeO8gQ|oGVPeAfn>~6oBY?I+*wAvCi4QrC%O|~FICIQLk z4l3d1&!)_|1XQv_^9&!3^Fe6=Ln!C+(K`u8x@@&>#IEF&LN%WVee&W9NKOQtXAL1g z3kOTEl9u-t99($z2jMUt0*Ai&9j)it=HH0UjqNmB2~`J+{XtU926+S)cDS%F3}?;7 zZ1DZDuEWaupa~l4DtuBh9XWMqXw{y`!NUX;iVY-_v4g{EI7fu4moR>OG9sjj0e7;G z7Pm&D#c;m!-#-T%p#N4g= z`F?rs5wz&&0Flps_^d3QcQ9&R7}xIaz&i_^`V)4_8PE`;>)Iz+GlNN4TDHyO4kjTe zZ9}jRdIAM7Q~Eb#CRnX@v<&uYwrsl{-%7LPr5VOG+aFx4D9qKbt-#7xRQtNgHSD&b zT9`OcOh-!aA4CqSJd~9+vwZyB6OFm*e&f1To4VfnLsQYTe!1U;1~wKqiGPVM&C8~W zQTIQ1WuiE?Y?+Z2{N20g*S&V>jOHow%IoehMk!OoBFxAG9;YLE>6qK3x@w1-0q2)oX1$+B9r>Km+dVt~Tv2v768@KrHW zOfO>H9;S`{m9SPoGBV zw_z)93y8+4Q;n60b<=NvQQCQIKO;>X?=!*JDL;%uZ!9hL6woP0%9n1a>*7vBix4e0 zEiFASF+U;T&!NCNdJiWg`qQo9f{awCMX2#yhr=02NBrHJn2_&u=EJ-}P?^jbb8^gX zKTn>GaU7;c!UV<(`A`bQl$c+dD5R+Cy^%^|AxcjzH||hBG-ga$F`@L{GmA^7j&+`K zj-680Bz_W|o9`6cS64^%{9aHp!*$g|_Yf)X9p5}net6t{AZ4RyA{{|ebqKVSdDdNN z*14L5S;Hwtv(BYi^Q3bz>r9$8zOoX}I#preUzk0AnE^l*1{K3{`0JJ zebwq%kZ_l=|Ii^>HV&x)W5>^^d~jhAih?8>HRjhsTzP3yi($XQ_pZX|iW7aG;iT7X zb$z=QcgU$r?IZae{>;MC4jt=y_0a|o>X($HWOgVntE%eMzrkIVRfPa@RdHRP?e*7py}v3rX;ANJzq;|| zZGZpQu1#Mb+q6z>erV}O+pgdAc3Q97*7d)q|FBWjJxWt6OD0u3x9!zu|G3-OYaAUn zy=+lMsl^iB<;$>GS1xJ2`ghf~V)Ch6dh|R&~$lzNLvvodX7?y>a`U zucg_8FR$2h%qj>eytrm7$H%}O*ML5SaEzq12EBHxCWQUIO+U2!o#tkH< z?Kd)(RKUv-T@72JnQ>E76J1zdS5H1#H$W+xtuL_Jw5riXRch->Gs;Ux7u8J5 z@6QgKP+C9gs>Vl_Wc!BIT)uPeQ|rYuqGa_`OXry7Iev3v?>SEnT3UbgwU!ZBk>0hL z_e}g_tv&y?iBCQ+L?B#PjSAzt4oo}?7r)|1M? z_l^9eyphUA*8u8<7(|>1T>}a%2QF@K)jaH-kM;9UyN|y6<|j$Yh`?Xk`c8}+&(Hbl z%g?`7>;L-KgGYcV?I0Jzj-(8QRKheFC5Dp_z_dx}X-POJ3Zc?8Kf6s_t=uNRh-utq zauKSnTqS2ja`V~6OP$RJoOdj4`c0x-;=aADr^MLPyx@_QD<6@6T5LMV}=%RQO+Z)n9i0B)E;&g8TyVtw719+^EL7DVuGL zV<+5hr=7oyPX<4O0uX#sE?Q@qxYY1#N${DHZ?v5>w60ydjEv;$P)f2_!hsTNawu#m zD@|_~$WF$Qbmmnz@oHXC|AxF)g}rG*!M0{p!ij0k?_(RrrR_d4><~Sa^UaNN4LZii zAv0B>rp7YIcm*15xAB^&M?bDg(dV4;&f7b;zOi%X+v+Iv5AEQyCw4k`-YC4)_|w3C zRlPP`UIgZT$e1r~6SKrjaf`74|N0u$ni6pW!iVMRMiZYvn)kBBspY<&6PQl*2Cj#VdGz14@$8%0gVf&PPQdj0P5 z@WqmX_6SX4kwByLna#@|8#nqXc~-00k{@@eHQ!p!a~)h)tYqdXK3htm;zIp!SW7OS z+O8x$GsTty+FERR1%`?*CxbT~I?{d#}ziphD; zJ^SplIlr1(uznpV`<^kcXx1#05*J-X7qKYZt$q7$VbFN@VdGR`Y3`6h5jgx8;V&9G zq{ui;c2VPn`_wb)X3VsR_w|U>`E1FUX?AR;CB>O($+l#ag0a{FIr*3>>MZzNyvs1B z8k_Uar;7exG!sh7^&-4Sj;x^9;^CP>tLPqVmO%5cRXua^uija|)(@OMeaO+HI?^NI z;F@q-75VoZ_6?+VDT}+vOXl8gB6p);p&9bUig~)FAVFXdQ1W0S9%%IjQUF zx+dqkl-}Jdt59z{GqO+Q$`)#)K}j*>aACJNuV{4@9ZuuoW2X8HTSe;y z23;;*VPZ~sVut3D(8?OU>B`J9Sdu2}q=y%mFV>Sx~Z*H12d|I~HY$*O0< z1GBFwt|+munzuN*w2#c|+$mHPx~yZ5{(ccg>BD4^Tf4E`SoG$*jV0Z8za^S7^^LV? zaBu?u9Ud{ly8H3m;@p}p;Tz}Ym*yL%uUY6FLNK|S0Ajsu3c-xNJa;5fI)5&$U z?!v-wnF9%gjzDU-LuF0pZdzUU>Q0@y)j3@C-8xowNv;cry~$E$awcEQE$c7Fj9iA^Q9l~zuYndPKGA4BI z+M^SDrLPn>T^n^upEmw9K&&@L4MB-XX35+x8z$p_8@gbv*gI`mi+y^rG^Vb~k(!)@ z4SH+;bZSO+Zn!w1T}e(sK`|{^ab9+zBQ=#B)``h&9M+du9QK*9Ss8a+*C?i40>`yq z#%X3H4A(=OX<&3Us?3ib-x?;)YL7xV=#%!9JASXEK@T48xlrX+eLW;B-wYXiH z!=e%HrB5TWnEh1EJ zeEz=3yj)ZnyLyYR>*lT#W7f@ECpz~r-d;O*t?~3a9OM+zR&}Ye1(~*PDYMRLN6kDZ z3Tnxy?vG*z6>TzE@$p0AOGOCEhvHshnX6$^c}KA;;hM(w9o5gr%Cn3 zmdu^m`L>%^O(`CA!vo_ymPOD$H{Dc}HX^qucMY;r4&PIWDG?_P_4Stxu9!A>@U#lW;Xw%qcYP9_dBYPg;~IxPKzHa{1~|yTDNxWR zp1mbWP{MTeLHvsE#W@r|`=$RthXUwi*bB5&N#q0NfAGKJKjMF3)BAt@84cO?*VGx7 zE|(9ASo$aI96if6IQkFE#L1&(Tg4BSF1_%x0hUSh&vWH%{)ue)|Mb%{^wSEA`!0U< z-&@-}tL|&puBiO&Nu&S$JzX?RZ5$@Jd|hYN>P++p(=tPO;bM4~Ydzh&6_%7oZhgxm zJi$%)nrGJKW|wD+PBpidM1q;wH8t6p!AObKsXCF=1{DI5;(w{0y`w#QO*k5Vc_=BI z^b0(TAX80+LJ8TpMB_e)O}NTJo-SO9B-ko7)jnH6xCV_ME%4SPVW(b$urE$ts6F)F zdE=_|yY~C~W{s=#-X*`$XZK}Co6e2w@z&s@P3q~MUw0p`-tt1vduzt}aQ}w~Sv_8jY{%CX71FJ%Y;!3ehy38-)KIoF0p~GniSWoIt3sqWw3O6rOHpBxnka?c z*#Z^X>hdzs0U^cf%;k1D2(EAluzST{BB^u^1$wZ}p-DcSYcf01H<99?RCrOH6>d`> zDz$b~sYQY?cMIqthEQwG_9Je`E;$dIA@ynFAHV+?NnfghE|4DMYc<(>VDEurGp38xUe zQZ}rvYE-#TuxDhV$C(9zH4kE5y3MW!DctJHB*RmRI2e8#2B$zI5hMMC6{JOC28}qC5lcGr(u!9QO>*aqMW5aQKYk;y6;{Or#d_iEfnLM$s%4(Por+N8cmG316EtN;h~V&68@Rnr_a7+4jhE&r2;(Xa{NA3y1K61=M-qeWG%KCa%l^!#29iIZdi+xxJpZrGlq>mtZH^aX-e74-x>2suh> zf*N6Ad` zqjZ-yph`GFV@q?PGb94!XxU6#ws?Tt43L_pmASc~^3}94h8oNX=O*!?VPt%;V~eMx z;Jd|Xl(7lPhyV2JM4Ro@)?C;1hxdK;%#^0NotNIZNWJyGaPazNQ@SnmKhkT8(bd}R z!S%+Uku3J+!*@+u<5ymPa!c;}FWc{FyuIP2t$&2gL_A*t>bOw5I1^E5vt9*?1}P|4 z0dBYBAf{JChXtxp6s1EOcHvAsFgL{(DR~@+NjIUo{KW6>zh9Zwyi}>#-F%-sW4F9$ zFW!dC6NPF(^V<@r{xgatJMcCOS~~SN1HoI%|-`p>UssqK-&b1 z4?Zeiy6WX7Aklfos$7^-65j)Y%Wy^-hgmUW&OMZN&@wUqsEL;2HzvW@h<}K7VsoMFt@uz+78-INwkb1Dg@xzC|CS2E}EE?5( zg(I*o$DZO(q`H#c6eyk`stE>z9(TY4r=h3K$*dO1XoF!K8-z9D$YN*Xk>y$UTtEHB zo0mNGLT#s0GQ@Xy7o2rZ{U1Z?_(AQKmtT6*X^d2dzGHmhL_K13|2FIyz}tc{&$7kqMOhi2J5difauSdToe=v<{dc_0BJ-_q#soyX(tMBO zhv&8~H7`&soJ-B0GUoBeC{}Ks3WR(`ai0-J3H5qH1x_U1;e0jRupAGnH%h1yJ?`(1 z-bdB|^Z9hk?VyiWx~wkGBH@q-8ea$pk_W6-6uPn6ysE{GR302>=jI$SiXfe`^=6O1 zwcP9`R}kM+=v4h(vZ24yS1XOG<==fbew?@q4)CUR`+2D!p3OB&dfzld95A}Q1x(hX z)4&#RaiY{487~4w(o`43IzeFdQS8it;}v$KZ6Vh@$4;dUV{1%_o%GF*nf1}HKg6vy zGsG*u4?B4H`dI0AEaE%j_IUYsu6bz5;MG9Zjn}O>71g5)q~CDMJ6-krR200lcx9X2 zgN{6QtOiJY@k+1-0*xHvW>4mFAgwR}ge(~dqpWK}?0sRA7$Q8)N5l^oB=JzAxf&0N zNqfce=0z;k(66NNyr|Dx9PMj>^fZ*kcB8F<8@M=8*4gb6lA?HBUaK36WJhIK#;6wQ z5JaCgG{Va8;*eET5kN)_PVS=;O_=E=&MrHIW4T-!|NCVVPMwlBiu$!^GKK>ABJC|P zc22ZNK5Kqnr66*qiiPC!JDeV>S0q_%iGDd~OHM*FQ|g)m+d+|o(2|;BcCO>KYMZ7; zC^Gk8wP>l>z`=>4+$aa}ih+S(*=*h%XCj&SM;)~1@yGWV8(VmY?3>$R-vqH{WlopJ zjl;tZ)#vkDU2cD(PN<>onnU$FQN%yUrj8R?^#V>N8QtaVKOxgt8=pzo+P@;7}7?7AG8T znnVp1=);Om8u7RPT+F~pu@)I2oCZ@<{%ur?e;DVD&@tl)8Q-K>dj%>Dj-$x*U7c>F z@2VTVr94%*(DH{{?ZDL6J!Y#N3r-SWO5e2YvSTuhsd7*tf|JB>qO8YPU!7?lgVdI% z&zOn^>0q1&Hk@S&JCISBIlmpJvC-Q=Ao0rrPmJ!N2FKLn0Bu47_8e}<(OSpEkDQxp zZ*DHIvA}=eT1J7J9vnRSdA#j`xn&TX&c(Bb(`PwTzI$CL0kw!UGGt^M%5G>VOsHu# zryYd%Iz@~5N_4+?>ZIJF?}Xu`hpfwum!s2`JF8!vOKItmNtzY(rmhDr*asn0#;~E2 zwG)L2@m7IsR}?H!kWz?BF!*#St?7Nylu2*kWo)t0>uI`jf8)uPHV9#{W@#QwJUunjn+2OaE6(iE4MrOyiuHuJ zr12CrS7=exvlExSB{Emte)h?czZuxHc+D%vKWnT%)4bt3wMxlIeBAi+f%lESJm$|h zQ2zCwKK{ys^E+5EV9J)1bt_gXi?S}^_VRgyNoX6Iq=vH75pYdUPxd7RlF_&!*{z~0 zx7sT7YNlSc`Us&i0e2$5*rH;(VGcpBb?dM8-1(d98fX9d=2h#9GEbwNy|T8l)8i*^ z>Hdkro&`y}|i0AGBF;q|~+X zAW;0AT)7B2!dm6B71%B1ikS(hKrG}*fPeFEp;!z67(U^*8SwVrz?@litF8b_B> z@lLJnJ!`J$eP7dcH?BN!i%`!rUR_z=bLql6?ymGqd;Zaf*N+=sSW^d!>g?0wbC-^J zrP(ty?=GP{iKis(8e&^QTz4pe21v@%<5;ywD5}XH1a35KM@WrtuC}YQl z`;D*!QQ8Lgdq*w7``8l9Fs7?iBPl_utVD&N!s=K1_CdNzj0N0%h2Nmy%%^0zPEmC73^50y@~aI`NAEC6)3ldV!0o)uM19>BT}bxF~% zO0^4$V7Q?B;G{u~R<{fxCYvc{L2`N>?Wggk=s^mkg~+SFF@_j>!{u6O(Z2Jt5fopm z!t$Z@YS_M9>H;4jcgNs}Kt-_&8Ru}jqM zEyBr7+H;w6_QAf$p>rfuPf}5EuF|gg(6Y;dB8PTJ0qW2Py!3&m*|%BlxX}}ezrWQ| ztP!ck7vJD;R+=%?I1&zNp_0SrUo_qoonFKj|M}}yE}1Wn1Rg3nXW~Q`zP7#V!nC(= zCBm(V!dt+@nP|iJ-s*O!c9(`o_J7@8(DydF!7wczKy}&|UoJ(X>lHAej~ktE++ryH zgAr?f`iCR?`>edJ`4D>AcL6>r*kP>ZuRrjiov4kPz97PhM#5SG@UcpYLq#_-w;XWg zaE1F;2EawOS8Ugb3>vbenKNN_oiWa$6ywjPY`noM9{!i<>_; znrPEO)&L~Vib|?jAJ7S_BRSE<0zzj&gBYbn>~I?yc`YqQO-i-MUVLTnZ6@i%H@d>= z{N}{DmBt*k%IGaG{Vpzr=e|@=;?0mmwg~vmasn#TpxLvO;Id$A>vrUTP&ith=(frU z5J=w5QnCOX8wA_F8B!TDg82RLs%#ObPaQgXzK8LdG7Qq0jqew`P9dRq_g&x$st=eX z^{XpTg$3UFM3-nC1>Me^MA*gDLXKQ0 zElB+gC%B%;kxmG*+G6*5l^*R)bl}M6ZMzd;jldVJI~1Y(IoCH!LR_F06-xC44U2_d z;5sdqqc=^8Q_b+gfrZHfnp{pE-1rJo zq`REH?^r`6Y;xq;Km2g!rdykCSas&isvDZb=`CBSjqHuriJ``;u4;J``absV z=ttilv!Bx#$XK#;ZC%9e^Ld>KNlD2FW_pvA)Rg38pX^S^N|13N#D!*Znm>pd-5P5D z%RZ0Q4g6azD0=e&RmQY7R?Cv@kSMk`d|vsuCM|Fr-9WA!PD*|5?Qb?M7&r6Oshb)W zi1G3Z&p-yR+aQvRvw_RZMo@hNXQLK5_gv@RyP88rXKG5VP+FSL;Ym;& z38|2YQvT97%ZW;Is1D_&LLq9v6iN@F-ApKiCN!D#4T?v{R!EN- zeC8D6mfkPSQgCOZ02jKgrlaw>D0Pe6aC5?x;Tx(f5cMTOdjFUZ&B%wTp1gkY@Rw)& z+c@Gf4rOl)PL%C8EOW_Hlf33{CyXDyT4cPKTl!W}j&T25{%mOH;<}L{c-LJ^?kC#e zYeBRNAr{|QSB(&BAU}xokOX|Stbue(aS`G*usibWa5OtVA6u;a{470`tLIP}auyub zQWmG#L2HrbitZ|ZiH1Z)OP-`~frg6-Si$54<3%Z{Y(xsnQUCf)Ou{TNN@T`J_&1{Q z8{eOpXp&OPMIv0<%{QBbY$par2?+{c?J^cxABfQtUnrs{MUrRLbpu)br~ufEI z{Ayv?ZO^iUqW0W6#TCfS4S=G#>A9dNI@x=&ay;3HSa~v%aKbPHM8z3^mRbL2vhu{y zjv-D*vwu|!m0PAQAAa*A&7`C6A|l`R!jXw4WvzL_vOh}9Ry6KzH}1035^Z6V_rnGT zz3ySPwqqL|)}$?$JJD}~lCsIwqKA3TI^GS0va+Ug&&-d^C!~}3C7h%-YpX!NPy~ZI zZ)f3DalS*#@W7!2FP-K|#%|W;bfP7&)2UkgsW_{b?m*XP{!+w(7xbw&g_=Ugv?gZs zqCzL<*CoOidGg|MH+=WqW>l^6Hb3qDNEAP_?5DLOmR!+v_cJeFkmPqb@g?^A0dh_=e#%rsMH|rmctwgupNOU%JBrp%6neVUvynNZT8Q0x>x3PZ2q?0Gni_>nD z|5I4Hzi>fX((!}NZ)_63$}rG1*RYD8jG%0MM)=twf9TACNCrGtij1x`7Rlz9gv(DY zmZO%69~&jVk^q-Ryn%I`@#1k7Q$w1u_mC`G!)C%cHN>@OLVe2k$MfGAV+UXR{5^ep z)K=GDF|MaF+_d0MHs5MQURF|erTktVg8CqYmD!=uAIHjyM&82Z^Q*ytl4FsmL8A}t z+L3f$^}EwQEJ?cx$;-sd=ULHRvWWk z_P?HperP{NxvmFRDM;N1{opd6+l@M}9@tSn#K3(%Pe4~ZUIhkr{!WVIxyE5*Qy}#~`6qvo6XVW4lb@)UDPy8L9DbZjcd0Hv zF!3NM*5h$`6WwTJYekGT>c@#0b8RpYF*Isg(9n^UxNE@7>gm_tc!S*hZ#c_s-<~wI zw2TisKfe(bLb!1qx}F}mV0=NmLtannNAE^7G3>H{d%!%V-&3Z3kpEZ5C$CVHfm)V^ zGBv(`{+HaJv?2>Eb9ny)EbKP&embnC|I?NTEdH+!P}T~j_0QQAF`wWmW|vDlLD~L~ zTD7pW6*&M8u-hrgPMEY-2X+9a`7hY~7dRX#pqJWO+H8NpmSx36NZ=z!{1G*tAE*U&GcY*48`5Fp}Amv^7pG)_)u1qSpThpT5=B`bXO>G`kjAE&WNsGq$zhnPk*y zE%Uf_H)<#(D+mAu6_;J6^OTw^5xw)|phNMZ-I6C4Nx5DG49Mgs_09c6TZas|6JRtG z2#Y3iy=1aNo6{c7%mhMv1)ScZoyKbo=Z~O3 z`W*ExGuub$5V`5Zxvp46@R#*r@K+i|tgxfhu%$+pMuIh&>fYg;AtKU#r=$ecBy2ME zAb!%ayZjlpCV4?)Q(c-(j!pH{w$X9C)A8v$zgpb7+wl)c`DVN0==SrXmdEQm-Aw+l zOMH7R{pi~ZOOn66(s2Iv${ud$h2P-L_Vn$g8tbSEUX6ebYMjJ-g5g7q5vV5^k04Ex z`e6j>2bs@9&}k?hgL{JU7}7M5>zXBHJU9g!q!=m&e_YB%Pi1e8xw~RUi zX{qicc<50*knMhzbCrH({l~Q=*#;IIrl_Di0V#xvX-IBV=vbgXC?EeHppPP ze0(alH7`(0-KT%I<(TXI{%sa%?!m4RV}|j#@r3bf`CR>pljpX4w&#-%$)7tG=K#CH z0;E%bz%D5vK|xIk)JjTE(~yp&q5FxH2=mTkMU&5X%f$HJq&0So7i{w?LJW}t;OdK_ z=M}058)r@(GcL%dEzhic^R=t~ux{4f35Im5+Gza6_!m4ndql#CMbADvbbC1Oe8;=* zTzVf?pVy9PEFYuQ2aUH!XUz&zmH$>z1F&cwW$j-wkg6%wXkE`HO zWD$;!!j>M5BG}Tyn~ zdZO0E2J(x3wdxRPoFwvL3X9)?6-Gs+L<^h^R%=p!G|qCOezAgD?TX^`!hUSc6XaKD zu^L%7vkwz4DWP&P7iv!*M2)S=P_8Hv8=6-uPZ>qRhOB^hjAO>R-%t4aWO2PQWU(?p zJid2>(M|h!+ecpy-d`3G@;5*kIi`MvDh8wwenFJwF!A%Cb{X(Pp?#~>#rRPe%Y}>= zS1dk5T=Adq3j#l@$`%j88#vzr3?;F#c@4Z-mwhLcyNz?t|FCw+z!cKX*~>DaeX8)P}*h6q(3H;kX`j1%k6lA>mP}M zLt9zxu@RV(JOZe_H%dvfDIrnY9D_K5$B?FtFe#ZA=PN$#OQRqbV)Da#Jc=Th#`%HI z*|G)#3d9f44#b_UPGdqp9DshH>L~yJnPEQO-1cbX|Lx2$C>N)Td`pxrdzdb&(xNru zbdf0y1a$EdT~wt-Yml67VjkHQ9mN{uk(N=o_cTj8h21gA{U(o;#d*XD>ZUNSzDc8i zSIaR9c98K}Ufgk#c-8DbDh9sGylU3!!fbd1#)C%yuU19zXcy-)a}4mRIfgXteG`x3 zws>$&F%yp~rKh8#v^qPCh(d-A_z{}JY z)_R`xPIJ~c9!Gj#Ra)d6+5%Ec+Jd&(^rgaf)_f*TgL0!6<#OUn^%#AUlv|~(Y-4Cf zFUq>a{ndQGNy3?JyjL}PS-N4J3Q+x+pI2t_{S=JzB<5KlU1L5kAHd&S;Y>Y?=XLCV zikt~J9xo?yXw0R$b%Fi^PM_DMq3;4hWHw|0LW?^o`HzyT=wu?Bv++GXS%$RYW*i6$ zAHA3>$`N9T1%Vc#>Fh4-#lEEg5&G1xGxjNCHjj`i-v@D{q&>gXPiZ$ND3A8 z`KP=B#r_c(GP-U?@gGEr#1XQ7W&kJZL8HO`p|15lIL@tBRHJYp7UV#KMkIaVGaTI; zMH56!M?P=MkQR~+4_00XNSJl7E0j@Zj8Vpy#xc=Ogq~cw`*+X%;Yn&ob@cFoBfGD^ zY2i$wENP!%R(MZPeS`5}k1_2+a&R8M$n8neY&khvhJxaiN?vY~WcPS-?N&IEu=}zr z&MYYl9uOcMJ7*e;*`NSyn+OSoSt)55;cy@clH$Y5-h7Ihhpkj@h+1n^SIOPK{2Imb zf=y@Cx8FJa_x-c~P%`=Y*MIxXw7K5D{rT`odFZ)UU;UeS-N=3I!z=3_m7kw~>(|#_ zi50|5tm}~rMme=MOizZHk*t)5hztCLWSGgX3% zBvR7aUx=VdE8YV~nwXnM{F1o!RJ>*+m4YMutzj6LT-6>wl6!sm%|>5VDBxkX;I?1vluu!g)S5zyhOnFGWF=jP3Ayzyp)Sl`<5UY~J8Ms9uT zwa}mbU@Uy|4dT@b%xVSd#L;>3VyibhRG5Oa)L=@;T2h>yo$n3^RH5#VcuFy9$fD?s znvblS{ML3_w5SZIK_qEyCPxdJz(U4>nd(r4j3O$8f>eMd_|VWPM$jU)Mp3(`gd7=c=MuPkDF4_^{EHnT6fp$S@xuj58ZOz z%$p&PB|G*U*^kYQka}S*9$5GVG#7uCYDvhqxKpxn@~wqow8Tjdxjh~?xpBkk>A^k? z=^ne(yTKmwV8tzcY`%Xs7qmJfe5soP&iJ$`)xv=izd0|panh)h#)!SgWaYtS4>mo# zeE+l0^u2c5{B2*nH*KM!ZZhd$%zFBf$=8@wSBmpj-+}Th{yCG@6EzUa41pRsh-DTg zA$6b2u{nGhXpyKOk^~zW#|X0%aPP;IFFQ-#xwgjc>mE$G`q@-#c&bTfXRxm*-9}RvZ_a+PLhs9Ba}G_p`%LJbl{@ zn-|_VcIwQh>Icw=Q5uAv;cM8h4vdonDSkK;Tu6V+w1%?L5ikp(kgTi}Ey>J(^Q8Fu zG^9jBo&N!2tTrN1d?FlYKDc;JYwX3!r&b<&<;ekWp4xe8-z_&BI`X%bPppwwav7V! zkKg{sS}nAAY7-@Kh}sduX$vFSFPyYd_E-p+Sh;qGE_u+?pn1v}Ns!y?dN;Oy8nb<7R(iFe=LyX#$L=4UAHIe+)HaKpYN&lR7T_2;;cK%eN}hDd zo|LX;W!h~1^mGr{7x7MVz;b#~jER2<-&hG+=3rn8WLx=TGp?CDcJxVO)WIXhm#uxW z`^Cbk6JtEP>s>jkjdK>ON>wHoV^x!pxm(~5XtM0$%3Q7hg0p_`9a}gKE8Iy|uLLhP zDRQEFi=(TJ(lEcomTaZ9YqUjKSPmJ()#lrgjXCek$cc^DochEsmW$MwllI)6Y2(ag zedhyOL+Z7uiI7UTw`rZ}BR$pV>oLL@24?xcXnjuQ>hW&DrW3HDI7 zS8cdpe=}y{m}^cNV-6gajl@&%_@m}tb4kl0zW>fda^@0tWV`Q#tf%3;OIE7z z*#XKRnBj})bwpprz)8?w-notJGbDI~T zcI=%mh%3Gl_I<;5@A{(o?6KG0HI^#gDa}2^Jz~Ofapfy0xCt-#dE-ap`0j0X!i~P# zR6iz)n;$tgb`v)^NF+-_0zPgD9t)yj7Zt~E37lZB4%{R{4v@}}(|3SV)~c&Q@>;nR zDaHRl!GV3EkI4J`Oa1%3Jn*%x8`eMkl<|%{Z7_at0-rGt&I`61`btjWj_t3#edn!& zTL#vR&Itvi+PVy6{~$?Sr;v%whT^8W7bc$&>h)tj%$d&`!!QFf{{(%QNDO z&{F;_uE}8Yn%x)U#EDsVp=^$}!{CF_QBbhrmTy&_Z506hfiCPzZ?~=(d1h3VCtki+4%9Q63~a;15MOaWsl09nCjO z6%dmt_BF-<;oJ4b%71--L0YhM|3Clq@k{l;U32=rmGa6L);~IYXaDC`O=U+^kCL4I7D+^BBB2=KC+ZWMYa zkFh^ChBDV8^BxT+BjUSc8s$mrqSz?PT=jYU8hK;P_5vZyfi-c@$qryBYDmAa+k&N;nlHu;^WL$ zH$=y|yagYk30ED*8cSiBX##&lf60t_E7?3;j7sbUAS&TWbsg5+D*B(G6<2C_$k
    -IQi3*s{@Z^4Wx*J_-bE%yI9&dn-3xlFl>#~BgFXJLGtoVNJb ztZ{r6s;@-HiTY>b^BNl;=N4oyn)52WXq?3OIJd;-)xBk2yy8*HNntSvD?Jjt%PUX3 z+Y;#@xv<*J(I8EOz9t@L>7eK05s&T0Jmoz34=5JF@`G~Wz_<~=U(0e;AHBba@52;D zrFoJoJdY6@Rq}(u_Y{9KebH*IBv<%NequjHz&o>JR5r(`kBuRQUijJ^BQBdfhUIK@ z4EV^tWem#OvVCIx0TmZ7G|0SNga)`i6x5hz%$r}F@1C5>lxtLw2X6; zYQ_R&krJm%fagOJZjOUzqT>|B$02;Cuwg&;QisSh3+OTAryE~bx`coWYP29^~U z&la>?$T;FR=?V2PMgVW7#&9&pAdcWMp!1uU0*Y)loQZMPTg+KJ3OEb0!JK6V=;)b? z$GIs!PD>;)#MlsLnd96`zNehDAuEOVUs@o}o# zaMnWREOVUsaeP|7K}-|oEQ}+8vxp|F^GR}`%T0wA<*bFwSs0C;RMB0BbiR{0tDx12 zTi4Kt^0hRQbR#@(G?Lsh670~~G?F})Mv!it!!(QYCf2CU2tB1a|7C=pa9HCF<}#bq z!U*6T69;h4DszO~xSTK!&}xhWaSnKn#)xZD6ANfHa}50cW^)WPAV@1hV~|!e=OKow z7hz${qb@n-2*lTxhncUz@6?UP{5|G(tR%+UjQgEgo;m^-dVUJuUjzA=PQG7hgn3{6 z#(W;{@60lc=UF~RFowc3XD}jqw5X_QV*Vz}2RzT1rAUcUi#yCPwZ=uMMK%$hh_4j) zd0}deH=mI1GsiHU^@KO*wZGLEJ*AreI0kx={DHB^YKsNYi?IN`#+xI=yF!^*5WN@+ z&tFhA|)YFJgK7mb0h5KL6ev;_;$3*C0i5qSM4#@3%Y-I(ug zMK9Q}e8Q!GPq=_yBwu(BM_QO(qfB~PenJ)j?&GWS2GgsHNiY670RvZzEBQB>UieL> z*HUwqaeA3!(6^SyX!+LaZN}hlEscR$!XU>xGGgo0Xlz%{&@3g22-u_^621_UeC|c` z#My_QI1YFk5;rGOu`OyzyO%2Dnw6?i!3R-$DzA(yV^FW{nLngY=wMi*7wX~a_bUQj zH}*=2{f%DZgVe(pey}dW30HJ6LN8ed>T)|g+pIXdT#@<#I@_a79$t_OM=dpSt*Hnm zp(;>C0RJ+6STu9O4da?tcRf2|(XcBc`!2tKp?bLgHIpt&dAZ@%d)}TfB{1p+!h9Go z{}JzSVP}hX;M^$w^KEmXk9X^LP*EZvZoaApe_t}|=G$_zYV1=fzJ7iv&C`Yw%-93<-RzK% z8jeGAFJjFQpu)`V!8P~q8u zwU5=~B!4EVMZ#N-Vm!Xq6frvF^}W1DdSP+mB>Uu{`Tcv>rP6i6bD!(< z_nvF4MQNe*q7IX9P0vX$>2TcwW7FjgR}4(~!&PI~0(YX(aqD*QTR_UFOGKI!JX>{I zVm+#^nRF_lr6XR5lHUi1aZ7Qa=6?M;>=-%wh9QqUYhPp=J?ZKxjwbC7ma~%@1HZn; zIKT3N0e$=TyXWyXZ}QQbJSY$%Ec7PJHXJk~j)=c0$^#0&35O{$@8+*&&K|k5L!Z8n zY;ZKWUw_5BDB)Sl(QAGk_|;hB^T+Rb=%EK6iM_*SMVu-_DtjR{K+B)x_SOf~fU0G= z%iZ1GGu(^Z7WX#POQu(%tS4qyLesmL7lN%{Z*-Vr9i!ED7*dqyyS!o21Ff*IE@;ds zn&`;PsIZQ-_cD^A$V9RE-j)cy$Vc2vb4WR9?lhrG5}}n2_OLk9h$qroc)~|Kk(Jz* zC%_P+{}WG`h>}y0R;o2qOd8h06qCMq^f`NzZB*lgQI16k>#Y@Fi^9nGdCV45W*h4s zT->u;x1M({Cy$g-B1pq|Q9%%A;LtKxK~ayfAQ}2?p*M2W;nJafQYH7ors9E7NAbaa zmp@Y9Eoa`8-j`LE<(HqVp4Fpc-(jWWZt&jgE`{Qg{O};|MF&79S0_ZE4qaZ6;plL| zt5hEGyo<3ZN(WbtIil%G+Hl3?H65oPec0%g{HE`AG2B?a>Zz8|_WZvat(&pg91Z6` z<)`5-(MXe^ZHxoO#heMMO&|+287FV(AP~^wI?70?LilC+w1wc;SR3i<-ok`E##YGhz07Li^<3 zO3K|^LiXUs`wtu+@=;mjmL+p$Z2f*rW2Ekx2j2uQBpK_~8B7Tus!HTIP(%VXN)(@! zD&hzHZp9`nKFi<+tHbA0kPe>5{1y%Ew~7o?dMb_&na6y&6*+w6HMz*dP-pD?zWG{t z!^xe-Ff{He9b&9c!$Hg0&nO$tPZt@Tgw%2POrr)XI0q|O1YFY5B{JKsr21n$$t8Ut z+~GLW1VRQqR_DM5RHKWLGrD^0s%Inw1wf^iWutoOW{YxE8kGBeDui(a4Ib_qaA@Qc z>x>sW-BmcXqx@s@p-}E5xz{)EeQo@E$idRedzJ~SKcSoa{zt|`Rvq@(7)VWb%X^5h z!w>|v{jhRffvpuh7iiTNJdab^2H|89P~=EL%fU-1bhAY`QY(5i+m(MdZ^tO#fB4K# zpW_Xb4Oq)>NFy5y9QCAH1CC0DrtVdjo9@kt_C^mEAeX_NH5jR$N+6Ijupv;O*atT# zKU)+Ev9^vBBSK)RFRw4wahqCFdRw>LE>LR>6m4DFsbS>luM?cL>t=8NOo&fcpSZ=4 z=ifGO!Q7{NEyVGPA;xge&J<+Z`5LY`^XKEjz0&yX>=XAcTyf9XhDWc#Y;r-dqIg$O zTeNE^W+flBtVA8yT=WXQwyr~@w0-;X%Di?Z1%-u0nw06ac$1`}cICF}DlHS8-<9_5 z@}weBRGbzFL`n;a736T>f8{6?Iy!>?mG3mwUrP=*n1J#UD){pm`vO3C3c^$~+;m=( z$Wx7jU{ENzTzn0Eo)EOH$yMa?d*&}5G^=s0H$3c$-Z{6=n0$Rn@t{ciu2omf=_^*g zW>uFT+4RQ)531H}%Eqy?@)wm4PYI>x=hf6#He6pe)0&YEkCkoPx# zEeD&+#hRw(V`T4VASVjv^@hGy@>WKFJ_z$}y|?DyCl3+-+$IK#-sTf#YTeJ@Aa{a03L}`le8}o{yq7BXD3bmP z3M2>xHUyuC#&Lb(mF>v-`l%mqz3>yB{2T2~73{v@kLYRKYwioN!v=mZpTU{kcg;~^ zdEyt&;feW_2^f81pz&Ap32StBcj03^@u+QN{E0!vU(6@e*#2(-Y$~d|z+*^OaYYqT z409BJv<-;=-e4)k{Jr=pY&WK;X%xYscY}*dReqfnf>ltIbt|FY{@0ZuZ!kya+v|ZU&li3K^`@&MdJ`C#__Pg*7?hIjg z1;e3y|4P0d#@AQz^>BtG7~aP3TFh_>!=(&=!|-;7Pw;!6<`JIZx36XRTZZcxKFe@D z!{_+P4Ge$B@Og&6XSkW+%M4#(_$tFK3}0vXN5<_9hHo<5%J6N*=N*2_4!+*W*YEQ6 zF1~(`N7%z~FT;Hd_cJ`e@F2rO3=cCr!tf}=&-h)(7=F(1IK!U^3M)f9Ll;9g{g%)f z`WOZnCh<>G7-ldGF~pY#&lfN(;X9=a%NcfHSi!K0VKqP5k*FX#G3-h670d~uH_ciw z4+!P~F`R#TEyM8)r!t(!PtLz^2+uEIcnjZY;n;p<$!&SzM_cfx#K$k#=DUCh@deBF+( zOZmEtugm$mJzsa=>j+<0@O33$S2I=}8FpgWg<&1T9t?Xi?8k5b!$AyLFDa~%l;M15 z1jCUGM=>13kg2IKHI<1(Q>BsN6o%6nUdQlyhBJsOkbO*WHp3O*7L7Hk#u`;)jjBnc zQ8oB4{eUD#8f#RIHL50&G-(n^lg1iVlSrd#5@D`Mq)|2GM9?*9R81m{s=?AGNE%g> zNTX^JX;e)jjjBncQ8kG)swR;})g;oWnnW5^lSrd#5@}RTB8{p^q)|0wK@lX4s!1Cd zl19}e(x{q58dZbun;^-WCXq(fB+{rFTrUJkqiPaqR81m{s!60#HHkE;CXq(fB+{sw zL>g6-NTX^JX;e)jjjBncQ8kG)swR;})g+Q)O(Kn|Nu*IVi8QJvkw(=d(x{q5a;-_E zQ8kG)swR;})g;oWnnW5^lSrd#tWh;V8dVddQPJ6&ev37#CP<@df;6foNTX_kG^!>@ zqiTXQswPOIYOGN;K^j#Pq)|0N8dVddQ8hstRTHF9QFwu$CylDHM%4sqRE;&N#u`;) zjjFLm)mWoyf;6foNTX_kG^!>@qiTXQs>T{s6Qof!K^j#Pq)|0N8dVddQ8hstRTHF9 zH9;Cx6Qof!K^j#Pq)|0N8dVddQ8hstRTHF9H9;Cx6HH~+sG1;+stKkAYgA2;M%4tb zJZn@)rjSO} z6w;`gLK;<5NTX^BX;e)ijjAc6Q8k4$s-}=e)fCdGnnD^?Q%Iv~3TaeLA&sgjq)|16 zG^(bMM%5J3sG33=Ra5#gB#o*mq)|16^%84TjWw#KkVe%M(x{q38dXzBqiPCiRE;&N z#u`;)jjAc6Q8k4$s-}=e)fCdGnnD^?V~wh@M%5J3s0mW3v<2ta3ofhzEM^#CSjn&k z^KwfaK`*ydi#NI@nvq+g8M&op{LF(4A7c10!$%mdWVnjqV?4rYhL1B`!|(|nXE#6d zKEn?fe#r1shJR!DcZOdO6p0Ky4808f4D$$EQNXa6#ux1vmN9J4Fv75sAyLXLh*ECB z^Ade{oJP>mEv7S^#iQN8&&=kZ&f)8u7%t^;9_MGC;GeGJ>n(i!M}}|kovl3D_6wsh zGU;cx_=JCYjK?wO^%Gy8XJ`k3`rAu1Zg~v{2blE%G34BeEkYvzsc8I=^C@fGnh49 z)7M02+0JrJOE|F~N63M165fAGuo4O!6 z>Vjlb7bKfHRt(s(Z0dq!Q)k)K1<9r^NH%prvZ)J_OMWZ&%cjn1?n>x#;&a$bqZ0a(}rp~gd%Osn+OtPuVB%8WSvZ>1? zo4QQ0smmmrIyeOQux#ow$)+xoZ0g_^x=*sH%OsmR%cd@qZ0a(}rY@6g>N3fuF7sSi zHg%a~Q%cjnMWbO zLb8cY*9=KEb%kV8S4cK>g=AA#NH%qaWK&m2Hg$z$Q&&hfb%kV8XW7(QHg%RwT_M@j z6_QO|A=%Uwl1*J9+0+%1Or z?9Xr@!@&%%V0b0Ns~BF*uz}$<3`a9G$Dwu3<8{vCbT}Ghg#tM0dXK$-ng^U;o7LJVS#Z){UT@@RywoN6_=IAqi$N3^B}Qn9nfG zu!vy^!%~Lj3_CEaU^s)u$GQ=m&2R-UN5x+Jw19aM8H9XI+*rU|SHN6X09{RYi0cZV zs|ga<6+l-LBz`Mkek*`BrfcH20%&7`#BT-6Zw1V61+%x?wI#`r0;F+t)e<}j&iBA0G2q} zKSfwQf;sq8#A{f@>r=$*Q^f02#OqVU>r=$*Q^YG%#4A(8D^tWXEy7$d8sl@mz{{E=4?-BA!bT&!vdxQp9s9;<*&@T#9%uWz5NC%*kcU$z`lp%b1hPn3Kzx zlgpTs%b1hPn3KzxlgpTs%b1hPn3KzxlgpTs%b1hPn3KzxlgpTs%b1hPn3KzxlgpTs z%b1hPn3KzxlgpTs%b1hPn3KzxlgpTs%b1hPn3KzxlgpTs%b1hP@f{h3K1dovlG$>e zX*tidoM&1N-lqGch04Li-NDY39ZxB`t-ynjd4a#8)VSJ`Y zIa8#ZDN@c9DQAk5GeydoBIQhxa;8W*Q>2_JQf^WNwgHVcf#D>ElNnBB_$!9UTfs9k z2p>op!PyK~0G|kJC-jwuwvVu6MOZsUSUW{nJ4IMKMOZsUSUW{n`XVfS5thCPOJ9Vg zFT&CnVeJ%Q8H}(DMpyL-1{eI~cx8 zkmp{(bFbjJS77eAFWc!YvXkKmx`Wvf%wiZ~n9DGqVVGeN!xDz249gjIU|0cI$<(i8 z>Q^%LE1CM0O#MoxekISVlBr+Gv#Vt4S2Fc0nfjGX{Ys{OB~!nWsb9&|uVm_1GW9E& z`jt%mN~V4#Q@@g_U&$*_$tzIFD^SVQuVm_1GW9E&`jt%mN~V4#Q@@g_U&++3Wa?Kk z^(&eBl}!CgrhX+;zmln6$<(i8>Q^%LEB_yo-ab68tG@Tup55DW3#6)mld8jg$|=cY z2aIDV)!1XX=0SwGq!lD)l0y_ooXhnkoSIY)aMV*usie^$P70i$wz~9z9Nu z99(%MIr1=?3Pn+beH6b3VwBTfx2K1`>7|42_xs_W@AG@s?7i1o-``r_{ab6VSqtxf z5bu8w?|%^Qe-Q6~5br0&TSl|()#^1#v1i-wrldG*7Fth|Xk!v>OrniRrTLnVNDY#j zjrWyzf&0LZfuE3Hl2slfBsClFYdlg&YBt`s#|uf##ydy1gk+VYj->WiGdlK2Ry_!Q znzDJWJ}FNb+d)l=jxMaauQ8WqRB}#If*7G(c~nWoYZ{2uYZ>E4}rtr2sjEJ z1wCF%YChk13_K3z!3oe~x1{Ftjo$}Pfs>%ep-Ii>8>c{z=8{!2)XuZ|NzLk;$s+a- zuuIr;*nUSOHMj38JrYT3hTpd1!=&c?4M$9xa7evgKq-g3VPI&41Uem@NP;5zmDyQG#R`N z+i__!cn9{)+*J$yUv2~XI$-qIfh1oClKMK}yxiZDf%|(haDPt*?(a!`9WeSGoeb*T zLW17|KLq+4K~moc#Hzj#82xrj>PvysJu90GHc6=%V=>qypdKz!Qq~_b5@`!&`Kb5W7Y5l6+YWrQ-o}Er=cG~HloldIf8WW^=b~+hG*tcW9 z2ivpL$#5ICXQz{zo%R#%z}|uVe(Vomdv-dh*=b)>hrJU_f%V{rzz>5T0X>RLhV)k6 z;5xsVbdM2|VI#Ij3Q6AP$&g;mJ3SfFi+QsrHIMDwJ$6WHHrqCRIeY+{z8pS??a@S1 z^V`10QAAR++_rzg;b&p;Aow}(^PuNKlbYo={xNrXW_zc!Yeo3$;4O*`c1q8UZD2c? z0Xx7fI13iRl2OVml=kXr^0-ke@v3&pr$+6)F4VuZgzpA#1#bgy2j2_654;0>Kd4<_ z^cC~hRPtRar_t)VOX@lgV@pXD0Q!S2$RP~Tg^p2IG47k!b zyOJI{opvQXl&$u!_Nn%7yq}c+;Jc)Fx=V`ZYaYhd-UwB@)I0R66i>gZkJx?}_P@ve zZR~er-wHaG*rkZYS4P;kV|xZ~m!cP^Z^M2c_IB($uswUcOYw}a@x00|MK!iRi0!e= zE`5(PdW^P9-{XuQ0zV8=ca2tD@{f^nH})T3{~>lG_Q$d5Us60jhyEqSvrYe!;@O5J zDW2_5ahIc)T^iju7e_CQ0@t4B&v znbGQzLOoK7yKGxMQi{8bR*#h8E?;T&NGa|zT0K&VyNp(kl;SR<)gz_2%V_mTX&r^p z>XFhq3ZvB{rF9fWt4B(4m(l8x(mD#G)gz^K6h^B@3iU{#9x1J(aEjFWxQtehl-5@m ztsW^wTt=%$N)eaQ>XA~!Wwd&v6mc1?9w|j!Myp3k>n@B|j}+>WLOoJici|MPM@kWw zo{4&-P>&SqkwQIEfz>0Wh|AYlJyLWLOoJ?hl*R&BZYdTP>+=2CFPEKq)?9(>XAY{QhLwoF2zeK zv);D0tsW`GOHQ$Rq)?BPMm@Hz9x2o#g?gkk0&=?5Bc*uBw$&qrdZbW~6zY*eJyMF7 z{HxU?g?gk=j}+>W(${>aTRl>!M+)^wDPD3dtR5-Nd)T&mq%`|soBoA*q)?9(>XAY{ zQm97?^+=%}DbypSc*#$&dZbW~6zY*eJyMF7oNo0X8bq9x1H~Fj_rQS`}cl zdhC`;tO(80ZmERPnz@^?(r(5|yBRC(W~{WEvC?kFO1l{=?PeZtH{*`oj5u~P*4WJq z)ow-&yBRO+W~8v28LHik0(Pr4DlfG|qqS%^k@Ie5jdl}r?q=3#H?u~&i8FVLF!pnutqk+HwH|G(mp0mVt?Q|EJ+-c<*7efHex-jD^h$tw zX`|6^gnHJG)k_=C%D$I$uOF+IHu@T`AFG!(jtjkhtiH-6sh2`J$2PDX^y->=DWuVB zZ0cdV9=7XYyB@adVY?o->tVZI3hBI_1&6?4a0DC$kAmL={guC73TZqJ=D`W@B%y(&&|G^-@UVP5xC1 zshZLn>!pyk-6rd$kha}2>!pyky<)9i3Tbp~Q!j-ydX-we6w>HbYV}e`qgScbvr4UA zBTzr*_drJ-_0mjnD9!YfX>YXudTFLpKISJ&Gj)wL(|Et1Ce5_%@2BFM>-Oh4gnGb7Ek{fF3%*dNEf2c+Mj0QDjL4jrhM zX8JCVG3%w7wjGz&OEYa-8S15(w&|79Oxqq~)=M*O|AIrWO|6$^8oiRLUYcq2N~(Hk z=Gm$}QjZ%#M^<~J9>x!Xj&t@9=j`c-4>SHL$5?&oL`#y5t$K1}oz`5@u_kHBPkKBJ>x&LX^ z?<;qqayPzNcsIGs z#H)?OtBu5~jl`>s#H)?OtBu5~jYOM`n%VP{9bq;STQ(9~HWFJl5?eMBTQ(9~HWFJl z5?eM(>vWe?&gk)Dqm<1^nTfs{iFO)^b{dIx8i{rqiFO)^b{dIx8r5fYFA+{7u}x!0 zt<@`??h#NU(Muz7OCu3WBe6;&QOYOa^Aqs-3Hba3eBML)J*3}5`aPuIOS=9AC2!t~ z_wU8~_u~C~@&3Jd|6aU*FW$cw@865}@5TG~;{AK^{=Gc^-d{W)@9!s<{p7NrT=tX8 zesbAQF8j%4Ke_BDm;L0jpIr8n%YJg%PcHk(Wk0#>CzrI^*u7P0wK1ck$26@dUFBAk zrWK_bk)>%%Y1&enwv=XklxBRCW_*-pe3WK-+_oHw3qi^@4Z}+Q4w^x0NR`DrX#itazjw{9AD?df- z`YG!EDMbZJfq_pcHW;sZfV&>xt_Qg50q%N$yB^@K2e|72?s|Z`nrLrLw6`YOTN5p< ziI&zxOKYMPHPMQiXhlu5q9$5V6RoI;R@6i*YN8c2(TbXAMNPDsCfZCBZKjDf(?pwT zqRlkXW}0X-O|+RN+DsE|rir%EMB8YhZ8Xs~nrIJAc)tnXHQ~D^eAk5Un($o{zH7pF zP57<}-!yP z#KWzDBjHv>8b*KbYt`3Gqt~ak23|GYs;`+wt5&PNS~}h9(^>=Qen5gXcDQZiDAGcy5E|Hh6A>=Qen5gXcDQ zZiDAGcy5E|Hh6A>=Qen5gXcDQZiDAGcy5E|Hh6A>=Qen5gXcDQZiDAGcy5E|Hh6A> z=Qen5gXcDQZiDAGcy5E|Hh6A>=Qen5BXVwo=Qen5gXcDQZiDAGcy0^La~nLj!*e@4 zx5INgJh#JhJ3P0;b2~h@!*e@4x5INgJh#JhJ3P0;b2~h@!*e@4x5INgJh#JhJ3P0; zb2~h@!*e@4x5INgJh#JhJ3P0;b2~h@!*e@4x5INgJh#JhJ3P0;b2~h@!*e@4x5INg zJh#JhJ3P0;b2~h@!*e@4x5INgJh#JhJ3P0;b2~h@!*e@4x5INgJnO%P>O1@SK6?3_NGxIRnobc+S9c2A(tUoPp;IJZIoJ1J4Af#(c7 zXW%&l&lz~mz;gzkGw_^&=L|e&;5h@&8F@Z15<9q`;id+vbe4tVZ>=MH%8 zfaea{a|b+kz;g#YcffN8Ja@oz2RwJca|b+kz;g#YcffN8Ja@oz2RwJca|b+kz;g#Y zcffN8Ja@oz2RwJca|b+kz;g#YcffN8Ja@oz2RwJca|b+kz;g#YcffN8Ja@oz2RwJc za|b+kz;g#YcffN8Ja@oz2RwJca|b+kz;g#YXW=;u&sliR!gCg$v+$gS=PW#D;W-P> zS$NLEa~7Vn@SKI`EIeo7ISbEOc+SFe7M`>4oQ3BsJZIrK3(r}2&cbsRp0n_rh370h zXW=;u&sliR!gCg$v+$gS=PW#D;W-P>S$NLEa~7Vn@SKI`EIeo7ISbEOc+SFe7M`>4 zoQ3BsJZIrK3(r}2&cgH8Sy|c%!<{hP3Adea+X;uAaM%flop9I*hn;ZP35T7q*9m)_ zu-6HDov_yld!4Y?345Ke*9m)_u-6HDo$%91-8-p!Cw1?n?w!=Vle%|O_fG2GN!>fC zdna}8r0$*6{TtNrzkpAGe+fQW<=E`WD#vC|YSwo}=+($isx93Rroi2#dw$@_sy$#U zDQ#dom;pP$ESTfUS?nTMGOBIp`Dz=+I$xuuZ z@aIOg8Ka~9Cy61SjQLCAlbYo-{ub!f$WLlc&v+|%8+beTUhsY39pL-H-vJ-<^VMdI zkAq%~+y!r4@YV%yUGUZgZ(Z=#Rb}3~)Dv$A&0Cjdxt(I(x>zaK#Y(v@&2l@%ymhH3 z`bzWG#Y(v@R?2n3TNk`_!CM!+b-`N~ymi4_7rb?8?o>};rCb-hb-`Pg`kI~(Z(Z=# z1#eyO)&*}}@Ycmjxh{C?g14^Fymhfst}8TeU96PrVx?S{z709WymhIsDHnL_g10X9 zwX;>-@YW4)-SE~8Z{6_L4R77>)(vmn@YW4)-SE~8Z{6_L4R77>)(vmn@YW4)-SE~8 zZ{6_L4R77>)(vmn@YW4)-SE~8Z{6_L4R77>)(vmn@YW4)-SE~8Z{6_L4R77>)(vmn z@YW4)-SE~8Z{6_L4R77>)(vmn@YW4)-SE~8Z$0qV18+U>)&p-n@YVxwJ@D28Z$0qV z18+U>)&p-n@YVxwJ@D28Z$0qV18+U>)&p-n@YVxwJ@D28Z$0qV18+U>)&p-n@YVxw zJ@D28Z$0qV18+U>)&p-n@YVxwJ@D28Z$0qV18+U>)&p-n@YVxwJ@D28Z$0qV18+U> z)&p<7@YV}&z3|oxZ@uu=3va#f)(daF@YV}&z3|oxZ@uu=3va#f)(daF@YV}&z3|ox zZ@uu=3va#f)(daF@YV}&z3|oxZ@uu=3va#f)(daF@YV}&z3|oxZ@uu=3va#f)(daF z@YV}&z3|oxZ@uu=3va#f)(daF@YV}&z3|oxZ+-CA2XB4w)(3BW@YV-!eel)?Z+-CA z2XB4w)(3BW@YV-!eel)?Z+-CA2XB4w)(3BW@YV-!eel)?Z+-CA2XB4w)(3BW@YV-! zeel)?Z+-CA2XB4w)(3BW@YV-!eel)?Z+-CA2XB4w)(3BW@YV-!eel)?Z+-CA2XB4w z)(3C;Kd#y} z@YWA+{qWWgZ~gGr4{!bO)(>y}@YWA+{qWWgZ~gGr4{!bO)(>y}@YWA+{qWWgZ~gGr z4{!bO)(>y}@YWA+{qWWgZ~gGr4{!bO)(>y}@YWA+{qWWgZ%>Q2m8z%3oADNL^0YWH zwt?+n2J8T{;4D}KOGedBsPgMMD!6fKsg5}=K$p#pqvAgbAWOVP|g9$IY2oFDCYp>9H5*7lyiV`4p7bk$~ize z2Po$t0?LCQHuIR`1{AmtpSoP(5eka7-E&OypKNI3^7=OE=Aq@074 zbC7ZlQqDojIY>DNDd!;N9Hg9slyi`B=2T9N`BhG%=P+|Bt!>XU#i5zPra#daZ5;=V( zF?x+ePV?JFuaU^HMk1&AZQEWWk<`pJBave?mkYc`BFC667kG_Cj*(q1@EVC+;58Dtz-uIOf!9dnSR;{RjYN($ z61l)@Byxe*NaO;qk;t(|BF7quoW7u`JoYSxzKAQa_UpIy+$IZo@Lu>By#Fsw!KCor(R~;Yb0{&Yqq^cBBvf_+iN6p`etGD z8i|~~Ss1-WBByT_Mz4{`gUUrpNd;J;t}`F}_WY@ojpHZ_{IZn;zra^cdf! z$M`lq#<%G)oe$I0b5xf~~#R02Ng_GnyN$!)>agy98$$gUCC&_)1+$YI> zlH4cBeUjWK$$gUCC&_)1+$YI>hA+i4d?}t$lr>&8qbSShC~Jl<#WQ+;DTOb^GkS}S zSDm43XDHhl%65jbouO=JDBBszc80Q@p=@U;+ZoDshO(WZY-cFj8OnBsvYnx9FH*J_ zDcg&b?M2G=B4vA#vb{*zUZiXnOI$QdL^Ml;GfQkU zOH?z<%=0V}%Pg_VEK$lV@yV>lk}8kJl16{Oo(=r{dRAje<6X{0V@9X@`}M5Gj6#hW z^{d#^U1HDZh+>vE@+|M-S>D34ynknT|IYH}o#mZ7%iDIA_v|ch*je7Kv%FPjLw~=X z4gLLkR%1q^_p#CLnCchWv(1R_&f>cw{1@TB2>(U+FT#Hj{)_Nmg#RM^7vaAM|3&yO z!haF|i|}8B|04Vs;lBv~Mffkme-ZwR@Lz=gBK#NOzX<(U+FT#Hj{)_Nmg#RM^7vaAM|3&yO!haF|i|}8B|04Vs;lBv~Mffkme-ZwR@Lz=g zBK#NOzX<I%~QL1YBx{q=BeF0wVS7Q^VDvh+RanDd1^OL?dGZ7JhfY(b_>*Q zf!Zxly9H{uK*Qf!Zxly9H{uNbMG>-6FMHq;`wc zZjst8QoBWJw@B?4sof&ATcmc2)NYa5EmFHhYPU%37OCALwOgcii_~tB+AUJMMQXQ5 z?G~xsBDGtjc8k<*k=iX%yG3fZNbMG>-6FMHq;`wcZixtCi3njyqq&u;r7F+;E>(H% zcS-tY^f$pJshn-k{Vr*g=M;YvT+*zL(ce;+G^=CuH^C+5ewQ>`V!H^IjM6JTUwUQq zx6~!+m65y{2`(`bTnhXxbx9*Z-{o(qOU(T)G55O^_?zI8bj;{jYl%o^DdumfOByE{ z{VjD#<3!`TL4QkK3jIxRN#lK^zX>jBjBoU})FqAUjs7OMBpuW9rDH~aOI>2__Z6b7 zSBSD+(OFO5s(MB7)sXN**mvsR0G7t8o!8DA{pi)DPVj4zh)#WKEF#uv-@Vi{j7+`&!&hv&kPjvl1$V(IU74ljkuNCrIA+HtkS|P7j$?F1nT_CRu)awFyT_CRucyye^Q}1@gK`UYE%05_w%BuS?{0iM%e6*Cq10L|&K3 z>k@fgBCkv2b&0$#k=G^ix#P7@X9f5=E5O%T0lv-(@O4&zud@PtofY8gtN>qU1^7BEz}Hy;zRn8pbyk3{vjTjb z72xZv0AFVX_&O`V*Q+j3k}Jl*U(nVAe?eOh-Uj-AE9H*;Q|oUG+A#r?HgRYxk<0wq*rdzD>vztoAk;}dgUg)a+6-UNw3`0n^EP_o6-0lKc8LoHiPZh z-c@f?dm0=455Y~nJ$DuNKCR%>3O=pi(+WPVDDqL+@M#5~R`6*BpH}c`1)o;% zX$7BF@M#5~R`6*BpH}c`1)o;%X$7BF@M#5~R`6*BpH{SsvdXMol#TXjCA3c~ij>3~ zKCR%>iXx?zsx5rFg-^He=@vfS!lzsKbPJzu;nOXAx`j`-@aYyl-NL6^_;d@OZsF4{ ze7c2CxA5r}KHb8noHDL5*r!|gbPJzu;nOXAx`j`-@aYyl-NL6^_;d@OZsF4{e7c2C zxA5r}KHb8nTljPfpKjsPEquC#Pq*;t7Czm=r(5`R3!iS`(=B|ug-^He=@vfS!lzsK zbPJzu;nOXAx`j`-@aYyl-NL6^_;d@OZsF4{e7c2CxA5r}KHb8nTljPfpKjsPEquC# zPq*;tmVK&&$@G6iq5f|u)JR15+n`1wvNaMBY9u1mNJOZSh)^RDp++LYzp?F+h*1B( z3j((jq4ZoR4HW9%Ou`R<`hSgV>A6sPE|i`NrRPHFxlnp8)Hi*hzUd3~O<$;Q`a*rv z7xsfs^MoUy^jzuEbD`RaP<>yhZ|FjOJs0Y`xlrH1h1w-RsBhoG>qfT|p?2XG)_`vZ zrRPeaE^a5Xw}H}g+3Nd3>A6sPE|i`NrRPHFxlnp8l%5Nv=R)=UAaFYoO3#JTbD{KH zCg%n3)o4PfFSbH`s}=Gzw-ed_Hz+-qt-dc*-xsRy z3)T09>ia_Jxlnp8bUO+0X^2lld>Z1@5TAzb`?|(H4e@D+PeXhf;?oeHhWIqZry)KK z@o9)pLwp*#@9R1CY3RN$v`<5P8sgIspN9A}#HS%X4e@D+PeXhf;?oeHhWIpe-w#6f zeW86C;?oeHhVJ`Hu}?#M8sgIspN9A}#HS%X4e@D+PeXhf;?oeHhWIqZry)KK@o9)p zL-+k4#HXSAzHIw6bl(@+ry)KK@o9)pLwp+I(-5DA?)$pZJ`M3{h)+X&8sgIspN9A} z#HVkPPj3Wol23&ytx;dAgPW@KO-iV5QbMzIlRSG?s97DMW?F=r)e&k|N2pmHp=Nc2 zn$;1ugPPTm-2rAnt@KukW_5%`uw;}k^nCfks97DMmEk7wY}^f!OQ2aDrD#@1s97E1 z2KaBFW_5y_#J^FqIzoLr6KYl`xXCjKLe1(3HLD}ktd3AK3Bubz&FaY3td3B#I>I|Z z&FaY3td3B#Izr9r2sNuC{FX{y4R6)(Rt;}H6U6D}ts35{;jJ3ps^P5~-m2lP8s4fs z1EcHBTeW9kgyyXp-m2lP+A}bLPaDzm;jJ3ps^P5~-m2lP+A}b^#=KR-TQ$5@!&|l5 zt<%k0HM~{BTQ$5@!&^1HRl{2~yj8H3q-tUxQx<-v+(|gcW?fqK3UyJu^ z@qR7duf_Ydc)u3!*LuH*pffl?H}ya2 zD(%58)H-dURuBobrbXy>%Q;6vtJ5u2R;OF4vBgg_F$L&6Kw6lF8ez6Pq8;#^5B=jH-T>jZ}K(jJG!1x(k<#iwrfb&9_+H;j;%e| zW#7zQwV+l_D@ALhh1!E%s57sHT0JY&>RF*y&kD7AR;bmp!rujxJX3qHD@A*-3$+Kk zPW*B)4l5HdKzP~ zTh!m3@`!&`oF-d+U%x6^v#mYYh1!E%s6E()+JjwqE2ur#W#5LaJ=kSy4|bvUU>Cj@ zTYIp})*kFa?ZGb89_&Kx!7kJu>_Y9qF4P|ELhZpW)E?|Y?ZGb89_&Kx!7kJu>_Y9q zF8m1i`>wk*#3^@UYY%qWe~7I;*kykl`yP;9%;@qKDU5$jlde73W#5ktON=*fk>)s^ zzAWXj{b{bz9_+F`t8j}{$o4Nd{47i!1V0CU9{eNl3*aAfm-b)}Zq=L1sGZz`TcyTE z?R2EpV@*q-X$dqffu<$UG|tJ=uYLSxX$ifNeT_9Ofu<$Uw1m%

    MAzfu-#(7W5VH7%hxxNU1% zLho^>Skn@Eo7=XgCG<|WZB0w)&2HP8mO#@IXj%eIOX$t+bZc4yO-rC@2{er}%am?S zPvS^`Z=plJ!^qn3%LCD614nwCJ*5@=ciO-uMIv#zwJCD614nwCJ*5@=ciP2-$3 zT|@gs(-LS}BCw_<(6j`amWWx?5;1F90!>SxX$dqffu<$Uv;>-#K+_UvS^`Z=plJy- zErF&b(6j`amO#@IigV;yG%cZM$F?;sfu<$Uw1grbr(4q!Xj%eIOQ2~9G%bOqCD614 znwCJ*5@=ciO-rC@2{bK%rX|p{1T$j^G>uc|l#4YjfuR(;_r2LenBNEke^GG%Z5YA~Y>R(;_r2LenBNEke^GG%Z5YA~Y>R(;_r2LenBN zEke^GG%aElH$u}QW^p4lEn*foLenBNEke^GG%Z5YA~Y>R(;_r2LenBNEke^GG%Z5Y zA~Y>R(;_r2LenBNEke^GG%Z5YA~Y>R(;_r2LenBNEke^GG%Z5YA~Y>R(;_r2LenBN zEke^GG%Z5YA~Y>R(;_r2LenBNEke^GG%Z5YA~Y>R(<0)u2u+KK(;_r2B2J6YvR(;_r2LenBNEke^GG%Z5YA~Y>R(;_r2LenBN zEke^GG%Z5YA~Y>R(;_r2LenBNEke^G;O%cXU8sM52iqv; zHp;n;a&DuX+bHKYshO{FIk!p8j4tOkDTC4F+(tRKQO<3Ya~tK{Mme`p&TW))o7$VM zS4%UxoZHmKj4tOk%DGJ~%C^h7jdE_IoZBhqcFMV(a&D)b+bQRE%DJ6#Zl|2vDd%>| zxt(%ur<~g<=XT1uopNrcoZBhqcFMV(a&D)b+bQRE%DJ6#Zl|2vDd%>|xt(%ur<^+| z=MKubgL3YmoI5Dz4$8TMa_*p=MKubgL3Ym zoI5Dz4$8TMa_*ppqw9|oIbtrM&Oefjc%VlnbBy!`(#F={q8dv zjrP0GWE4_PpQ5-D_!LE>+ow-aG`fBI6h))`?o$+v_Pb9}G`fBI6h))`?o$+vZl6A9 za7E~T7L8Hs*GX#w;r_T^Hx|}{e(CBjdG(aKc^m%`J8s+qPe@dsEKJU-A z%jxs}j4r3o`!l+nKJU-ya{9bKqsv*Ra%xWvmDA|iq&k&$T$tcjfBUXelw$Ok?mERM zD?-n#)>V1Vxvpv-=r0a+icgI9fS%c|tJ;tKNo<`Oqm=tVvt1`noL3vz4(ikxrRdZc zp-znvc5-DGs8eH<(gW($7}NRI_5d+nCGlxp0kd5&N}8f>zL=PW1h2)dCofK zIqR6`tYe7E0xlOJt+CcIAG zwC(xuI>jEo*R$evial(5ZoE#hhi%W0*D3a}{WA6|py$c!m?^DernHWk(mKT+PWL={ zonjB)c*iam@!27dy+4qgX;3i?}WonjB;o4~h%H-T=$b&5Uwt6OrNVh`J%X|Gf4 zVcYZVb&5S~*Me@Db&5TVZhLi#H;it3b%EPno#GAS?}80xhB@0h=4|T}SNK=jmEsE7 zYX54VYX8RjNzth>vK{BwDRS^No*}POvwr3vd)Prnq!`7)WvbSU3f$c8>b?Q@2_q=PJdY0`EV*A@rogxQg z3iP+3Iz`S(YNrvQb{Y|CrxBs&b9OTJ*~!>vCu5(TjD2=8_SwnUXQ#$K&g)rl2-Hp^N*Mu1 z!K0vd8d3TfsGUY+9|!ZGb{bL2Nl-hD$o@Wf3Y-LW8jI2kpiX0vtNFPN9iVm^k*%FZgue^AC+^f3$LRj( z6CTBtw8%Nq-WcQTlomNfr?CV+|54YdB^&SebM!{Gt(``Mo+;faEwZhhMgpG>sb8f< zN|6@X)=ncr&!X>?7TMNLBSP&oB218?oknCw*xG4C_It3k(}?VC*xG4Cwssm3-hr*1 zMr3QJ5utV(5o)Iqp>`S(YNrvQb{Y|;KNFPF+G#|n(^!N$jV0KH7VScde3It4QmjRsq#5i&i*}(!yU-$^U^pJ6 z(4rJtltPPqYMyo_MvHuE-imB%kx$JtnjfE(wq0wVo#z~_MLs*vXf5*Dc}8oI&(8CeU7+WdeRiJFbIU$E&*-^jpPlEt ztVKRM&uA_3*?C55k^!5j$Ylo=a;j^4WQ|twlaN&$hM5XXn|r7WwQvqqWFq z=NYXwzbHo>Djgx`7}M-)*_##XWLrj)AVdxi+q}% zZEKNF(=%F&e43uoTIAF8jMgHbrf2+p*BUMIX?nJ;MLtc>wzbHo>Djgxr9%20TIAF8 z{HwLdr|H?Y7Wp(i+twnVrf1t)ltPPqnx1WIkx$dJ4Toq^N^y~yv=;d^J)^bAr|B83 zMLtdMhVVV0M^C$@9!8I4e43uoV;P^OXY^Rcr|B6zmhowNMvo4Bnx4@k0-vU5bZqa_ z^o)+@eVU%pvHEVcPov{=pQa}yLiTBTvc;j%QKe7QGdiC1X?jM-kUmY%=(y3R=@}g> z`ZT>80q0%`T|3Ub61sMKs2%5C$#(5H_e$v6aqgASwd33?p=-yvS3=j0bFYN19p_#N zT|3Ub61sMrdnI)3IQJ^x+^c|duY|50=Uxe2JI=ilx^|p=6d#T-Ce7Bd{?ZtO{soh?Dx0l-O#dmwD-ClgRm)h;c zcYCSbUVOKg+U>=6d-2^~e7Bd{?ZtO{soh?Dx0l-O#dmwD-ClgRm)h;ccYCQ_gVq2y z2Mtx)xkc!ByFoQI>f{lj-*gSCuTeX<2(@#IP&>B>wR4NmZ=wd?L=8m64ZMjOcoQ}7 zCTieK)S%UvzTP_DfWkMR?G31U11jBsJ~yDu4QO%$s@s6xHi!+~D>jT?<M_^q~P|Xb2zk^TTFPJGaRGmU7|TG~utR<$OfB8{aIvlQo=o5ue;e zd~%oKjg{aov3*wPmBV+5ZR2jzz2f?=sy$#UDQ#dom;pP$ESTfUS?nTMGKxJtU+fvZ z;`%PJXCyCHz~03Q*t>$gq&INaGuRuTR}SALR)u2K=#kxB#8G$Yy`x<8elh+Q=oQy@ z>1|@X6}%0+9egkNKJX6k{owC_kNNpx)%ZB*mBaVZdhet4-WMFymG=dQz-DoNUvOCb z-xoYi%9m8O`+^py;QjmX{(Z4eDy0ejo8Z4GxKGzN1#T5h!6TqYzD>cS*nf=OtlXRQ ze5Zer^edJ_>6oc6!XS63m?LF58=Cq z@ZCey`XN21Id}-)J%sNb3hcXw@ZCfB?jd~l5WagD-#v`)9>#YMRD*KQ0~)$Rkew6P5FTJmQo;1;3(l z9ti#n`>Xu=HP!S$V80v)T1jsQJ)e0X$YOVb-{8t8xXa!-5Lh=31m6aqB;`BUU0m5s zN)OlvKE<#7*iRc{UKw>D=9N(g_~Lc|uN}Z^2jn%CDz;xwdjwxRf-fGy7mwhJNASfX z_~H?K@d&fRf{XLYa9t@j|_If!=-;+=zd=OErW7`SI0#774M z_pF1;QFqab4&t?g%F*d=Q3nI}tb_RRAbvbZ8~Yq({v2ig9Ql4O_)A^+x!}JFAEkDW zQoBdF@=>mQl-fN??H;9ek5aowsokU0?on#@D78C8T@F!~L)7IEbvZ;`4pEmw)a4L$ zIYeC!QI|v1w%shv@e|y(n`zt4f!lU-;I`cyxNSEFZrjbY?Pl6`bKth! z9Jp;a2X5QVf!lU-;I`cyxNSEFZrja)+jeu{w%ttIZl-NF)3%#w+s(A?X4-Z$ZTm26 z9EOL(;vo|p77s?N?qS-)Vew$ws(YCBa~RbjWvT#wTxA6J_kmwlM@FRCp)uGZ*l+_N6n z^Yt7(-}p(Te-VDZ2s2-VnJ?0_zDUpd65M_XZoj15$Ad2^cjF_V)!<9Y-6__DFH!z4 zQT{KhBrCy}=^bCDM|_#~-@-FncxDU!YQbME_^XBTwBWB6O4UNCTJTp3{%XNrE%>Vi zf3@JR7W~zMzgqBD3;t@sUoH5n1%I{RuNM5(g1=huR}21X!Cx)-s|A0x;I9_^)q=lT z@K+1o3;Z_tU%~HyPZ?t|KSBM= z_)9{c>2^ctGPhIacFLSlNmhc4N+MJljBgS8%&c*t>(W78I;cwrb@8cE<3W}ZW+`D- zoUbUwrOJwJqsx;Ot1GJW|DhiGbv;d}yKV@-3R;D}j>3FhPjI?x_jNtT_P0UT?(2G* zQ=T%a40?{rkO{s4liz^JZ@}a?VDcL<`2@9of?7X;;ypoLPr$$vFz`*T`6kzVlWV@o zHQ(f#Z*tAImCKFb+sZ|#=NsQ5{0{eihkL)nz2D*9?{M#TxYsA|oDI6<(-q;b+lIF; zc~+bTx<=kK{u1bUEuVvPHt1CuR)mhwdX=xy5!zFf?J3Ik z6lHsgvOPuFo}z36x@J5W&^5wfKzt4aBj8azVIc6z`GH^x`$cTe{tX0|Nx1@gE^Z*W z4*rW#&)3uReB&3uulU~B*RZX$1F>H4X>b($o}U~W;|V9Z{snB$QVzsUVgD8OB=!{7 zPh-!Jeg>Oz#ynygh@B(-JodkWYv4M#0d9i-23ENK=e9$~T?64;of6(8o(Do}^*~sS zeY0~9e?wRLM1YLY|Ksqv0J4Le(}N*hKN$G`3xmNpw(B(*xGsaiX|NzY84RX-wp;#T=@#P%&$KJUAw{HJXih?Y|o$$2Cs701?-EU*XRz)YtH2gc$JiE zJo7cK`7!tt@OAJySN;@x6?}v1|0nj}h=;-8Z+XrQQvMG6?SbH$$vG!oh>%9kK9%~QAyxw~-=16QX)`{(yXE63(Kr7o|>@P`o zR5KWJBr_Nr1fSv8?}B(d=9&3HwPe@sI5ysooxpyME1&0S{~g=^WEqT|bW4c6z+I=n zNwB~*w2;^to-hj*LC?bv#=N?FFy?vq!B`plhulS5iY=1wi_LZUEL4)D{>3c)ZYYm2;=NSy&0^Y=xem@R|j+zF;8rLg) zJN7%c_up~lZ#b9mH?iaV`c7S$qi^QugE{(OPQ7nM>DIAa%q=ZP%gNDBa^pIMM(JDO@vq}%etkOejIYz7W5F8Gn z(nF~95Gp-{N)MsZL!niA2$l9;{o{f6>KDS{FdPoU;V>Ky!{IO-4#VLv91g?bFdPoU z;V>L}&wo7)4u|1z7!HTwa2O7U;cyrZhv9G-4u|1z7!HTwa2O7UdD9KU;V>Ky!{IO- z4#VLv91g?bFdPoU;V>Ky!{IO-4#VLv91g?bFdPoU;V>Ky!{IO-4#VLv91g?bFdPoU zq0coK4}7kH5DrJ+a0CuV;BW*EN8oS-4oBc{1P({wa0CuV;BW*EeLjMo35O$aI0Ai$>9+QM70jEgD6OMpZlCWkniQ?Tpr?QRz~@(C>&*)zm5O zaigfyDC#tdI*qDcPPaylqEVx0)F_HHiXx4oQKMn4V&J31KSzmtj;eM_A@Vs&2F{x$ZZyni%!Svek6JY)M+>`UNP&07TaU$qlyRogl}Mb zgmP4ofK&R&>nQjf>Ccn?-?1mK?S-T8f0XyaQN5{EYk9%xWo*BlkH%i6RQAYG-o;0G z7a!$ad{pmZr~faW{14dw8~bP2|A_rh*!J2{-kwMG_O$J{=TW^qZTpRRRBuc%AP=f8 z;lCsOH$lH8kB0BmuRf8aS?Krgn0k7@&{55p`nXf9=VSEoG4*k$Una#q8l!jn{1IKL zer^1M)9Ke^^y@MD^_cp#)1L-M!SDHL^y@M8Yv1el%b5CgM)+6Y6xUD&`tlg9eT=?5 z2HRt__Ay%f82x&T);<=agt6Corr#rDwDU3bU*)3ys~lGa=Y^v7fL#ACF9V|f1$0PZ`LcqGqwB+qyx z&v+z{lH^g6JmZl(f2oM$|eXFQTeTk_Ht<-&L*ANx-{)8mnR?9afjy0nZ(^0B|b z_IMc%pJzOhNA2^BNAhTXp7BUN=J80L@kpNWNIv!q&-8dCAMrHC(cqFekscnx( z^6GI$>p-4YIQap3z@kpNWNM1eEHf;tC%%g#MG%(M2 zBp>s5Bp>s5Bp>s5B+qyx&v+!yyDT5`cqGpoEg$oEB+q*-AMZB7s;oS+?^ zKxa-6C!C-youCz+p#7Yn<(#0+oWR#7@bU?C=>*Do0(Clpa-P70C-B_~H0lJ(c>-=v z!0HM3JVBgr0{uKeoN$6T;RLlf@rzo(zzO1n=g_q0(6r~!wCB*Y=g_q0(6r~!wCAMr zH-hKTwCB*Y3D}r`jS1M8fQ<>*n1GE5*qDHg3D}r`jS1M8fQ<>*n1GE5*qDHg3D}r` zjS1M8fQ<>*n1GE5*qDHg3D}r`jS1M8fQ<>*n1GE5*qDHg3D}r`jS1K|1skVe0YOIig^1};Hd8uY@E^?+1Jd0UWao^nr!@; z5#~?9{3)rH?viRb{Xc__IZxq{Q+VW5EJwQb>w+Uz1!&M?v#4B@u%P$T=UPMM}nt_y-yK!pMv32q2Ir!LceWK(Lzqq zLQbjoIi<$;>V0jDlk!g4lYEt%{HqmdQoITI zLO015x=Hcol*d7T-=Bn~NqCr~){{~>Jxwa-EB)@9RDF$CK-YJYx=d1+Nwt}ArFa}P zsk-Q1)kW8<7Pj9h`!v1aG`-+7z2G#x;56<3H0}R1E&ntv|1>TCG%f!$E&ntv|1>TC zG%f!$ZT>W^{WS5(Y2uU9wDZ%n^V78R)3o!`wD8lk@YA&L)3or@wD8lk@B$G?fe55P z1X7^n1tO4wm~RdWV!mJKaY2C^6{t~x2&6y+QXm2;5P=kkKng@41tO3_;0UA;I07jI zjz9`TAO#|j0ue}o2&6y+QXm2;5P=kkKng@41tO3F5lDduq(B5x5UYNsBai|SNFi_p zQXm2;1dc!oL?DI05lDduq!2g)DFlu{3Pd0UB9Hj@%xne=D5(~_bK&0+aAA9sh1hAf*yHI zsdpGXexFkBu&R~1| zKBd;{bdTSs)Ou}u{63|2YxMYiit+nY%;WbdwLqtP{63`?XxroWDYS74ZJa_Ir_`=g zYZP*d@%t2QX^Qdt6q-3j%bB9(Own?t7{5=cZTQLmz>__GpHka!E*`&6scqQ)xe;Ga zF@B%I*Het&r||ET{3{0JS>46>eM&y{U5+ZJ7{5;wT}%^QOe?xr38v*!;|O?EwV0NF zo#N)@u5x9v1<+i4<)X(ESdB8O=rhiOF)dIFKdw3xgR%<$%#;SDvT zmcODD&pgZ!Yt8WHok5Lfh&*S|*clXc1}&XIMQ6~@8I*Gd#hXFvW{8(&XlXMK}CiEYp77u8Put7n9Ydbb+g z_ltUa8a@6hGV5Dp*0;#4Z&B>&UbPeDqIP2RH{v3*zC~tzi_H2KnH?&|961#AcJR}_ zkL|AyMYSKNPh$J)Ls4%Er~B(e5uS_U*|z6Ji{jR{XWoj;`WBh>EfRSane{Cae-@eb zEsAYl?|xcj*0-p(q!clBR_JfUMe%0aUmuFh8u^65@xUhx3gNH>hb1^H!C?swOK@0% z!x9{p;IIUTB{(d>VF?a>exIHRhb1^H!C?swOK@0%!x9{p;IIUTB{(d>VF?aPde5%t zY38s5hb8sFjBImQg2NIVmf)}ihb1^H!C?swOK@0%!x9{p;IIUTB{(d>VF?aPa9D!F z5*(J`ump!CIGjV%=Fqe`ad;z`L(}HOq;0pxIW%n!O`Aj0=A>!<)tWYkrp>|g9GW&q zFP;=cg{W%nG4#k^8@#avxIVql>;1Sat%+JC3 z9Bj{tXFVC+n?v{J(7icyZw}p?L-*zwG0mZSbLd_fw#%?xhV3$JmtngM+hy1;!*&_A z%dlOB?J{haVY>|5W!Nsmb{V$Iuw91jGHjP&yA0c9*e=6%8Me!?U54#4Y?ooX4BKVc zF2i;iw#%?xhV3$JmtngM+hy1;!*&_A%dlOB?J{haVY>|5W!Nsmb{V$Iuw91jGHjP& zyA0c9*e=6%8Me!?U54#4Y?onsUixq&n3p~X)vt|SQMM5Ljpl`3k}vv&)$-;`@`!Bl zc2?-O;Y(uA_N&;QNq$KYm+^1GzXN~fYgkA066=UwVja;-Vp~rW+s4oPO0n%L{~S95 zX2DL->vCUGq-2}`U*>xM$LA%*Hb&1gyrg(Ws2Ilh7O=)wDq?ZUZ-Vbs$|7}Nr0$E< zeUZAqO!~{DzfAheq%RR?E)iia5n(P7VJ@MNOGKDU#Fk4$k4r>}OT>puM21VmgiFMM zOGJH3#CuC9+Y*|#6f24CrC1sC+hK_)Zi)D9iO6kuj);7BY0JBBI7l&@v2I0 z`#Sh9Mtt-tK6;fg;H!GeIQ<3C^Tx00J>rxz;4J8w;a62!r+aqyRlPfG`(G-r>V0AS zxslP(tBi(T)tka8)!=UkFH+`&x`(%k=BZ^y|y?>&t30x?XL@=ze`!t;OhmeVKlJnSOnletnsKeVKlJ znSOnletnsKeOc{F_o`hP-LEgJT^Zf4FVn9tOAq~I_v_2_>&x`(%k=BZ^y|y?>&wzK zT}i*bOuxP?O*#$YbCg%8W}z6xq{ALLFcciY)+(py>?`v4bv$xi zH653Io%DZkx}Kox^#tP~v2i`-*{AEwK3!){={laeE>G!c@|5uu_fCTDiPz;dr=Rij z#e>l*eH|XIzbc2uJHu_EBw0rX#Baa!H?JR<8}E_PnI8zzadx*x=Kw~sp%>;U8Sb0)Ra>) z15U{d-k_#$sHQh$TkYSVrf;aGwypMW(91YaGvGW;p}#r4K`(oQUiSZ!^#0Lto%Olz z%pO}?YkOoW%fY4ugb<1lLI@$s>0$NW)z#H?=%K$ZB`qR_wm0`)?m0PWOl+w?aueB^ z*s`p+w_W!X;z%}0kZr|=D2`oenAk}GB_ucoT7IcUkRr>!2m)Cek2Is%*>j)g!#~gZ zu6OqAAJ6-|&-;Df{qDW5aTV8SW!H2S`WLP28fSiuR(6duzeX#&Mk~8UE4xN3yT&^(l@__uB3D}E zN{d`+kt;27rA4l^$dwkk(jr${^pz$0$`XBLiN3O= zYt$ZejYjtoC9bigt8?u2R3-Y#5`ATfzOtn2QaOEPiN3N#Us#mp|2nQt#^G<~m1d|#}b_Uu-f zS;sQ7j%DtPmANlg=Dt{&`(kCCiTC4`Ib{@8=Dt`t?fYV7?u(Vvp5rR(Y`vvd=9JUE z$59sZ{?|ofugoc{7F^<$Ib~_m=#@ETlvz%DWlmYOWAuHoa@s3%%F?R0^vawv_r=O- z&%~CwFIG-_WlmYO>HYY=SXp)I*ei3&V$bN6Ic4sPm8E&_&G*I1+!rfzU#!f1u`>6? z%3@pp65GbRyf^NPm6?ex(?-hN7b|nupsX74mIK}=_r=QG7b|mLtjwHkS?cnBoSBqq zS><3av7ZzuGnZSI>KqSK?k5Gx!3gogpjU>MrAC)~WlovySUI5f1Fy^}GfP~Ss=YU_GcQZqj{T%SS#8|^^2(gD+PKk~Ls@Oyu~+7l zrGKMW=9HOFE~_ng4_=v5R*P`#u}qo!Vr9*QxZL-}%G?(#b6>2iR^xIs!`+Rt=0^Nq zKPgaFYce|HDsx|~EZ2?eX%mL)@8LgZ@J8tUYS#72D_}*=h!pDWx0*d-z#&< zavP&p=9IZFR_4A~8RseEJZ0{cl+|Xn2kw=W)p8v>qbuV`W$v4l)e?1G+!re|A6{1L z_Lg3mQ&t;y?0YC>wbp&<3Vm*cKDR=jTcOXb(C1d@b1P~=i|Gn|ZbdD{u}5bWDctDM zS%p5gLZ4fq&#lnsR_Jpp^tl!K+zNeeg+8}JpIf2Ntw>SY8+~qtKDR=jTcOXb(C1d@ zb1U?@75dx?eQt$5w?dy=q0g<*=dN>g>s;45Z^~NNn=2;M>%1>zJ@p+==lk74-~C)qodZ38yPkR;^mt@FHN%!K62C<3H-)aJUM7BpEx$>8p4hE# zJ#~TjTg0A!=9}O`uW;a-;6nFYd=p&g^)q}ETnUq*J@p@;$L#AVXYA{G6N}Mr z3SCb*dtcW(vW%WxSx?u2ex7kX-2i%Cg)fW?J-fnp#)Vsmn|v(ZX2Unf6?>)4dipKk z+rSpE6YK)J!5**|{0-1=3SH+-q3h}Y!k#}uIl4-tD_Y7rEoGfIg|6$(B>ER`3SH-2 zI(+e5C3pJ2yeV{@H-)Ze{HD-#y%9_2%$q{jGw&q!n?l!lQ|Nl;HcHwlc{j1&6uQov zLf12$#P6ltZwg)KO`+?0BbMX$Q{F@T0b;)?bUpJy;tzqp34R#-E%3L&-vMb;ybFl$ zuZzy2Zd9})jCG3_fu`^wP1GPJJ@?Ta^su4g{MmVNx|lf-ur|2greh(AsI z7sP)_{8z-k;_&~Z;*_-!<2iB4+KBabKL2XZiBskzPMMQ9 zWlrLhIf+x|Bu?3L;*>onPT6x}JSWC;;*>onPT6x}JSXO@P%)kpr|dZ~Z-t8WHYCUP zoS3&l#VLDEjOWC7PMosm#3_4DoU-S{DSJ+=_wpI-IWcc1j`5s0WzUII_MA911=@4s zR35bF#3|p$jPaZp&xup^oEXoEQ}&z~&xup^oH%9AiBtBR7|)4Q_MA9n&xup^oH%9A ziSe8`WzUII_MDiv6UTT?toQP{+@2GsW^U)SB#Se&FFYs4b7DLv#&cpkC&qJP-cB56>^X79o)h!FvN&VUi8J<` zIAhO=GxnUAw-d*_ojBH8_*`PoiS-sfqdh0qTlkFk2;abS-oSI-kdsWR#Lq{(fs?#} z=e&XEyn*Mup&Fb_CwNYR=Ok>I;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7? z37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iAN zli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?33*O}=OpAg37(VSISHPV;5iANli)cC zo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|BO0BzR7O=OlPe zg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=Ok%+PJ-tocus=nB;+{> zo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSISHPV z;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iANli)cCo|E7? z37(VSISHPV;5iANli)cCo|E7?37(VSISHPV;5iANlaS{mcus=nBzR7O=OlPeg6AZ7 zPJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR7O=OlPeg6AZ7PJ-tocus=nBzR5@ z&#B=#H9V(==hSeL8lF?bb82`_&7KpawB0Di1jbMg;=;3)LV!Z>n+4W zy@gnKfGz(S{2cgs@DcD3I0}A|V~vBFyU>4+fqE)X@dWrJs3-VTqWd^Py@go#W$-ER zUqH=nsa$t?gj%~L{0jIic$TX;2WtJHe$`r2q259)oM9WSF;lE(T7`NGu~2gw!dE!k zZxWv;)?0{Get}reA1T(oNTF8d3-$bwP^-s8@g-1C6e_+9UIBF%CP>M7jCxy(P;Vg?YF1yU6&*s&?F+S{L%4;wiFhmVEyQ{Y zv3}KCh=qC!u~2Uz7V0g;LcN7p*bVl8z2I+v>izZW{|YJxP^`BQ3(=dr$j8-KUWnf0 zMcT9UtZk%Z<0rfyd6DB!dV6`1wwD(<)?0{!l)Om4`Ypsly@go#4r0B9Sn)fF^%i2q zdJD1eHcIpsV#V(!?jY7%h*hGu5DVW+thW#=ejjl+@%xE;h(AEwOZ-9N4}rf4ei-~M z@VCL=0l9X+FI0Q}C?&s7{0GE;Nc=~{e@y%_kaj08^1oB7#+IKT?j!yr@g2l} zPW&liTBW?m*9eDx3$fx~ai}+aDgF%j-$1>ESS5N3u~2Uz4$}4_p~hT7>H*mxa9B~6j+`thxaKsH9aRW!(z!5ia#0?yA z14rDz5jSwe4IFU;N8G>>H*mx{`T4y;oxkxX{LkQr!QV=4Rmtz_y6WWT`-C3>e-Heq z>ah+#ufxylltX$O`+1#mNXPc`I^~c?`+1#mNFVDVa4)DCX_X9tnvqug7{~o0dl={F zN5NyDIj@sT8=nOA9uLJQ!7qVd2A=}|1=RCU+GZNm^Vf>M0zM1crR$U*8tu|`xOAOd z+UGOFQC=i|iC8nwDu0>yo9y9L@LQnfob~I!f!_mlw?ZYe;6-o_{0aCU9C0380Iz^{ z-8x*i4%e;2b?fA}+MAr#*aY4J+Fk2#*E+eYW4%{XsIMUl_2p2Zowg3At;1>Sl;gR? zPFv^qy$e6YmcQv*&>QHD`VO)XCCF*Tygb%NM+0en<5KZof_H-d9sGN?yiYo>(;M)N zgOunkg^F{O=&51Fd%^vn`|-N;LALyV+0resF8xp7{{$Zek8%#W)1+VZ?3<8UPP?zH z)BLu}sSC|-JN|dJfqBhud;8bHUx2^lSenUK`8o{5U}98%C?4oR>ePd18}%SMEA<`P z4}C{na2N4Te%%E=P+QcmyD4|ZQWrQ^snblj@gKm`AS%^83zzHumr!pp68^~7;yV;V zyIGy@QwZII*J;k&+q>7U3+!@rnm>1m?n4Q08huYes8udPJ!>O$Z&;`M2*xdxyqWmd zK|Q0V@>?m_*Qgc0-B+sK(D6Hn^)+h6?(?w^7ng{BGh7;`b1D62F(Yi}-!S z-Nf%F?jimFaWC-)i9f_y{U)flYU_x4y`$Z?Cs*3Y`Pg zDaST`3j7O@+N2k&%eWV-qZh05yYv;i7ptQetD_gI%j~c!GWUYJKz)5xy_X#|#8E>W zHB8x2!;~F0#8E>WHN;WFlv`7%QTdF}8FGlDsu!f(jvC^qA&wg2s3DFT;;12x8Y(yT zaqXxfjv6XAc5FutHRASB?5Lqe+(tWUs1di(jvC^qp+?-^@+4?S4VCvA?Wmzf+(x&x z5JwG__d2$th8l4j?WiG+8sexSjvC^qA&wfR?5LsgULV(v8sey-#@gP49W~VW+UQms z;;5nWTgP_P5JwG_-#T`?4wc^;?Wmzf(?&aLs1dZ$jvC^qA&wg2s3DFT;;12x8fv7h z{iN-vA&wg2s3DFT;;12x8sexSjvC^qA&wg2s3DFT;;5m%ETme%Q9~Rx#8E>WHN;Uv z95uvILmV|s+fhTkWz=X#4fRgZS)m;@#8E@PM^v#LHB8%4LmV|s+fhTkN7QIX4byhi zFl|Q-anvwvM-9_<)G%#F4SnxkXh#ik)DTAvanuk;4RO>EM-6qy&|BJ3LmV|s+fhT^ z6Zf&~s3DFTYF1UPK=W8a95uvILmV~4Q9~Rx#8E>WH4N;iVPHoM13PMnqlSSUHN;Uv z95uvIL)}|+IV#0bLmV~4Q9~Rx#8E>WHN;Uv95uvILmV~4Q9~Rx#8E>WHN;Uv95uvI zLmV~4Q9~Rx)ICa_gYHop?WiG+8ftu@tH4o195uvIL(O%#+>RP*uEVh%HPraRC3e(M z;|s@j)KGIBj_s(S#utw5sG-Iej_s(S<~khPQA5pjIJTpPn(J_EM-4UCVYH)$IBJNa zhMMbei5)f6$iiqx4K=f2#Fuc?5JwGh)DTAvanw+w18-?Z4RO>EM-6e*5JwGh)DTAv zanuk;4RO>kV@D1B?bo0_<#ASh%A>0Kl*dZ-nr$%ZOAtcM5)1#cj#Z!XwbZBFJJf4V zz}x&Y_&HE38C3EJcnBN?$JoPR@Cf(?@G>R$UP!* zkBHnOBKL^MJtA_Ch}E?S#po8X73$4_sFK)M`y`Bvg96Fa*u4mOUKSVvg96Fa*r&zN0!_pOYV^+_sEiaWYfR8F6SOueLu_S z-Z@L|k=2(P9J}|-l6z#yJ+kB;S#po8p0V{d&ONe$bB}D`+#?$}_s9m$J+gswkE~`; zb%x{~S#po8R;#+)xkr}VBTMd)CHKgZdt^1U>TR5RWVKq=M{(|vCHKe%&ONe$bB}D` z+#?$}_sEiaWXV0UT081JIQPf~TphVbmfRyt?vW+;$dY?x$vv{<9$9jatnNZ;4;kkk z*^G0KY{t1qHsjnQs~LWybB}Dsxkr}VBTMd))f~P{oO@)+J+kB;*^G0KY{t1qHsjnQ zn{n=u%{ceSW}JIuGtND-nn~7|PNauf;ZBXwTBHG?zoQX+Jf*J&2=%>y;NyYsAAMZ& z`7^=oD&HscOw{e_cZ`1t-U)t2d%In|kIQ}B+odu6EB!ax=k4l`Muqn&YrWmy*AU(h zJ^(uByq&)3cJ)o(M&Cmb4uSd}ieh~aMd*6JU44`BAHjbD|37~HpTwUd*7s1f%^~nn z%14REjJhtJr>@JWb%Q~lo*KAUsMWke-!1KvhZyxeJE8OZJ~@feqnJK<$fWSYpvNzL z+|%rnhj<&`)9my2?1a9j*(VP%`krPVUeU)L!#;V1OMI8GkNbmt-0$n-PG2AQ`1<4( z`c+-zADKD?q&KA^M02m0`VKJK#hrM0SA_aPE()sX|(G4P+cFY>qB*) z^wSx^C&jZ+M>pzu^WYAtYf|X@N_R+IvqJCZ4rMh)tLxWIeQ06z`>g^?rPsUtf6C*fT%d>0Jg1;cm2@ZB(cHw@n`pI;2_Ru(ra z)LSfsS}`a*2~L8iz-Rb%irDvD?oK~P`~vtj@I|(H8PtkCZSwZ^m1N_oyBxg^^M9r4rSY(RVQKQU7avk&+*S zc8Pmb<0@B;8}A4Ah`oE%pBhiFjcfTHvFdGnm-8NR>tFQ-B%$l~9`%yO7ubeliAit& zhEe_9sPIkTHgCy2${jlAeZdZ$v(V232|X{dBmEQYd553n5$Y*jq4R_te#$J^p>x*u zI%lK%jvam$M(Ekm9l^ukjW^GG{6=bh4$%U=YorJY>GPSufO)sD7Q?HKQ&!8)X%g-AMe?ZAkiEn^*o?RN5 z8m;+Vfi=Gi&F@kkt5{=I{i;!_akJXvE@{d5W=cGJwo7Bx*`Ocx`eCmhUG<}@e#Qv> z=&B!G^`onPRzCEjtA2FV4`cl>){n0GPJ`o@;V>Oy6Q(){qntg z6_~!t+8bDVA=xP964dA5%=xP964T!f< z{mZ%GS9WeD1mKK*{>29DjcKOluH3Y`N#Kri`#RN?q1pnJ&&qzac@ z23L(zg3;OX1Ht3oMz!g98gvi%fa=aAUj@Goy4QO^wdQj7dJm|M9P2qOVGJfl`nw0{ z?;cPcxkS%l3AYOe;eQbR2i4wHLiRYQR`2*p?Rk*waZs!}J_R~^92CPYarQV!_BiOb zaw+~A=~WCnaWHW9 zI2bs49Q0ecgjLYl;~?4NAlc&}njA!vgJh3`WRHVnkAq~7gHnjzfPg}FqmbPwWH$=g zjY4*lN9{%-yHUt)d4>LkLUyB&-6&)?3fYZ9b_Z6-ZWOW`h3r=A_P?x<-6&)?3fYZ9 zcB7EpC}g)_#E}vgE$NUzQXqJ6aSTm6Pm|D()3d5>J6&;a5G+ zsB*8c-IM+%vEJsY*ez?1G~n1h@*bRX4{o_fSM3t_zkB>PSD}01J(@%I-d6aR-sT$k zyOuf=DaYs@d5^L(Z6g)we54}nUm2Q9cJu3AV)x5?G~?uQ_s)AX@8sBCx+fSRJ_x#} z-s88q3iUQuq1C5ekV6$YRFOj!IaHBD6**LqLlrqxkqfMf9KC7|Rpd}b4prn(MGjTu zG$-jTt%@9~$f1fHs>q>=9ID8niX5uQp^6-;$f1fHs>rFgozZ@*iX5uQp^6-;$f1fH zs>sn7=TJosRpd}b4prn(MGjTuP(=<^?_z3gExd)Uh!_Oge) z>|rl^*vlUL_1MY4Uyl{Chkfi}AA8WfUzf87Wv{A{ee7W$d)UVwhS|%5A$qhSWxU?TJ=&1Y&FCI&NarTx z+=e)}A$qhSouSJ;A2LLbHbjp$M2|K^k2XY)Hbjp$6u3tlqDLE|M;oF?8=^-WqDLE| zM;oF?8|%5A$qhSdbA;Wv>|%5A$qhSdbA;Wv?1lg`WHRg5Ix!u zJ=zdG+7Lb3kQmlc=+TDg(T2pf-s3}$wx1qtKRw!hdbIuYX#45W_S2*7r$^gQkG7v4 zZ9hHQetNY1^l1C((e~4$?WafEPmi{r9&JB8+J3bc9hV+$KRw!hdbIuYX#45W_S2*7 zr$^gQkG7v4Z9hHQFbWw)A;TzS7=;X@kYN-uj6#M{$S?{SMj^u}WEh1EqmW?~GK@lo zQOGa~8Ac()C}bFg45N@?6f%rLhEd2c3K>Qr!zg4Jg$$#RVH7fqLWWVuFbWw)A;TzS z7=;X@kYN-uj6#M{$S?{SMj^xGJi{nt7=;X@kYN-uj6#M{$S?{SMj^u}WEh1EqmW?~ zGK@loQOGa~8Ac()C}bFg96%ulP{;ukasY)KKp_WE$N>~`0EHYtAqP;%0Tglog&aU3 z2T;fX6mkHC96%ulP{;ukasY)KKp_WE$N>~`0EHYtAqP;%0Tglog&aU32T%y#fDZTu zbTEQKMo`EI3K>BmBPe79g^Zw(5fn0lLPk)?2nrcNAtNYc1ci*CkP#FzfBmBPe79g^Zw(5fn0lLPk)?2nrcNAtNYc1ci*CkP#FzfBmBPe79g^Zw( z5ft(;?eSsS$4o|6x4;VLbm~JpUlGb_bcYJD5JJ{~lzf z;vo6ML1yg^GHZ8G{l0!xk8kv>-9h#8M$g(ERG)72tldHS@q_f^2kFNT(t{tAy8P=B z=vlji>Wht@PdLb|-9cvU4oX)p`8Dts;phBD^x$)TBYN;Te*GN3ex5e+dD_V5QU2#q zzQ4ph8Td=wLg{c;cpUUx@gq`{@kL6040>ko5$!?c+Jn(^#g9lcGeXZ5KO&uY8_%>n zBDMHe&lNu+&G=W(6+a@ixa4`zbH$HHGe*x9Kcc!8s(wd>o-2Mtb*k;vc4n0!d9L`7 z&RIx%Kcx0Ps@QYIhiLDIR4t8x&qvwhbX@0}#anK>1v&%hKd`NX?^z7LodWXEvq$|6AYr3X{;*Hzb9+>t;MgPON96{NJsN#f+V-zM z09TCu29Pid?xbWF=)0?r(z+j|{XR--eN?Sgdz1eC-;1E1D121y)acRcqqMc46=+ET60@vVwS(cUQ98>PNR@#j(ed6fDZ#h>*iOP$py{yd6GM^Wi0 z^)iY-kK)gx)WsV$;?JY-KPvvUANU`|pGWcMQT%xne;$STQJ5dapGWcMQT%yK zjxidH`Atefk9x-R&G`ns7n8!{lz9F8m}uXFS6#wgA+4H}F-{sfuf!_yRr(@|K63>GF&c7}a{|NMK(pdU6@ITnkPbt^i z&s2Vi*z4rS(q1P&mc9yJW6SHruk+uZbDoQo{DKm%@g9>~dOt?@0C7$;i3r>M{@-dChyl4CQm_}!g^{z9ay<#kQj`*uw*Vn-p`LD=VCFrzhZ@t^(B<3Aj7Er#-wN6*4y)bG2tEIKSZ-$Y`2Dav z&9P^74yQezc33($+FcJbWW3f0eFW;<=i`jK>c%5I zGrm47&b__oOb#Q_5EXSJ(j>z$hkx{*>aa?l< zN7T1E_I&0M`qm@rTOGS^Jwh&VL>{PE?x%9OpV2++5qj7o^sqlHh9^7rd!guZHj#eP!gtL9tw!v81r zzX%_Yhx1)~q1!v(wHLaL^IdzPbE?PSfv?*uc1wH=HXc*&;MhI2zjSYW$;YL?eoXDo zv3u>u#DITw>)@;RLbnKi^B{MlnZ62jIk5ZdQsm-JE6Kz9n9+jUsc5NP&pBP=6N6Al)QkzGq&7;)jQF)7h zb!{G{Hjh%9N2$%D)aFsn_9$n2l-fK>Z62d8j!_H8sD)#UM~*QDJcg4Tga2cU>5jqt zF_=FF^T%NR7|b7o`D1W?49<@+jyr~99Ah+hOy@rv924iGLf=(C#%S)CuE^zXJI7%A z7;GPtpSUD3GG;l(nB^E(bc`!H2LH$Wji=x^K7SmCKaRs6$Kj82Eyu(0sj;5KLP&} zocRR&PjLPd@IL|n6YxL5RZPJD1pH6H{{;L`a1|5qKLP&}@IL|n6YxI)|9s0n;4Ah* z_pndG|C3w`U$Iw-`R5DuLieXn!vB--&v)llV*a0m|0n5BpX4g|ro76(!LN4RCpmMz z6tDOOCB7f=B>X?gne#>XfN#MIy_Vof_&)*vC*c1C{GWjT6Yzh6b3Ot8C*c1C{GWjT z6Yzfm{!hUF3HUz&|0m%81pJ@i%um4o3HUz&|0m%81pJ@iDo()v3HUz&|0m%81Xpna z{!hUF3HUz&|0m%81pJ>w|0mJ^N%%hr|0lVYlj#2>{GUYsC*l7j{GWvXlj#2>{GWvX zlkm^C<^#SmFEsxr(LdjpSL{6JB>bO5|0m&}ugnK0(f>*Ge-i#r!vB}(1-`^Q!V*!ja#jHmp~cgN0|{mpmp+2bj``7ZQ$>Z!EHQ~u_=(c>w9^W9r|Jmqh` z8$F)#H{Tt5Jmqh`yTs!uzVj~hc#7}53q79lcixR2Px%Y)MvteSN_#xzZ@c@y9#8oT z?=JCp%3pYQ?D3Sp@b1{-DSzkPvBy(Sr9GbV7v8lu##8>nyJL^1{DpU;$5Z~oySMas z%HMW(?D3Sp?e1+np7OWd{j0}Q{I z{H=B!k?|DYYFAwEJu{y2x7xKm<0*fu-LZ2yf2-Z-@sz*S?)`W?#kbmp9#1{Rc*@^u zckJ<$ztuh(Ow#TqX?K&fyGce>lVm%SjH)Kdc_yXy#b8ouH#&Enlva%%Rq1^>ItRV^ z2DA?K6sh-*4kyWoCK+cm8J!nRN;5|1MU$#oqsLj3V%V{Bp-FO~N%5wb zENGG}Xp(W(q^{KE&SobWXFV;q`Bd<<+(wu_qVsv0an{pmuT*?m2pSC?|oYObnG7RY4sr9#u?Pp>MtBSUwT@(w~nRS*Rhm=JN`9d zuR?rU`RZhFO4oj`(Caf#>AFURUg2;`*QHq3rE*=D@vmJTc((Htvz@1y?L4LH@|K?G zJQdhuPqB{cRNxuTQ}lhOIR8_e`6Mz2DW~aEPBTk(TGy-Zc`$!? zI_;UR)4Fz-c>eG-^M|MDeNNN+oM!&;w60gb>Uxd#lhe9V#~y8+)|DFV7^iiOj@{}{ zGksRJOPSbu*iwBo@)zfM5uo#>nKRH9sb%vhn4Ef0!>gWt!eFg_U zLr!vroa78S$r*BzGdS%Ta*{LTBxk6RGt|f#9PbQXcZM1{Lk4n&4CD+M$QkPB47tY{ za*s3k$r=3Q47taY{9&JFtgNmn`GaE4d`dm?sA8|cnNnZucnY*mrnsUh<~FBvUHY$j zVQ=#-&~wOBav1;Dvzk-%!c*#nz0LPPugIN}|9HzE63>GAzJp3U^E{h)x?^EiLy^Uu$r_>`G^?e7STlbXuWye=R_sdi2mtCUoI|yHAKZ}(7g7}x5 z&k9(iyacYYw>9F5QGTfX%MXnkK(88_k{=rH^4`=hdrSArQ?$V;_0BHwI-)7LrMDcQ zh2Oj|4J5R|=y`@|36fJiOwM@xfT|Pwle&S)`1H>c54}=LFkNbNggPNRn?UGyM4hlz4TFPQDO>aI; zZ$3?LK22{vO>aI;Ryj>?K22{vO>aI;Z$3?LK22{vO>aI;Z$3?LK22{vO>aI;Z$3?L zK22{vO>aI;Z$3?LK22{vO>aI;Z$3?LK22|)$BXi~P#zb`GcL$8BFHl$$jgN$gFL>P z$A$8Y1@h_hlzS|YXDpBxGoy-~@8#t@E_c3{Pdoq5iz}Bq|Id^E=f#^#od4&^|MTL| zC9i?b{PXe|AKjUMp3FZlhjHx8KTpn|m$%F+ew}|g^Uss{=f%JG_DlBQ%s)@&pC|Lr zllkY#{PSe~dDY0iAdjEqRU_J-JU@@0{5*Mno;*KKo}X8quQQ>S$*Uf{ z2hXGCRhy3O9(mQNW4lLQHS5^!k*D{`tCn5jJU>sKpC`}HljrBj?epaJd2;(aS$$rP z;q9H(=W&d@bmINkG4fK2W6#Rw$xVmL9d` z$=LIH;@&0B+w*~Qygb=^KJeHrFHQQ0&Jgl??%pN(x`fbuM4o&;Pd=Zg56w%x-rk;& zmxdkN6Y^5B+dSEOp6oqO_MWG`=hX`QFVBGG z)fOB(d(V@-e?=`~GWd#Ggiv~36go5cidwNy3Q@TfV)RO|uZSz5j$-ucsRC`PK$|Mi zrV6yF0&S{5n<~(z3bd&LZK^<e*+40&S{5n<~(z3bd&LZK^<Hofi_j3O%-TU1=>`BHdUZaJxiN<@kBf{&|+VKFjFx ztm@jodUSb~k=j}6^ep_Jh555^eipXR!sJ<)JPU7Um37Pp=g1|_kwu&%i#SIXaZXpX zs9!xZa8B(`NS<(x4B?#g?-Gyq&q?z}kN3|>rACkU&q<#~kF(C{+>9RkpCem1N49W| zY~h^FQ03$d=g1k(akl3;+jC?N=g1tMqZXcH9`ZT1d5&$KXUzCKW5(wh2|mwA@CCMi zf$d*l`xn^$t8D*Ow*M;If0gZLR6Y~Ts9ea{b|!sXEX`U+YJ`$?P` zxYAc!DOq)i_NhH+pGM!$)hd4C9OxBOGt{`URPUL(R{y3RLGBBB#ncS7Kcm@c@4SR!>TK{5a|JIkSMZY9aEYJKdPzJ8b>_x53BN(DeS=#22DSDLYVBqA^D_H+nf<)X zeqLrjFSDPQ+0V=D=N0zz3j2A5{k+0{&ePJ*)5g!!#?Pyb&j#nY%Wz(`teDn)p1Ta^ zY1ijz*XL>1=V{mHY1ijz*XL=`=V{UBxyx`~_2~V44fK4`c}7O(855o7F2i}%smncP zIZs?vSMjQJXtWo-iVMBUnZK%*?vfjz@AAB= zmTvT!zp9pQ%!0nl^Qv0+Y;b|rcY)S-K`r+)!3Ape0<~~~)^|b5oKd;Y|ALgMn6`F- zwst||?nRZj#a)mdv`z3JB{|}Uh#v+|@?Y!if;8;?cs0cZDcO7Qnu-h3vt!?VxIi1c zz*S$M4PM~dFW|-(VBi97d;uOV&^9l?#sym91+M)9^IaEIU)m?LUKdnrj<*ZH#dUp) zqkN0~e~UeQi~oKbH~Thj_HAnX+tm1X(DQfD^LNnmchK{9+5Wq1|6R8KF57>P?Z3zN z-(&mlvHcI({)cS;L$?1R+t0H7EZggyqvB+i?JuhQ-r%Cjg>uVLq307Ws@7cMwsTRn z<`T~UT*Or_a*Y>pm5bV&w$$E?_jr5NowiinO$u}1Bb1MU6QJj5FXBHJ)zbZ6_mvk_ zgZqSjf8a&UE_xfzL3QWYioK}1b8OvSq}^Sl-Cb0Dx!mpUBG2|-h^c+t^&jn^|j+yN_7@LE!IT)LRu{ju zVeH2+_G1`(jq=whe~t3jDCfKI0pEoW_%6KAPrS~P@6D6%&5L1`XaqDX^z*0l=_iTZ zbIofsWIP4>X`T7B-C$mIF(Y*UJI^}XdHjD~HR5ev20c2PPrK)xCzG5flbk1$oY$B_ z|0SQCXQll-{lz>z)I2@ZJZo|1gD1QP)sE3Kt6u!;3&id<=7aO# zw?U5q=jk=(mC5^8`~1AJccWME&a={fo|X3VthAqJrTsiB?dMfr+J;rW^Q`in$D`(P zr+H=F{?%j5dDWNkt(17Yd5PM&MD1K+?)Q=ut8!%yM$g$^l6oC`uKtp;2qE=&iTb+4 zoa7}b)8(G4zZ5ttxFj7qcFuE2+B15d@RIcA_$qOkcpZ#EXFHdetG~qT+$E{bC7!Fl zB&96|3n*j(g)E?u1r)M?LKaZSg2v0U!2$|dKp_ihD`WwMETE7D6taLq7Es6n3RyrQ z3yd`uP{;xbSwJBRC}aVJETE7D6taLq7Es6n3RyrQ3n*j(g)E?u1r)M?LKaZS0t#6` zAq(Uc3n*kkqd#2*Bbo&ivVcMsP{;xbSwJBRC}aVJETE7D6taLq7Es6n3RyrQ3n*j( zg)E?u1r)M?LKaZS0;8wPDC9Bkjp6KG77njLN23_%P8bB z3b~9zE~AjkDC9BlNzj3hsIZcfEqUUZK9O=vur_=Ydzq1Fw(=UZF;=;IUW81Fw(=UcqCp;I3E51Fw(= zUL_B_N*;KXJn(AzHSO~%*K(CS@G5!WRr0{AOAl&XMUAD@G5!WRgLmgP9AuT7J7{qdW}|d zjaGAw)^Uy2agA1RjaG0CHC{uF*IB#xGgS98RQEHq^fR>dGx+%#{48;lC62O$4=mvW zOZdPNKCpxjEa3x7_`niAu!IjR;R8$fz!E;NghH0^fhBxk2_IO(2bS=GC9Y_RD_X(_ zmhgckd|(MhEpeqwTfe+lk2X5d4H}HWQ_`nT(;08W$10T474=kgQWfZcELY7g;G74EnA!9Ce?uGeSejm=7 za$}c!c5zJ^vSZINu8D1<=W5oJ8ymgmb4?ktW3TyKlj_8kROhpDw!9|Q`8>ToWKF6w zdNy)RS+w`;ImtEU(vF>xt|_B-?7VbM^(9nBt$&f7t|_l}?77M{X-~(J_H-;|*ZLP( z>l#_>nsn%2Z`H45T78*TUsl_k4a%w)qmNjoZI)@9W%20}&(oH*XXCBH3aY4}iVCWz zpo$8rsGy39{9!bxXq>Vrv??m7qJk zsA3&etfPu`RI!dK)=@JfA@J`P-9i6zy7S48H^g*sG*G-+Nhz8 z8Z#R;X=7Gf`ib?L6f!BiAU~?(kM@>c z)mck>Rc9@IjqSavvzGR%&YD!}{dlEcO)7QlRh>1lXY{JhnpTDwy{faO^&yVEs1p1*2DW)&j5UtZ5C2(W^RZWGpqF zzo-Sy9BQoUtSN`l^=dtdOPod201pHOHQ%emv7#V^wF3Rh>0fb=FwbSz~6brgrKrm)X**I%~|5)znTM`_6Su zxtXuUt2%4S&5T~vS<@;MqgQp-$kS@%X*Jq)P3>BHpk3G0t{rb?ORwsz(Z*|PiMlRU zb=H`3tEr`XORwszsl7XPZctNe-IwvV*GGlAXCzcckx8ko%?LGM~qi#!r4_ zGIk{4(b}X?Z_*Iz$uHp~C0ggHSgQzx@+F~sNvJGWs5fZ{wK7epwSq!reL`h@!hdCZ zxszh8{1j^Cr%)?Dh0>T%D?f!=Ln!=r{-u?liuL4|P)~jdwR%t}M-poNr%;Y0)cQ~1 z0;u($inabzC@&J~$uHsS{8#Hg73+y1p`QE_{*qX$3KbWL_2if060x5AQmiMxG8t+! zLv3cL&5XQA|DrZCs!i?9tJj2g`?y}cCfsQbRm_gp;nCwH3|@F z6d=?nK&VlGP;Mhc8*&@(O)G(gdh$z%9_%)X(SY2>ylDlgP)~jd_2idOZX>)7QjcEM zrV`D-3-#oeP(CBnh)JlGqC!3SC6vzyfsM)^T%uLk z!pn|n3md)GPVobBp^d10BRb!R!Z)Jrji`Dfs@|xc(f_p$H=@9e>h&By4{EKQVy#sc z>Par)Hz?OyJH@XMYm}|ns@RAgHll=$s(qDHn;SL8*RRywM)d`=8GpBWQD|?kQ(YMC z?RB~$qaD6ZH6p~l>+tP5eB0lccDa4KPRtwa+jaPMomz@x-6s|54yn){?k`6h?cx4% zv{CoJGX8S3(N12++17Ekb@+K5ejZX6A+-=v3!!RZHWPaGNvQdRObGv>XOk4$XF`|{ zVLpWU5avUe58*t7^UyO$+FoOPA^X(%JAO%e4xLK~zfXzA&Wg=;2-_iShn^`?Nn%vX zGHwFhnnJE9g#XZY!7}ymUl0HF@Lv!A{u-u#HUIVSUl0HF@Lv!A_3&R0|Ml=+5C8S> zUl0HF@Lv!A_3&R0|Ml=+5C8S>Ul0HF@b52C&Sv}#N~8PJdidX@xvbI5Ce39DHFG#A z)Hj`lPfCZI)O#B3sGBrHc&|`zfDyg`ehqw)?f+GK-lVqUU){THqV6`S1*t@HU)sOs zzKlC5`5SMeI`ywwwJ6l8Md4$hJ%5vC2z4fEM=sY29HG`w3G-k9)Yqa_Vn5%cIYV#n z-h7kl-ROGXq3f`*gm|;Gm1hpzsd88Li4{#Gm1J-wbq$T7XGvFpC!l0!eLh9m)T4f zCjBil$7V9C@r7de%))1u{?XqZ)35N8g$;jM%q3>PUlTL>s{I8qqx+z&@>QeOPYPqu zSCr*ivRnn<5mSkBQK8Sdfpc!)oEy+g1Da_-GYx2_0nId^nFch|fMy!huC)ivDo+Zn znFg-6fh%p`N*lP+2ClJzYivL>4S_Y&fMy!dOaq!}Kr;>S(12zdV50%eG{8v%nrYAs zvyL8EGYzoRfMy!tssYV3z*qyCX@Iu|G}8ck4QQqT4ja%+1Da`2|L%QSGYxRtfMy!d zOaq!}Kr;zhs`jsnQPz7Rd42cH*;N^(adHvvl-27=886R zEt|QD%{qU*{|?P;=A7R|Z~G>%`pdkDt9ujI^=rD8#mukiT7)`7qgGgD8o9XsnSMX+&d<)Jr28YovA>(O4t3(1^wwsf$K5 z)<}JAf&VS=zXcArz~L4&wgo1)z~mN~+=9loz~>hD+yYlyU}+2dY=Mm}@UR62ws7rR zxauuj?-s6W3mV&k#9xG{I66nrVWoCN$FoV@+tL3ErB}OcU%ip_wK)Y(g_lXr>9x zG@+R$xNSl+O=zYG%`~BzCKzr)GfnW^gl3vxy9v!Sp_wK$(}ZT4&`cBjZ-xJ@@V^xf zx5D98G_w^Zx5DIBnB0nH^qqEj#a8&-3RhcUX)F9}g^jK7uoVWja_w8W>aASwR<3I+ zn%RnGwxXG>T+vppWh+;)70ql#Gg~?5TQs7X%-o_8jZg|%6rNHqbBh#WboO|QXGet| zL*1ep*EXtUV-9?bZKgmyQ=oD^Qy}yV!!4>K<3&oGjo+dgFp^EDZ>H|H>4=kh z$A`y>+tgn4oQB$q(Ib~_@UTrhxWqhcBPZXcHsX>WQ{wT_Hl3CBptCaWq~v~Z510eZ z(l)gM{a5wtc#7C#qHSsgMy-bznzwDzzqfpzn4?SiE;pasq;{iLq6$6U+$L6yW_6qN zEQH%_aJvolZbP@*q*(1)wLhELj$*f?*zG8GJBrqZ(+}GVV`f|zi*|VeJlO!TWPItrLJ$)l`dv()s+f${zmt+Z&UfbLd`%5ZxbhP zOT7owmqrzTfcS%;zBH;5eQ8wqVeq#!r|~v_X;k>n;OD^4gIZCq@yIc5HvQ|7-pW&WE}=D#^*{+r>y z8UCB$zu8}URk`_ZhW}=N=~c1$Z-)QowE1sNoBw9`Z-)P7_-}^)X83Q0|7Q4ahX3Y_ z`ET}@UWMkrIb;5tGv>cJWB!{n=D*ordKH@g=8XAo&Y1sZ_;2=?UKN}FcfkKU;Qt-) z{|@+Xf&UixZ-M_7_-}##7Wi+0{}%Xff&UixZ-M_7_-}##7Wi+0{}%Xff&UixZ-M_7 z_-}##7Wi+0{}%Xff&UixZ-M_7_-}##7Wi+0{}%Xff&UixZ-M_7_-}##7Wi+0{}%Xf zf&UixZ-M_7_-}##7Wi+0{}%Xff&UixZ-M_7_-}##7Wi+0{}%Xff&UixZ-M_7__-}>(R`_p)|5o^Kh5uIgZ-xI>_-}>(R`_p)|5o^K zh5uIgZ-xI>_-}>(R`_p)|5o^Kh5uIgZ-xI>_-}>(R`_p)|5o^Kh5uIgZ-xI>_-}>( zR`_p)|5o^Kh5uIgZ-xI>_-}>(R`_p)|5o^Kh5uIgZ-xI>_-}>(R`_p)|5o^Kh5uIg zZ-xJN!T-D9|6TC^F8FVQ|2Ftk9{BHs|4#Vtg#S+X?}YzO`0s@OPWbPH z|4#Vtg#S+X?}YzO`0s@OPWbPH|4#Vtg#S+X?}YzO`0s@OPWbPH|4#Vtg#S+X?}YzO z`0s@OPWbPH|4#Vtg#S+X?}YzO`0s@OPWbPH|4#Vtg#S+X?}YzO`0s@OPWbPH|4#Vt zg#S+X?}YzO`0s@OPWbPH|4#Vtg#S+Xe=q#M7yjQ1|L=wWF8J?)|1S9Ng8we~?}Gm> z`0s-MF8J?)|1S9Ng8we~?}Gm>`0s-MF8J?)|1S9Ng8we~?}Gm>`0s-MF8J?)|1S9N zg8we~?}Gm>`0s-MF8J?)|1S9Ng8we~?}Gm>`0s-MF8J?)|1S9Ng8we~?}Gm>`0s-M zF8J?)|1S9Ng8we~?}Gm>`0s-MF8J?)|1S9Ng8%oy|NG$oeenN2`0s}QZuswp|8Ds2 zhW~E(?}qPr)f9kf4NwK#FtZDhCtd8e9~`QIrJZ7%R4H%aL__bmTP3ra%IrnBHL%2qpAg z%3Vsx0$EB}+5$_vlt5T^fu*;l{=Rw7NH(y$cc1$__m5xvy$}e-ZdE0{=zezgU~4oghkZv;;>>G&!;^(VAi9__{=Efn84XMJ1Y?iz{KJu;p?O zn+rP+_FL?i^KT_UDFI4}=%YQQ!14mi3oI|Nyuk8m63YuLuO_j)!14mi%OsW;SY9Tv zyi8(wnZ)t}%L^@6BSVsYC zF0keTYc8&jvV9f*8JYdZO);wU%1J*oX%>&jvV9f*8JYdZO);wTU0IL#MmB6Y5Rwb}1fmI2t zN?=t2s}fk1z^VjRC9o=iRSB$0U{wOE5?EEhss>gyu&RMo4XkQlRRgOUSk=I)239q& zs)1DvtZHCY1FITX)xfF-R-Go_FVt!B{X(5Kh1zNz>Da?$%cu?4k&a1wB=*Y|UZ))e zE9cDXG+M_?_7vDtVK>8Wfu&FJ(9wtB?}3#oi0Vj}D1Xu=X-nieq)XBQiya9cDC}tX zRk%vNO{gQil2*Pos3W~1OL`@(d;?O4Hz0LpU9sxT8b{6bx zSPyI=tSR#+y^@x`Z;JgoKM5i9nX+U%u5S<1@rvcGvKy(@qod!gwf$lXQhz3NbL6gyGKy(@qod!)t zr$Lj^Y0zYJ8t7gl&zI3@&}4KPG#Q-+M5h7KX+U%u5S<1@rvcGvU@|%lh)x5O(P>~Z zIt_?U1ESM_=rkZY4Tw$yqSJurG$1++LPn=S$mlc(8Jz|pqthT{bQ*+=PJ@uqX%I3x z4MIkzLCEMd2pOFQx|j1@@gX`sM8}8d_z)c*qT@q!e29(@(eWWVK19cd==cyF zAEM(!bbN@857F@j1@ z@gX`sM8}8d_z)c*qT@q!e29(@(eWWVK19cd==cyFAEM(!bbN@857F@3A{Cdw3A{Cdw~Q_Jr1@7cDJ-_syv5HgDu6LZ(+ZemKVwWycl*lY^$`Q zPaYL#!9Ry=GZ34B*sMv!W*|0e60up6h|QWrYzAU85Sy7qY-SR%nMuTEAT|TBnM=fG zE)ko7*bKyGArV`E*aE~BAhrOp1&A#`Yyn~m5Ll;|wg9mOh%G>D0b&afTY%UC z#1fhg!b0%j6zv`O+Q& zI|=qs*r~A7V2^;E0XqwJHmnD>kZdP0(@AzItZZ+cV5Sqybb^^qFw;rQ&{1MWTG`$@ z!AvKZ=_F=o4>2R{a@baB!AvJHBmHy8b_1~+h~0=qHxRpl*bT&PAa(<>8;IRN>;_^t z5W9ic4a9CBc2g`Ue;{@Pu^WgzK;YmA5PN{w1H>L6 z_5iU5h&@2;0b&mjqd<%TF$%;e5Tihh0x=52C=jDSi~=zV#3&G>K#T%03dAT7qd<%T zF$%;O5Mw}$0Wk)|7!YGXi~%tQ#264`K#Tz~2E-T;V?c}nF$TmK5Mw}$0nwxueyT93 zg-bhGqxUh?&ZU1CwNevvYbIvZOw6j8S~ab{GqqaS`LM^p*5mwzG!`?pCfG&TAAr9Y zeh~f=8XKD0GWc>OhDm)&B5r~`1@=_f&9GZw<*FeQvvwwC?M%$tnV7XRF>7aH*3Q(f z2G%vO^vP4Y>RMR(7Eto9hrI!ozOj?`+z5LUEPXDO_S^z{C+uCYcfpBghY`iv@B`b0BX`ke@}uffWdIi~gotX!XCYVs2S zCT1y3?QQt`Vc&uMMwXemVCCnnOqL5PS5lcwelpa=e5T3dCqqrlYMLw$zFga5veEG6 zN;#8_gPkCw%qGFkz@AyKvtd23g|Nl2<;Z6)>^#^i$rVF;V`y)fBQ+V?8>^Q&lcLf& zq^Qy^mHCjaO8;0{9)7&chqu9BA&-*Y(or!{?jhBcz8n4|_>Vc0Vb{^9VC zfIl7n4EQtQ&w`&1e>Qvrz6X8*{6hFe@JnF5uybI`VdueC!lLe&=`}??_Q>^Srf7sO zS3Q|x0erdk$;8~RDbVjQ18fTPJIn){VhPTatD#J>48EMXHAORgIh$&V7Wn9uq7^sjBKBlM$aUDS{AIF(dxrfYabM*kEhH1cn<92+3@9BSqoZZ zL5nP$X+euDXpsdivY$ys zQj082YLNvkvS|K6UM022f)-hHf0w@0B8%?t(n>9|@CLzx7Fp0D3tD7Bi!5l71ue3m zMV2PD$kL=1SWrAaNa zG^s_FCbh`Yq!wAwA`4n%L5nPCkp(TX=$S;8UuuyBEwZ3R7T$4K&>{{{<3WI>B8XpsdivYZq%XC|qEV9cr50HB8yn(WyMHb#eSksSA+^X7Qj07hwa5}ui{j9tIJ78E z3Ue#%k+bV@C`=q$6o(eYp+#|u;H|=j7TM4u8)w?kA{$y{LyK%^kqs@fp+z>d$c7f# z&>|aJWJ8N=Xps#qvY|ybw8(}Q+0Y^zT4Y0uY-o`UEwZ6SHnhlw7TM4u8(L&Ti)?6- z4K1>vMK-j^h8Ee-A{$y{LyK%^kqs@fp+z>d$c7f#&>|aJWJ8N=Xps#qvY|ybw8(}Q z+0Y^zT4Y0uY-o`UEwZ6SHnhlw7TM4u8(L&Ti)?6-4K1>vMK-j^h8Ee-A{$y{LyK%^ zkqs@fp+z>d$c7f#&>|aJWJ8N=Xps#qvY|ybw8(}Q+0Y^zT4Y0uY-o`UEwZ6SHnhlw z7TM4u8(L&Ti)?6-4K1>vMK-j^h8Ee-A{$y{LyK%^kqs@fp+z>d$c7f#&>|aJWJ8N= zXps#qvY|ybw8(}Q+0Y^zT4Y0uY-o`UEwZ6SHnhlw7TM4u8(L&Ti)?6-4K1?qTx3Iw zY-o`UEwZ6SHnhlw7TM4u8(L&Ti)?6-4K1>vMK-j^h8Ee-A{$y{LyK%^kqs@fp+z>d z$c7f#&>|aJWJ8N=Xps#qvY|ybw8(}Q+0Y^zT4Y0uY-o`UEwZ6SHnhlw7TM4u8(L&T zi)?6-4K1>vMK-j^h8Ee-A{$y{LyK%^kqs@fp+z>d$c7f#&>|aJlz`oj_x@ENST+X|u@=K%)jU`t1_(($R+yInn z07^9gr5eymX_PlWdeuU<7H7_fJqETOb|I<#0O^&qi?AmEe=+^RGeqcfei?dmZfcus6W&#F;n3-UNFy>@BeL{X&$F{G9jz>6o~pX$z`h7e-ycXv=^Lxa()S0Fl}}a!q-N5Wqr3r9GwHtt|84kkls7wl(l?1-4=lNs zV}N}xEqzA~UCZfLP|51Ba#T0~^&24dqxzEi(Y2(0lpEAdigMT>uBj8VmKLh?u__N^W!=DY`fbW4{0KX7^5&RPPUf4OX z<*@T$D`Bf)>tx+Y{bXt7sBnPPPx^9HI6&$reK{%|fcg!P`pG@=b1?&?e$tnpju{~J zlfHZs8zA+QzI+lJAoY{Jd=eWV^^?AQ5*r}(lfE1k4v_ju-{G(WOm@O{!}h>NVPmjz zRnGvm#3N|#DGfGDTGBLWv$Z2M`EMeNX$+pG6;bN=Ogn(K9G`3HTCMVhHcj&>UmtQ# znwFy_)P9#XQd_Tl8hdKzDnCOTrM<2EZ0%s}E9K{C`7BTQx#U+Uf0#C%naUrbWv0qA zQp?chYV;LYdM1^(n_a4WrcL2Y`CJ>urz&4)3wWXO^&#h^X$SHRYQIaH%#-<~YdiRT zYJY}yxHw+<*_u~uQGSlrB6cf3S8LG^QvNV)vA$aQBeVljVkg3JDt{#AZV$&3AxeAt;}N?f(k@GD z=ch_Fqz>JQMBkj*vsbTPogY$#Zl@aNx0}7Q|J|{~+P-i{*p76?s1EtviQZ^qgz9V) zem`oS=nlIp`anhP&13p)T*_J)ll~WIhUTHandHx>b4{tJD)QrW zjkGeC2zfCrU-Q$xFnMk*K>K5w4KJ+q(ito0oG76#qBFX*e)2Xo$5)H=!jlowfN$*nwVEu|~y3O8LVYbmH~5A+_B@b&_$g>6{2L zljPQ>n*5The;x-J!30HOjy9YAR^u<95Pr(EjJk|rKH}d?XZ~-mOHf^9+$BGf`!1@P ztd%UY%(Itb)QH;1wqfH;H`P;e<-|Ne=Sik2D4!6O$JzSnHL?}{JiY~lVEoH+59XDR zx^__=qdzH!O?w*YHA$6Lqb;B|QA4fI$&-|qJ9mvAJ1NlrR3H%V2#Yj7BD|s$eP$97GR56kS$?L*)n!4Yi7r>7Pg$Vvg27B3$YcfoprD< z>ttQ5n?+a;TgjrVm&KUL`k2My%w`GJ&sMS3Yz*0B@ViR>hHGW!)<&o;1)Y!f?$ zoys<|E$lRQI@`+5U}v(k*x77=ox{#$=dttI1?)n05xbaO!Y*Z(vCG*N>`HbO`!(Cf zwzI3*HEajFmR-lLXE(5&>_&DIyP4g>Ze_Qz+u3i}Z`mE}PIec&o6+xMvwPUR>^^os z+r=JWyV>vAgX|$jzf{Toz#d_bvd7rtY%hC){gFM%o?=h4XV|msPwYANJbQutnZ3wf zVlT5-82#E9dyT!$-e7OCee5mvHrvnMVSi!oGWt~&_8xnmeZc>unK_AUF4eb0ViKXQ#T&N+RLAy4Bjp3XCPCePy8JcsAkbui#hmtN5?^Hol!-&9C7*__h2xem%c| z@8mb~oA}NA7Je(gjo;3H!+*=~;CIq*)89?MQT;o955Jdw2ljrxi$B13^WXCa`9t*E zpL^(6G#}xQ^2hk&^sA9i(61Oi$)Dm+^Jn<8{7?Kj{ycwy|CxTx?y; zzvlno-|%nwcl>+)1AWh_CK!E{rJ!&1OA{{oCbkTbDYEE$wQ>Y~e-eGm&}&xO0iBr#bWDyE33;xI8y94?L!)5Q!iQ_K?iVzw}Z zM-+%cQ6!2*i6|9bQ6}byBSpD5O3W2Ui+Q3#REjE5Eowxqm@keIb)ueDOEwChSRnjj zp=c6|L_jPSL9s+Er4=Q|(n^oxM2lE1TE+3AjaCY*5bdHvgy}7O7ri5oh#s+0L`AQN z(Yu>In(>SaTO>rkSS41AHDaw;Cr%J2ij&02;#Xq5*dR8FP2v=Bs@N>Hh||RBVyieq zoGH!{XVY`}IpSP#o;Y7zATAUaiHpT0;!<&$xLjNzt`t{^UyE&GySQ3hBX)>u#dYF( zaf8??ZWK3(o5d~SR&krSUHnG;R@@=(6nBZc#ea$4iF?Go;y!V|*d-niyT$LtgW@6a zu-GI1ARZBqipRv`Vy}2Y{82n9o)S-sXT-DOPvSZ8ym&$US-dD-5-*Ea#H-@J#cSeq z@rHO)>=SQ^x5a+(j`)jsSNv7{O}r=G7axefix0&|;$!iN_*8r*J{MnzFU42lYw-{9 zjrdl4C%zXyh#z%LXFAt~uIp*KOHbD`^h`ZV&(?GFTz!~6Tpyv2)DO_}^ild~eT+U< zKTsd1kJk^<57sB>6ZJ!Mw?0XqtRJdR(WmN%>C^PX^&|A@`V4)hK1^dt3h{V08|ezZPMuh1*?D!p2-(QEbj`Z0Q)UavRkjk-@?p!@ZO zdXv6L59o{apuR+3sxQ-z)tmL>^cH=&-l`w3x9K5$h2E}r=wZE6@6x;Vh~A^G)T4T@ z9@9;|Pq*~AZtDrXUtguK*4OB3^>z9Q`ic5U`pNpQ^!54%eWSifKSe)P->h%ZPt#A= zx9Vr;XXRr;^>ZTfcoYW*60 zhkmVooqoN3gT7P0QNJlYKV~L6!kv1oKN=koGh_03Jre7RhZFtrSei`_x?xv%O?x!d zn_=~viEzh?XjZJhcZD1Wbj4g9W|RgG>3!iiJxV7sL%rnL^pKy8lWoc=8qVws#lx{^ zxHFLj4}+A9kbL%!*emtEXuq9C5AVGpSNGb!?r_XSc|^>PG&>ryyY+S9xGBt7SR_`P zX^HN5nD{gM<9cUgRan@OHEDKuRXCOwmLnfM7Kw!^uc#Tzv}t?;PmhLeJ1uPWhob3J zuMojfRl>F$VenAm=lAury8KWy@ju_&vsc7J?JL6xS+C3$eQLG5Xv#HV>YVN_IS4G!=!%~jMaWZhjIVTu7Y2?{#p({E=} zSnYm9Jf4g2Cb!Z;?fr=`@9mfECq$g}bq{k|hOC7gH>S6TJE#nyY-%3Kt8%D_y~IX8 z)i69PRYr#;I**z`oGwl$w>uQ=bRgAEJ15yLBw4Ns#K~2Ga%5LHaqNtS*SIRcbY?}8 zp|pxP@yRP{GOAROTs6+cHO|E~gBNGkB(KV z?OFhMm*0W#I}rZC%Uph^eE#H>8NL0{M5Hge*5yYlbp@SEgU+SF!AmoP$!lE4;$Yh1 zZZjUs>I%nusavmz+AbN2Rbf}ixi&O-t&64@r~zh%l3ApMKuai`(VnD*qAxEFI~Rus zFV3V;I?c@$an6Z2=cxW8dC!a_&kE>XTF4HNGnY_x?5m^=K2)j&& zgnsA3e&@pe!3#6{Q&+6TLDC%}A#-hVcX~x{s6B4R(nC(_s-PYxIYE+MVRljTTA3bl zQdbo+akV=@Rf9m;?SsBv)nO*|b~3K2_7G+6YIl-qC+SFT#m!K{)j{x~M0$-X2Tilc z^0;c8a)gm&)lg<3qCS?$3a8xk8dbWmDqW3}aTrPV{J|1scMbZk`A*JVNc8!#tX*Vs z=0mw1l$@?18`;MUUY*@N=Vl*{oeOkwr}>yUwYH+?5`2{H!`aI%mPn zu5(K6oaOk#>QWVyyEAA@%6`OES1-4Dq$j(6ungHfgMLoKkV5CI{KC=$I<5)~!mYIGW1)JYaNxy78^77WQCCpKimwZO?O<^(4e z>ND*`+@!mtsEKunaI7ocubP0VntaPQS7+3uQfA>U;#>>mgqvRB+(XhsN;Dk_$FXcj$>8S%hVYj|H(Pq3Qk{RWtZ5Fo zLsuGT%1jkamrS`F64F3$&QPAx5@yV_bCZ?DR#ru{uR8=cGeq}(dNzrKa%%eQ2vrQb zGinmf@!UERBkYnLGRIF(XQWuzkrNzpL6*Na+~u4&GD4U91TPJEdSy5fN}C^|8scH2 zu&gLuVd~9vh;EW0x^Iz}AweZxT0^L>FGQWVcST2t`}+BUe!eV1od>1h3nOAtx0x1* zboGYB;!uCODv?;&9T8RZf1w?5peo8n$UKv!l6enTCnxu1g;J#Cgoo5Dg9_wOCF=!m zRKIgPc`0_L;d*@qou1YuE1A|2jwV9sDld8>rYg#VG+~_x=`yplm8c#)rBn5sf>u`X zSU+DANjFs;`ywLVZMx{Oy*K1ZLn0DXRaFGhN7Zbn|5TzhQ^p`i=A10q@Sl}5M`h~- zP#wfZ7A}UH8S0Eg=&eCPVbUx1q`ZQZH+ZxtS6xwDESXJhmB_8s`K2k(oASz%UWt+N zQdlKPEKgB!@~9`3izk(fCzVS(4lGGI?sVhoTr7BI8r8HHR(o|VWQ#qHWaxP8fT$;+cG?lYAm9sZh zUvCP-o5Jv>FuW-YZwkYk!tkaryeW*b6h>JJqb!9{mcl4YVU(pX%2F6*DU8y=T#^{n zQ&b!B7|Ej^BZ=WLk{BK%iQzGl7#<^u;W3gJ9wS)~kCDRgq%a1{T%6ozlzClCoyX$U zPO=m?7uRYenM;#$khwbPxsG*CTv$;JVZyd6lap)J0>JOedjJTq|f|Bb>+x zN23u^HanY!kn}X)FDEHnas-+PyJ)~`#yT*d#f*i-z|av}0LfH?=oQh7PI^?5a|fBR z>;gUP2Ss?RdCIK8N>=z=Ow-hm!0e{>UMIT;3YPIdaw~NpFsv?-|@6 z0+JiqH2;(IbHPSx3$!G+a^!?XazmE1z%UGzqU5w)ptcKDTBOoqm6oWqRHa^(mZ`Kt zrIj+Rt*Na=T3cJC(rTF+o?74<1(n!u6jlSDQs7ex98XPQjXa-HK{6)oTyF_i5IQ1whaq3Z2f>IboCE$@#@JK1@M=5xu6g*N29w`Nn zl!8Y}9iECxl6c^S_JbFrs8r#XD*RG~U#jp+6@ID0FID)Z3cpn0mn!^HgdMw3g4^ny$aW>aJ>rGt8l#v*Q;>73fHS}%M?zT!l6fC z*}jU(6i%7KDO2?yLJ$}TJfNCqe$sSQMD>VwJJlkDubgZMp3mYL$xYHwJJlkDnqp@ zL$xYHwJJlk;-Ol_p+@1?C=O~A2Q>=6M&Z{e{2IkUjl!={_%#Z@M&Z{e{2GN{qws4K zevQIc`dL(~@M{%*t-`NW__YeZR^itw{91)ytMF?TeyzfH^x7z@Rrs|E-_diUSm|N0 zQq5xLzCrsP{9?nwFE$+fV#C2NHXQt7!@(~$9Q87<)akkqZH+%6y>87 z<)ak*P>S+Vit>4CoPJ8F!gu;9Z7Y1IpVGF%cls%9D}1M)(ze2P`YCNIe5aq%w!(M% zDQzqKD)8f}ar!8ws{T$NrEOJzr;pOMs()3f>}#~`P4+eN%hbM#A^TK0oW4rusB%;( z9;#G1oPO%5ar!BxsvJ%~rEOIXr=QZcDu>fgX8G@<;^6dC+E#IJ`YCNIe5ap! zYMg#bsfvTsPib4l!Re>8t>WPHQ`%N>aQZ22t2j9Ql(tp8X6f&v>g)8&0z=&w3XR&l!RaduLg-;}#gKg%cF27P44x;SV}5oT z=CkC!VR$f2<>YLpGRei!gRhJt1{?8KEID% znWoEU+I-V?$sLr?i!Vwt@N`d3x_rt-N)Nd5I6d3S<9Mu<4xVV`3G!iGvw^ObVdxFw3j`O z<#HzP)76Z<%bBH5S5xy@gVXW6u0B)Fm|;RlmtKxE$>F0K@EXO*fvi!CmSGe*J(<#E z&sHs@szRexyqs3;X8lONQ;ik9IkaGG4E^VFOY9`8(-!&4X3=Wj5{*Sei5OisLgPMv zqgxxZ$nSI0%3+Q2p?^bd>be-)|BLGm$90vsB9m6HYsT9mj%YgJb*ROvdE-l)Dv;ylTT8%WH&StdcXD4bmUd#GttAyk^)Yho2 zljofC^L0e0&=EoBz-TgN4%u_?)f3kr ztd-->Piv5Eth^4>O589tD*7`f4arO&b!2An#9?dZpYYu27eDil^S=48^Nu5TZ`(L> zxv^2KGdA)S+k{-}IKn&i#c#e2-FDUI=e&E^U4L$V!N^S&m8DUk0w|*h>aIK<40y&G zqg}L-l{bvmtVifgMr@|LF4ms!nPD6u4~V?U$ph}ik>0R7kf7B%^u~ui2@qdJtJrOK zRfREeY_3silz8YlSN>}rn@hKs5>HVIkWKYwNRc?%k5ocZCh`ZJzS z-#>ol*BftK_VSaJpUwJx|LbSn^yt|WE{is1TsZOdS3m077k{Ykp{v@;_r3MNm}}bC zL`I!(%PcOa5nZ!kkFnuFqsWy(?IA5KoiY7z<1k}Na@$~=4^*EMFx&0Ee44zB(3_T+ z{BVMiLySzwW9&zr)8hF;xpjy>)0l1?zU{DWQ#Mal7q-WvKe=vp!nS9%hw^E^F-BfA zRc4W6WFAjbpzW2h)3Af+#=(e+#zWL1y9eQQ)0`_d-)ngy?-8k*h zPxozZs$V@ zcJA`{NvDmyYG&2ddjn6MbkvvA=lsrpfp%?g)~4nEXbpUR;2lec_dWdW7q?uvZP?h? z_l#NJ_W1A_vCaA??|;5#+OuhY_^{}>)_dv-J}so)w}<}EQoV2f?r|5san_>Rs;^${ zJto()<7bo^8_pQg6PhbLqm4XCaYkOwQkugJ$7AlQP+!0@(4s0j;uj;mi z)Kh7?F4=A6W?{11{-0>YMmBjUE3&(8WWzOMBg^8lMeW@C+Z}&=(tTUjNvGeurT^nQ z7ku)@gTr@sg?3%jaquhm{bO(8O{W;AFFX0nS69APa@FwN&wjAx)796VY?kjn|F+zF zyFZU!uy@y@SvMVX)E9TZu>AOg_^-d2y>jA?udcc5y77?b(TIKKQlg z@lXCTdEBde?wDV7+4$qPO+06R>lYuM_{m8(tzZLR__AMrX7Z97E`0LV(^lR3;k~(^ z?f1RB?c45cw~jjUjx7(~rxfE=W5Y}TOU00F$5D(7!$rNDKL2G@$bEdiU{{TVK0x#;J4fy7I1<_bvVLfjj?j@)u9%T=ntAKg@XU$VCSobC@xQx^mKw!G2=&nXDq5Cmy9?b5 z`&ZCw4)?-1y|9U|{b`SNSMG7n2VQ^rob2R)Ks}_@BD}16>pDY`c+GODq|CV&~(n zn{!|I@^S*J|8aR0McENuMtPm_1O^677jkDNI0aOSt)<>fc; zKK;a_j+{F2%g>gbaK-2Bu1B(dxBjUIrX@mM(|kSee6S(3Z0$8~jvaBp=xMj_^A-JS z#(a16J+F68>D>CH|K3CX;C*cIIs4*Yj_d62xu>rCY46(H8;u)Yo!NHGRWIH+itXI= zqW4^*Ebk&Q=fru7@4n^D*#~X=c-8`Io*FFdzF}a5x0S#cjZ3W#oT(t=rY2t?6%Fvu+3lBu=KIQSYjNW zyt{KY=HP!BzxF=cn4UV58xzO>>vJjAKYdQ1PTrfmmgVRngLo#OV zDZYHi_KBbVOiiTzogsez+66CFTpfzsKKh0=j~b7hQ+{&gS5xlZzsVj;>-a}pvHh)Y zHq3ti_j{|~jla3@?%)Xbrr1U2?Z2$4=gv~ke_uQ6{WG;kC-~p>72JF3*9#u_rYji! zxaWa&dpo@2M~qlgv&!??=5=Ct+e3FOzw*m7I#+Ex=-7Rm-q}@mt#`>guUD)dwrseu zF)fdtW4=}T*ZKCxU2FG_9@D!pV4gN^{HC9k*!cfeerTjZqE%W@HmIw#&cN`dboH5^ z>Z)vX6y%J&Tp#H-eae@#F_Ey7&tmC$uBGM*`pkoeT7*0?Yt(2TEqIfk8g|npSCY5&DQWJ;}LO6?hKB zQ@ox%YWQNAH+^W@`E0hGL>B)7`QHwYE~wsiVdTVM?lZ5BIjf*}Yh&R}t?uoOFHYa$ zeesfO=Y2e`E_?FCfd8SY>-L_pbIC`sV_Y|+jV_zme&mz`&bjB3r}t(QpA>(4{?hN) zKC!j_-Fbbpiras6>-wkn-1gG9Up@Za=`X#wW815lpI-gx2_HS#|KL~Qg&mWx+;!6Z zxBRZ*kIQO?`JO$t(U(-aO{8|eqTw!eusn=&elj#kUvE^)Lx<=`8FahaR=TZtb76Aa zW49O5&_v!|X8oe;Rt2h(2hoF(i`&WNr_xC}kd%~vE1gmf|H*@pF#401)8I}@^M5wD zJ34ul!T)KELXprGxbEz5W%5-iKl~gbq=IJA-Aq~z;9HiqJ zQKQGipY?GJ?-u-J@|HKcDn^fe>rWq^JnX55F8y=+u8;3J|DB%rihW=FsoeYF4M$}h zfA9Pa8;?J(q3-hu?r(;lpZUy$aZ9SlUVYkU-=1~ltzYF9zh0hmbM*ynHPbKu;c~O_ z$lnxo^^Ms4V{=(c^V`vlHx-{4ZutI^-n&L$P?eIp(?>NhJcyz|vNpMT}AS5};J z@((B7v*Wz?W1mjm`pD`M-`3{rK$_>d8HeAtXx~}uR^GL`dRNXZpD&*}^X(_M8gm=O z6>Ilix8T<7hyFMvJ^R56HhwwclY7s(`|`_PYAMhAaGJ0DbhB{lbDLlP+p@y` zquxJ1@>aFEK#M;8!l|z;x$d&-j((zXQujHZw%xn$udd}~lky7w?%621NEX{UW5$Lj z{=bzyKH?XGJ~&UctOf8fULcW!Oy_;zSZqw$}b3Vhf0voFf6B9u6n?ex$HOugb*KM+`19LV7A&86 z+{91Dob=(I1vhW1xogj%i~P5g9==`5&qj8_VBuY!jVwyLx@G9Q{!gaO{>fzBkf;=1LV>F@lu_N`sr zb&vM1J0th(zfIni_we7w?wxqtYfB!vZ)f|lyLNB-%`N%9+go4S^!D*5y?)vyRqvj; zf7j?c&wq4#!RT*Rf4*|te%FUhtMbP`dEtgo( Date: Mon, 19 Feb 2018 12:35:35 +0100 Subject: [PATCH 106/251] Avatar generation use ttf (for ancient compatibility) Signed-off-by: Roeland Jago Douma --- lib/private/Avatar.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/private/Avatar.php b/lib/private/Avatar.php index cd29017333cff..45ad66d0817e6 100644 --- a/lib/private/Avatar.php +++ b/lib/private/Avatar.php @@ -254,7 +254,7 @@ private function generateAvatar($userDisplayName, $size) { $white = imagecolorallocate($im, 255, 255, 255); imagefilledrectangle($im, 0, 0, $size, $size, $background); - $font = __DIR__ . '/../../core/fonts/OpenSans-Semibold.woff'; + $font = __DIR__ . '/../../core/fonts/OpenSans-Semibold.ttf'; $fontSize = $size * 0.4; $box = imagettfbbox($fontSize, 0, $font, $text); From 16a4e7192cf517231bed155b99786fcfa738c081 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Tue, 20 Feb 2018 01:12:21 +0000 Subject: [PATCH 107/251] [tx-robot] updated from transifex --- apps/dav/l10n/ru.js | 1 + apps/dav/l10n/ru.json | 1 + apps/federation/l10n/sv.js | 1 + apps/federation/l10n/sv.json | 1 + apps/oauth2/l10n/sv.js | 1 + apps/oauth2/l10n/sv.json | 1 + apps/updatenotification/l10n/sv.js | 1 + apps/updatenotification/l10n/sv.json | 1 + core/l10n/pt_PT.js | 11 ++++++++-- core/l10n/pt_PT.json | 11 ++++++++-- core/l10n/ru.js | 25 +++++++++++++++++++-- core/l10n/ru.json | 25 +++++++++++++++++++-- lib/l10n/pt_PT.js | 33 ++++++++++++++++++++++++++-- lib/l10n/pt_PT.json | 33 ++++++++++++++++++++++++++-- lib/l10n/ru.js | 7 +++++- lib/l10n/ru.json | 7 +++++- settings/l10n/ru.js | 6 +++++ settings/l10n/ru.json | 6 +++++ 18 files changed, 158 insertions(+), 14 deletions(-) diff --git a/apps/dav/l10n/ru.js b/apps/dav/l10n/ru.js index 86082e3f8c649..70cfd8050a609 100644 --- a/apps/dav/l10n/ru.js +++ b/apps/dav/l10n/ru.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Описание:", "Link:" : "Ссылка:", "Contacts" : "Контакты", + "WebDAV" : "WebDAV", "Technical details" : "Технические подробности", "Remote Address: %s" : "Удаленный адрес: %s", "Request ID: %s" : "ID запроса: %s", diff --git a/apps/dav/l10n/ru.json b/apps/dav/l10n/ru.json index 8c53fede2aa55..934bcaa719ed3 100644 --- a/apps/dav/l10n/ru.json +++ b/apps/dav/l10n/ru.json @@ -53,6 +53,7 @@ "Description:" : "Описание:", "Link:" : "Ссылка:", "Contacts" : "Контакты", + "WebDAV" : "WebDAV", "Technical details" : "Технические подробности", "Remote Address: %s" : "Удаленный адрес: %s", "Request ID: %s" : "ID запроса: %s", diff --git a/apps/federation/l10n/sv.js b/apps/federation/l10n/sv.js index 676df6798daea..eba25bbd93f99 100644 --- a/apps/federation/l10n/sv.js +++ b/apps/federation/l10n/sv.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Servern finns redan i listan", "No server to federate with found" : "Ingen server att federera med hittades", "Could not add server" : "Kunde inte lägga till server", + "Federation" : "Federation", "Trusted servers" : "Betrodda servrar", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation låter dig ansluta till andra betrodda servrar för att utbyta användarinformation. Till exempel kommer detta användas för att auto-komplettera externa användare för federerad delning.", "Add server automatically once a federated share was created successfully" : "Lägg till servern automatiskt så fort en lyckad federerad delning skapats", diff --git a/apps/federation/l10n/sv.json b/apps/federation/l10n/sv.json index 5e7379d9317dd..1f27bbe7303eb 100644 --- a/apps/federation/l10n/sv.json +++ b/apps/federation/l10n/sv.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Servern finns redan i listan", "No server to federate with found" : "Ingen server att federera med hittades", "Could not add server" : "Kunde inte lägga till server", + "Federation" : "Federation", "Trusted servers" : "Betrodda servrar", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Federation låter dig ansluta till andra betrodda servrar för att utbyta användarinformation. Till exempel kommer detta användas för att auto-komplettera externa användare för federerad delning.", "Add server automatically once a federated share was created successfully" : "Lägg till servern automatiskt så fort en lyckad federerad delning skapats", diff --git a/apps/oauth2/l10n/sv.js b/apps/oauth2/l10n/sv.js index 6008633294f74..5d2946a1d2239 100644 --- a/apps/oauth2/l10n/sv.js +++ b/apps/oauth2/l10n/sv.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 klienter", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 tillåter externa tjänster att efterfråga tillgång till %s.", "Name" : "Namn", diff --git a/apps/oauth2/l10n/sv.json b/apps/oauth2/l10n/sv.json index 6fa51297312e5..464282a4491c6 100644 --- a/apps/oauth2/l10n/sv.json +++ b/apps/oauth2/l10n/sv.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "OAuth 2.0 klienter", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 tillåter externa tjänster att efterfråga tillgång till %s.", "Name" : "Namn", diff --git a/apps/updatenotification/l10n/sv.js b/apps/updatenotification/l10n/sv.js index a360615d947d0..8d5ccfdc525e3 100644 --- a/apps/updatenotification/l10n/sv.js +++ b/apps/updatenotification/l10n/sv.js @@ -10,6 +10,7 @@ OC.L10N.register( "Update to %1$s is available." : "Uppdatering till %1$s är tillgänglig.", "Update for %1$s to version %2$s is available." : "Uppdatering för %1$s till version %2$s är tillgänglig.", "Update for {app} to version %s is available." : "Uppdatering för {app} till version %s är tillgänglig.", + "Update notification" : "Uppdatera notifikation", "A new version is available: %s" : "En ny version är tillgänglig: %s", "Open updater" : "Öppna uppdateraren", "Download now" : "Ladda ned nu", diff --git a/apps/updatenotification/l10n/sv.json b/apps/updatenotification/l10n/sv.json index 62451abf15e8b..3a6f4186f1f1d 100644 --- a/apps/updatenotification/l10n/sv.json +++ b/apps/updatenotification/l10n/sv.json @@ -8,6 +8,7 @@ "Update to %1$s is available." : "Uppdatering till %1$s är tillgänglig.", "Update for %1$s to version %2$s is available." : "Uppdatering för %1$s till version %2$s är tillgänglig.", "Update for {app} to version %s is available." : "Uppdatering för {app} till version %s är tillgänglig.", + "Update notification" : "Uppdatera notifikation", "A new version is available: %s" : "En ny version är tillgänglig: %s", "Open updater" : "Öppna uppdateraren", "Download now" : "Ladda ned nu", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 02c2423e6a48b..9fe7e8b1d3ca8 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -14,6 +14,7 @@ OC.L10N.register( "No crop data provided" : "Não foram fornecidos dados de recorte", "No valid crop data provided" : "Não foram indicados dados de recorte válidos", "Crop is not square" : "O recorte não é quadrado", + "State token does not match" : "O token de estado não corresponde", "Password reset is disabled" : "A reposição da senha está desativada", "Couldn't reset password because the token is invalid" : "Não foi possível repor a senha porque a senha é inválida", "Couldn't reset password because the token is expired" : "Não foi possível repor a senha porque a senha expirou", @@ -27,8 +28,8 @@ OC.L10N.register( "Couldn't send reset email. Please make sure your username is correct." : "Não foi possível enviar a mensagem de reposição. Por favor, confirme se o seu nome de utilizador está correto.", "Preparing update" : "A preparar atualização", "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Aviso de correção:", - "Repair error: " : "Erro de correção:", + "Repair warning: " : "Aviso de correcção:", + "Repair error: " : "Erro de correcção:", "Please use the command line updater because automatic updating is disabled in the config.php." : "Por favor, utilize o atualizador de linha de comando porque a atualização automática está desativada em config.php.", "[%d / %d]: Checking table %s" : "[%d / %d]: a verificar a tabela %s", "Turned on maintenance mode" : "Ativou o modo de manutenção", @@ -294,11 +295,17 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "There was an error loading your contacts" : "Ocorreu um erro ao carregar os seus contactos", + "Shared with {recipients}" : "Partilhado com receptores", + "The server encountered an internal error and was unable to complete your request." : "Ocorreu um erro interno no servidor e não foi possível completar o pedido", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacte o administrador do servidor se o erro se repetir múltiplas vezes, incluindo os detalhes técnicos abaixo mencionados no seu relatório", + "For information how to properly configure your server, please see the documentation." : "Para obter informação sobre como configurar correctamente o seu servidor, por favor veja a documentação.", "This action requires you to confirm your password:" : "Esta acção requer a confirmação da senha:", "Wrong password. Reset it?" : "Senha errada. Redefini-la?", "You are about to grant \"%s\" access to your %s account." : "Está prestes a permitir \"%s\" aceder à sua conta %s.", "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como administrador poderá também conseguir usar o botão que se segue para confiar neste domínio.", "For help, see the documentation." : "Para obter ajuda, consulte a documentação." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index fa289b6ed2e8c..8c9bad2e12401 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -12,6 +12,7 @@ "No crop data provided" : "Não foram fornecidos dados de recorte", "No valid crop data provided" : "Não foram indicados dados de recorte válidos", "Crop is not square" : "O recorte não é quadrado", + "State token does not match" : "O token de estado não corresponde", "Password reset is disabled" : "A reposição da senha está desativada", "Couldn't reset password because the token is invalid" : "Não foi possível repor a senha porque a senha é inválida", "Couldn't reset password because the token is expired" : "Não foi possível repor a senha porque a senha expirou", @@ -25,8 +26,8 @@ "Couldn't send reset email. Please make sure your username is correct." : "Não foi possível enviar a mensagem de reposição. Por favor, confirme se o seu nome de utilizador está correto.", "Preparing update" : "A preparar atualização", "[%d / %d]: %s" : "[%d / %d]: %s", - "Repair warning: " : "Aviso de correção:", - "Repair error: " : "Erro de correção:", + "Repair warning: " : "Aviso de correcção:", + "Repair error: " : "Erro de correcção:", "Please use the command line updater because automatic updating is disabled in the config.php." : "Por favor, utilize o atualizador de linha de comando porque a atualização automática está desativada em config.php.", "[%d / %d]: Checking table %s" : "[%d / %d]: a verificar a tabela %s", "Turned on maintenance mode" : "Ativou o modo de manutenção", @@ -292,11 +293,17 @@ "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "There was an error loading your contacts" : "Ocorreu um erro ao carregar os seus contactos", + "Shared with {recipients}" : "Partilhado com receptores", + "The server encountered an internal error and was unable to complete your request." : "Ocorreu um erro interno no servidor e não foi possível completar o pedido", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacte o administrador do servidor se o erro se repetir múltiplas vezes, incluindo os detalhes técnicos abaixo mencionados no seu relatório", + "For information how to properly configure your server, please see the documentation." : "Para obter informação sobre como configurar correctamente o seu servidor, por favor veja a documentação.", "This action requires you to confirm your password:" : "Esta acção requer a confirmação da senha:", "Wrong password. Reset it?" : "Senha errada. Redefini-la?", "You are about to grant \"%s\" access to your %s account." : "Está prestes a permitir \"%s\" aceder à sua conta %s.", "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como administrador poderá também conseguir usar o botão que se segue para confiar neste domínio.", "For help, see the documentation." : "Para obter ajuda, consulte a documentação." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/ru.js b/core/l10n/ru.js index beb91ad88d651..088b2361d36e9 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -236,7 +236,7 @@ OC.L10N.register( "Type: %s" : "Тип: %s", "Code: %s" : "Код: %s", "Message: %s" : "Сообщение: %s", - "File: %s" : "Файл: %s", + "File: %s" : "Файл: «%s»", "Line: %s" : "Строка: %s", "Trace" : "Трассировка", "Security warning" : "Предупреждение безопасности", @@ -319,10 +319,31 @@ OC.L10N.register( "%s (3rdparty)" : "%s (стороннее)", "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш веб-сервер ещё не настроен должным образом для синхронизации файлов — интерфейс WebDAV, кажется, испорчен.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Веб-сервер не настроен верно для разрешения «{url}». Дополнительная информация содержится в нашей документации.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Этот сервер не подключён к Интернету: множество сетевых узлов не доступны. Это означает, функции, зависящие от соединения с Интернет, такие как подключение внешнего хранилища, уведомления об обновлениях или установка сторонних приложений, не будут работать. Так же могут не работать удалённый доступ к файлам и отправка уведомлений по электронной почте. Для обеспечения работы всех функций рекомендуется разрешить серверу доступ в Интернет.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Механизм кэширования не настроен. Для увеличения производительности сервера, по возможности, настройте memcache. Дополнительная информация в нашей документации.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP не имеет доступа на чтение к /dev/urandom, что крайне нежелательно по соображениям безопасности. Дополнительная информация содержится в нашей документации .", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Используется PHP {version}. Рекомендуется обновить PHP, чтобы воспользоваться улучшениями производительности и безопасности, внедрёнными PHP Group, как только новая версия будет доступна в вашем дистрибутиве. ", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Заголовки обратного прокси настроены неправильно, либо вы подключены к серверу Nextcloud через доверенный прокси. Если Nextcloud открыт не через доверенный прокси, то это проблема безопасности, которая может позволить атакующему подделать IP-адрес, определяемый сервером Nextcloud. Дополнительная информация содержится в документации.", + "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 memcached wiki about both modules." : "Memcached настроен на распределенный кэш, но установлен неподдерживаемый модуль PHP «memcache». \\OC\\Memcache\\Memcached поддерживает только модуль «memcached», но не «memcache». Дополнительная информации на wiki странице memcached об обоих модулях.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о способах решения этой проблемы содержится в документации. (Список проблемных файлов… / Выполнить повторное сканирование…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется задать в файле php.ini следующие значения параметров:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы это может привести к повреждению установки сервера Nextcloud. Настоятельно рекомендуется включить эту функцию.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Каталог данных и файлы, возможно, доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб-сервер таким образом, чтобы каталог данных не был доступен из внешней сети, либо переместить каталог данных за пределы корневого каталога веб-сервера.", + "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 at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Значение HTTP-заголовка «Strict-Transport-Security» должно быть настроено минимум на «{seconds}» секунд. Для улучшения безопасности рекомендуется включить HSTS согласно нашим советам по безопасности.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Используется небезопасное соподчинение по протоколу HTTP. Настоятельно рекомендуется настроить сервер на использование HTTPS согласно нашим советам по безопасности.", "Shared with {recipients}" : "Вы поделились с {recipients}", + "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." : "Пожалуйста, свяжитесь с администратором сервера если эта ошибка будет повторяться. Прикрепите указанную ниже техническую информацию к своему сообщению.", + "For information how to properly configure your server, please see the documentation." : "Информацию о правильной настройке сервера можно найти в документации.", "This action requires you to confirm your password:" : "Это действие требует подтверждения вашего пароля:", "Wrong password. Reset it?" : "Неверный пароль. Сбросить его?", - "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена." + "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить «%s» доступ ко своей учётной записи %s.", + "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Обратитесь к администратору. Если вы являетесь администратором этого сервера, измените значение параметра «trusted_domains» в файле «config/config.php». Пример настройки можно найти в файле «config/config.sample.php».", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимости от конфигурации, вы, как администратор, можете также добавить домен в список доверенных при помощи кнопки, расположенной ниже.", + "For help, see the documentation." : "Для получения помощи обратитесь к документации.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Установленная версия PHP не поддерживает библиотеку FreeType, что приводит к неверному отображению изображений профиля и интерфейса настроек." }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/core/l10n/ru.json b/core/l10n/ru.json index a51f69d1243d6..1b6dce6f0b8b6 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -234,7 +234,7 @@ "Type: %s" : "Тип: %s", "Code: %s" : "Код: %s", "Message: %s" : "Сообщение: %s", - "File: %s" : "Файл: %s", + "File: %s" : "Файл: «%s»", "Line: %s" : "Строка: %s", "Trace" : "Трассировка", "Security warning" : "Предупреждение безопасности", @@ -317,10 +317,31 @@ "%s (3rdparty)" : "%s (стороннее)", "There was an error loading your contacts" : "При загрузке контактов произошла ошибка", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш веб-сервер ещё не настроен должным образом для синхронизации файлов — интерфейс WebDAV, кажется, испорчен.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "Веб-сервер не настроен верно для разрешения «{url}». Дополнительная информация содержится в нашей документации.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Этот сервер не подключён к Интернету: множество сетевых узлов не доступны. Это означает, функции, зависящие от соединения с Интернет, такие как подключение внешнего хранилища, уведомления об обновлениях или установка сторонних приложений, не будут работать. Так же могут не работать удалённый доступ к файлам и отправка уведомлений по электронной почте. Для обеспечения работы всех функций рекомендуется разрешить серверу доступ в Интернет.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Механизм кэширования не настроен. Для увеличения производительности сервера, по возможности, настройте memcache. Дополнительная информация в нашей документации.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "PHP не имеет доступа на чтение к /dev/urandom, что крайне нежелательно по соображениям безопасности. Дополнительная информация содержится в нашей документации .", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Используется PHP {version}. Рекомендуется обновить PHP, чтобы воспользоваться улучшениями производительности и безопасности, внедрёнными PHP Group, как только новая версия будет доступна в вашем дистрибутиве. ", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "Заголовки обратного прокси настроены неправильно, либо вы подключены к серверу Nextcloud через доверенный прокси. Если Nextcloud открыт не через доверенный прокси, то это проблема безопасности, которая может позволить атакующему подделать IP-адрес, определяемый сервером Nextcloud. Дополнительная информация содержится в документации.", + "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 memcached wiki about both modules." : "Memcached настроен на распределенный кэш, но установлен неподдерживаемый модуль PHP «memcache». \\OC\\Memcache\\Memcached поддерживает только модуль «memcached», но не «memcache». Дополнительная информации на wiki странице memcached об обоих модулях.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Некоторые файлы не прошли проверку целостности. Дополнительная информация о способах решения этой проблемы содержится в документации. (Список проблемных файлов… / Выполнить повторное сканирование…)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "PHP OPcache не настроен правильно. Для обеспечения лучшей производительности рекомендуется задать в файле php.ini следующие значения параметров:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "Функция PHP «set_time_limit» недоступна. В случае остановки скриптов во время работы это может привести к повреждению установки сервера Nextcloud. Настоятельно рекомендуется включить эту функцию.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Каталог данных и файлы, возможно, доступны из Интернета. Файл .htaccess не работает. Настоятельно рекомендуется настроить веб-сервер таким образом, чтобы каталог данных не был доступен из внешней сети, либо переместить каталог данных за пределы корневого каталога веб-сервера.", + "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 at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "Значение HTTP-заголовка «Strict-Transport-Security» должно быть настроено минимум на «{seconds}» секунд. Для улучшения безопасности рекомендуется включить HSTS согласно нашим советам по безопасности.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Используется небезопасное соподчинение по протоколу HTTP. Настоятельно рекомендуется настроить сервер на использование HTTPS согласно нашим советам по безопасности.", "Shared with {recipients}" : "Вы поделились с {recipients}", + "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." : "Пожалуйста, свяжитесь с администратором сервера если эта ошибка будет повторяться. Прикрепите указанную ниже техническую информацию к своему сообщению.", + "For information how to properly configure your server, please see the documentation." : "Информацию о правильной настройке сервера можно найти в документации.", "This action requires you to confirm your password:" : "Это действие требует подтверждения вашего пароля:", "Wrong password. Reset it?" : "Неверный пароль. Сбросить его?", - "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена." + "You are about to grant \"%s\" access to your %s account." : "Вы собираетесь предоставить «%s» доступ ко своей учётной записи %s.", + "You are accessing the server from an untrusted domain." : "Вы пытаетесь получить доступ к серверу с недоверенного домена.", + "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Обратитесь к администратору. Если вы являетесь администратором этого сервера, измените значение параметра «trusted_domains» в файле «config/config.php». Пример настройки можно найти в файле «config/config.sample.php».", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "В зависимости от конфигурации, вы, как администратор, можете также добавить домен в список доверенных при помощи кнопки, расположенной ниже.", + "For help, see the documentation." : "Для получения помощи обратитесь к документации.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "Установленная версия PHP не поддерживает библиотеку FreeType, что приводит к неверному отображению изображений профиля и интерфейса настроек." },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/lib/l10n/pt_PT.js b/lib/l10n/pt_PT.js index 77d44beac2c86..a79b72ae673f7 100644 --- a/lib/l10n/pt_PT.js +++ b/lib/l10n/pt_PT.js @@ -1,16 +1,21 @@ OC.L10N.register( "lib", { - "Cannot write into \"config\" directory!" : "Não é possível gravar na diretoria \"configurar\"!", + "Cannot write into \"config\" directory!" : "Não é possível gravar no directório \"config\"!", "This can usually be fixed by giving the webserver write access to the config directory" : "Isto normalmente pode ser resolvido, dando ao servidor da Web direitos de gravação para a diretoria de configuração", "See %s" : "Ver %s", "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de configuração ao servidor web. Ver %s.", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Os ficheiros na aplicação %$1s não foram correctamente substituídos. Garanta que é uma versão compatível com o servidor.", "Sample configuration detected" : "Detetado exemplo de configuração", "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Foi detectado que a configuração de amostra foi copiada. Isso pode danificar a sua instalação e não é suportado. Por favor, leia a documentação antes de realizar mudanças no config.php", "%1$s and %2$s" : "%1$s e %2$s", "%1$s, %2$s and %3$s" : "%1$s, %2$s e %3$s", "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s e %4$s", "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s e %5$s", + "Education Edition" : "Edição Educação", + "Enterprise bundle" : "Pacote Empresa", + "Groupware bundle" : "Pacote Colaborativo", + "Social sharing bundle" : "Pacote Partilha Social", "PHP %s or higher is required." : "Necessário PHP %s ou superior.", "PHP with a version lower than %s is required." : "É necessário um PHP com uma versão inferir a %s.", "%sbit or higher PHP required." : "Necessário PHP %sbit ou superior.", @@ -20,6 +25,8 @@ OC.L10N.register( "Library %s with a version higher than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão superior a %s - versão disponível: %s.", "Library %s with a version lower than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão inferior a %s - versão disponível: %s.", "Following platforms are supported: %s" : "São suportadas as seguintes plataformas: %s", + "Server version %s or higher is required." : "É necessária versão do servidor %s or superior. ", + "Server version %s or lower is required." : "É necessária versão do servidor %s or inferior.", "Unknown filetype" : "Tipo de ficheiro desconhecido", "Invalid image" : "Imagem inválida", "Avatar image is not square" : "A imagem do avatar não é quadrada.", @@ -42,12 +49,14 @@ OC.L10N.register( "_%n minute ago_::_%n minutes ago_" : ["%n minuto atrás","%n minutos atrás"], "in a few seconds" : "em breves segundos", "seconds ago" : "Minutos atrás", + "Module with ID: %s does not exist. Please enable it in your apps settings or contact your administrator." : "Módulo com ID: %s não existe. Por favor active-o nas definições da aplicação ou contacte o administrador.", "File name is a reserved word" : "Nome de ficheiro é uma palavra reservada", "File name contains at least one invalid character" : "Nome de ficheiro contém pelo menos um caráter inválido", "File name is too long" : "Nome do ficheiro demasiado longo", "Dot files are not allowed" : "Ficheiros dot não são permitidos", "Empty filename is not allowed" : "Não é permitido um ficheiro sem nome", "App \"%s\" cannot be installed because appinfo file cannot be read." : "A app \"%s\" não pode ser instalada porque o ficheiro appinfo não pode ser lido.", + "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "A aplicação \"%s\" não pode ser instada porque não é compatível com esta versão do servidor.", "This is an automatically sent email, please do not reply." : "Este e-mail foi enviado automaticamente, por favor não responda a este e-mail.", "Help" : "Ajuda", "Apps" : "Apps", @@ -55,6 +64,8 @@ OC.L10N.register( "Log out" : "Sair", "Users" : "Utilizadores", "Unknown user" : "Utilizador desconhecido", + "APCu" : "APCu", + "Redis" : "Redis", "Basic settings" : "Definições básicas", "Sharing" : "Partilhar", "Security" : "Segurança", @@ -194,6 +205,7 @@ OC.L10N.register( "Please ask your server administrator to install the module." : "Por favor pergunte ao seu administrador do servidor para instalar o modulo.", "PHP module %s not installed." : "O modulo %s PHP não está instalado.", "PHP setting \"%s\" is not set to \"%s\"." : "Configuração PHP \"%s\" não está definida para \"%s\".", + "Adjusting this setting in php.ini will make Nextcloud run again" : "Ajustar esta definição no php.ini fará com que o Nextcloud inicie novamente", "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload está configurado para \"%s\" invés do valor habitual de \"0\"", "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Para corrigir este problema altere o mbstring.func_overload para 0 no seu php.ini", "libxml2 2.7.0 is at least required. Currently %s is installed." : "Necessária pelo menos libxml2 2.7.0. Atualmente %s está instalada.", @@ -205,13 +217,30 @@ OC.L10N.register( "PostgreSQL >= 9 required" : "Necessita PostgreSQL >= 9", "Please upgrade your database version" : "Por favor actualize a sua versão da base de dados", "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Por favor altere as permissões para 0770 para que esse directório não possa ser listado por outros utilizadores.", + "Your data directory is readable by other users" : "O seu directório de dados é legível por outros utilizadores", + "Your data directory must be an absolute path" : "O seu directório de dados deve ser um caminho absoluto", "Check the value of \"datadirectory\" in your configuration" : "Verifique o valor de \"datadirectory\" na sua configuração", + "Your data directory is invalid" : "O seu directório de dados é inválido", + "Ensure there is a file called \".ocdata\" in the root of the data directory." : "Garanta que existe um ficheiro chamado \".occdata\" na raiz do directório de dados", "Could not obtain lock type %d on \"%s\"." : "Não foi possível obter o tipo de bloqueio %d em \"%s\".", "Storage unauthorized. %s" : "Armazenamento desautorizado. %s", "Storage incomplete configuration. %s" : "Configuração incompleta do armazenamento. %s", "Storage connection error. %s" : "Erro de ligação ao armazenamento. %s", + "Storage is temporarily not available" : "Armazenamento temporariamente indisponível", "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s", "Personal" : "Pessoal", - "Admin" : "Admin" + "Admin" : "Admin", + "DB Error: \"%s\"" : "Erro de BD:\"%s\"", + "Offending command was: \"%s\"" : "O comando transgressor foi:\"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "O comando transgressor foi: \"%s\", nome: %s, password: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Definição das permissões para %s falhou porque excedem as permissões concedidas a %s", + "Setting permissions for %s failed, because the item was not found" : "Definição das permissões para %s falhou porque o item não foi encontrado", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Não é possível remover a data de expiração. Partilhas precisam de ter data de expiração.", + "Cannot increase permissions of %s" : "Não é possível aumentar as permissões de %s", + "Files can't be shared with delete permissions" : "Ficheiros não podem ser partilhados com permissões para apagar", + "Files can't be shared with create permissions" : "Ficheiros não podem ser partilhados com permissões para criar", + "Cannot set expiration date more than %s days in the future" : "Não é possível definir data de expiração superior a %s dias no futuro", + "No app name specified" : "Nome da aplicação não especificado", + "App '%s' could not be installed!" : "Aplicação '%s' não pôde ser instalada" }, "nplurals=2; plural=(n != 1);"); diff --git a/lib/l10n/pt_PT.json b/lib/l10n/pt_PT.json index b2f9b699f0b20..9161b23804031 100644 --- a/lib/l10n/pt_PT.json +++ b/lib/l10n/pt_PT.json @@ -1,14 +1,19 @@ { "translations": { - "Cannot write into \"config\" directory!" : "Não é possível gravar na diretoria \"configurar\"!", + "Cannot write into \"config\" directory!" : "Não é possível gravar no directório \"config\"!", "This can usually be fixed by giving the webserver write access to the config directory" : "Isto normalmente pode ser resolvido, dando ao servidor da Web direitos de gravação para a diretoria de configuração", "See %s" : "Ver %s", "This can usually be fixed by giving the webserver write access to the config directory. See %s" : "Isto pode geralmente ser corrigido ao adicionar permissões de escrita à pasta de configuração ao servidor web. Ver %s.", + "The files of the app %$1s were not replaced correctly. Make sure it is a version compatible with the server." : "Os ficheiros na aplicação %$1s não foram correctamente substituídos. Garanta que é uma versão compatível com o servidor.", "Sample configuration detected" : "Detetado exemplo de configuração", "It has been detected that the sample configuration has been copied. This can break your installation and is unsupported. Please read the documentation before performing changes on config.php" : "Foi detectado que a configuração de amostra foi copiada. Isso pode danificar a sua instalação e não é suportado. Por favor, leia a documentação antes de realizar mudanças no config.php", "%1$s and %2$s" : "%1$s e %2$s", "%1$s, %2$s and %3$s" : "%1$s, %2$s e %3$s", "%1$s, %2$s, %3$s and %4$s" : "%1$s, %2$s, %3$s e %4$s", "%1$s, %2$s, %3$s, %4$s and %5$s" : "%1$s, %2$s, %3$s, %4$s e %5$s", + "Education Edition" : "Edição Educação", + "Enterprise bundle" : "Pacote Empresa", + "Groupware bundle" : "Pacote Colaborativo", + "Social sharing bundle" : "Pacote Partilha Social", "PHP %s or higher is required." : "Necessário PHP %s ou superior.", "PHP with a version lower than %s is required." : "É necessário um PHP com uma versão inferir a %s.", "%sbit or higher PHP required." : "Necessário PHP %sbit ou superior.", @@ -18,6 +23,8 @@ "Library %s with a version higher than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão superior a %s - versão disponível: %s.", "Library %s with a version lower than %s is required - available version %s." : "É necessário a biblioteca %s com uma versão inferior a %s - versão disponível: %s.", "Following platforms are supported: %s" : "São suportadas as seguintes plataformas: %s", + "Server version %s or higher is required." : "É necessária versão do servidor %s or superior. ", + "Server version %s or lower is required." : "É necessária versão do servidor %s or inferior.", "Unknown filetype" : "Tipo de ficheiro desconhecido", "Invalid image" : "Imagem inválida", "Avatar image is not square" : "A imagem do avatar não é quadrada.", @@ -40,12 +47,14 @@ "_%n minute ago_::_%n minutes ago_" : ["%n minuto atrás","%n minutos atrás"], "in a few seconds" : "em breves segundos", "seconds ago" : "Minutos atrás", + "Module with ID: %s does not exist. Please enable it in your apps settings or contact your administrator." : "Módulo com ID: %s não existe. Por favor active-o nas definições da aplicação ou contacte o administrador.", "File name is a reserved word" : "Nome de ficheiro é uma palavra reservada", "File name contains at least one invalid character" : "Nome de ficheiro contém pelo menos um caráter inválido", "File name is too long" : "Nome do ficheiro demasiado longo", "Dot files are not allowed" : "Ficheiros dot não são permitidos", "Empty filename is not allowed" : "Não é permitido um ficheiro sem nome", "App \"%s\" cannot be installed because appinfo file cannot be read." : "A app \"%s\" não pode ser instalada porque o ficheiro appinfo não pode ser lido.", + "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "A aplicação \"%s\" não pode ser instada porque não é compatível com esta versão do servidor.", "This is an automatically sent email, please do not reply." : "Este e-mail foi enviado automaticamente, por favor não responda a este e-mail.", "Help" : "Ajuda", "Apps" : "Apps", @@ -53,6 +62,8 @@ "Log out" : "Sair", "Users" : "Utilizadores", "Unknown user" : "Utilizador desconhecido", + "APCu" : "APCu", + "Redis" : "Redis", "Basic settings" : "Definições básicas", "Sharing" : "Partilhar", "Security" : "Segurança", @@ -192,6 +203,7 @@ "Please ask your server administrator to install the module." : "Por favor pergunte ao seu administrador do servidor para instalar o modulo.", "PHP module %s not installed." : "O modulo %s PHP não está instalado.", "PHP setting \"%s\" is not set to \"%s\"." : "Configuração PHP \"%s\" não está definida para \"%s\".", + "Adjusting this setting in php.ini will make Nextcloud run again" : "Ajustar esta definição no php.ini fará com que o Nextcloud inicie novamente", "mbstring.func_overload is set to \"%s\" instead of the expected value \"0\"" : "mbstring.func_overload está configurado para \"%s\" invés do valor habitual de \"0\"", "To fix this issue set mbstring.func_overload to 0 in your php.ini" : "Para corrigir este problema altere o mbstring.func_overload para 0 no seu php.ini", "libxml2 2.7.0 is at least required. Currently %s is installed." : "Necessária pelo menos libxml2 2.7.0. Atualmente %s está instalada.", @@ -203,13 +215,30 @@ "PostgreSQL >= 9 required" : "Necessita PostgreSQL >= 9", "Please upgrade your database version" : "Por favor actualize a sua versão da base de dados", "Please change the permissions to 0770 so that the directory cannot be listed by other users." : "Por favor altere as permissões para 0770 para que esse directório não possa ser listado por outros utilizadores.", + "Your data directory is readable by other users" : "O seu directório de dados é legível por outros utilizadores", + "Your data directory must be an absolute path" : "O seu directório de dados deve ser um caminho absoluto", "Check the value of \"datadirectory\" in your configuration" : "Verifique o valor de \"datadirectory\" na sua configuração", + "Your data directory is invalid" : "O seu directório de dados é inválido", + "Ensure there is a file called \".ocdata\" in the root of the data directory." : "Garanta que existe um ficheiro chamado \".occdata\" na raiz do directório de dados", "Could not obtain lock type %d on \"%s\"." : "Não foi possível obter o tipo de bloqueio %d em \"%s\".", "Storage unauthorized. %s" : "Armazenamento desautorizado. %s", "Storage incomplete configuration. %s" : "Configuração incompleta do armazenamento. %s", "Storage connection error. %s" : "Erro de ligação ao armazenamento. %s", + "Storage is temporarily not available" : "Armazenamento temporariamente indisponível", "Storage connection timeout. %s" : "Tempo de ligação ao armazenamento expirou. %s", "Personal" : "Pessoal", - "Admin" : "Admin" + "Admin" : "Admin", + "DB Error: \"%s\"" : "Erro de BD:\"%s\"", + "Offending command was: \"%s\"" : "O comando transgressor foi:\"%s\"", + "Offending command was: \"%s\", name: %s, password: %s" : "O comando transgressor foi: \"%s\", nome: %s, password: %s", + "Setting permissions for %s failed, because the permissions exceed permissions granted to %s" : "Definição das permissões para %s falhou porque excedem as permissões concedidas a %s", + "Setting permissions for %s failed, because the item was not found" : "Definição das permissões para %s falhou porque o item não foi encontrado", + "Cannot clear expiration date. Shares are required to have an expiration date." : "Não é possível remover a data de expiração. Partilhas precisam de ter data de expiração.", + "Cannot increase permissions of %s" : "Não é possível aumentar as permissões de %s", + "Files can't be shared with delete permissions" : "Ficheiros não podem ser partilhados com permissões para apagar", + "Files can't be shared with create permissions" : "Ficheiros não podem ser partilhados com permissões para criar", + "Cannot set expiration date more than %s days in the future" : "Não é possível definir data de expiração superior a %s dias no futuro", + "No app name specified" : "Nome da aplicação não especificado", + "App '%s' could not be installed!" : "Aplicação '%s' não pôde ser instalada" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/lib/l10n/ru.js b/lib/l10n/ru.js index 5a18e75ed32f5..76c7165d87c78 100644 --- a/lib/l10n/ru.js +++ b/lib/l10n/ru.js @@ -232,6 +232,11 @@ OC.L10N.register( "Admin" : "Администратор", "DB Error: \"%s\"" : "Ошибка БД: «%s»", "Cannot clear expiration date. Shares are required to have an expiration date." : "Невозможно очистить дату истечения срока действия. Общие ресурсы должны иметь срок действия.", - "No app name specified" : "Не указано имя приложения" + "Cannot increase permissions of %s" : "Невозможно повысить права доступа %s", + "Files can't be shared with delete permissions" : "Права на удаление файлов не позволяют открывать общий доступ к ним", + "Files can't be shared with create permissions" : "Права на создание файлов не позволяют открывать общий доступ к ним", + "Cannot set expiration date more than %s days in the future" : "Срок окончания не может быть более %s дней (дня)", + "No app name specified" : "Не указано имя приложения", + "App '%s' could not be installed!" : "Приложение «%s» не может быть установлено!" }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/lib/l10n/ru.json b/lib/l10n/ru.json index 62da4204b9304..1ae1702af49cd 100644 --- a/lib/l10n/ru.json +++ b/lib/l10n/ru.json @@ -230,6 +230,11 @@ "Admin" : "Администратор", "DB Error: \"%s\"" : "Ошибка БД: «%s»", "Cannot clear expiration date. Shares are required to have an expiration date." : "Невозможно очистить дату истечения срока действия. Общие ресурсы должны иметь срок действия.", - "No app name specified" : "Не указано имя приложения" + "Cannot increase permissions of %s" : "Невозможно повысить права доступа %s", + "Files can't be shared with delete permissions" : "Права на удаление файлов не позволяют открывать общий доступ к ним", + "Files can't be shared with create permissions" : "Права на создание файлов не позволяют открывать общий доступ к ним", + "Cannot set expiration date more than %s days in the future" : "Срок окончания не может быть более %s дней (дня)", + "No app name specified" : "Не указано имя приложения", + "App '%s' could not be installed!" : "Приложение «%s» не может быть установлено!" },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/settings/l10n/ru.js b/settings/l10n/ru.js index 8c63f5385e75c..904ad7b950db1 100644 --- a/settings/l10n/ru.js +++ b/settings/l10n/ru.js @@ -389,17 +389,23 @@ OC.L10N.register( "Error while updating app" : "Ошибка обновления приложения", "Error while removing app" : "Ошибка удаления приложения", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Приложение было включено, но нуждается в обновлении. В течении 5 секунд будет выполнено перенаправление на страницу обновления.", + "App update" : "Обновить приложение", "__language_name__" : "Русский язык", "Verifying" : "Проверка", "Personal info" : "Личная информация", "Sync clients" : "Приложения для синхронизации", "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Для обеспечения безопасности и производительности важно, чтобы всё было настроено правильно. Чтобы убедиться в этом, мы выполняем некоторые автоматические проверки. Дополнительная информация содержится в разделе «Советы и рекомендации» и в документации.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "Запрос PHP getenv(\"PATH\") возвращает пустые результаты, вероятно, PHP настроен неверно.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Обратитесь к документации по установке ↗ для получения информации по правильной настройке PHP, что особенно важно в случае использования php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP настроен на вычищение блоков встроенной документации, что приведёт к невозможности использовать несколько основных приложений.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "Установленная версия %1$s меньше чем %2$s. По причинам стабильности и производительности рекомендуется обновить используемую версию %1$s.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Отсутствует модуль PHP «fileinfo». Настоятельно рекомендуется включить этот модуль для улучшения определения типов (MIME-type) файлов.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Отключена блокировка передаваемых файлов, что может привести к состоянию гонки. Для предупреждения возможных проблем включите параметр «filelocking.enabled» в файле «config.php». Обратитесь к документации ↗ для получения дополнительной информации.", "This means that there might be problems with certain characters in file names." : "Это означает, что возможны проблемы с некоторыми символами в именах файлов.", "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Настоятельно рекомендуется установить требуемые системные пакеты для поддержки одного из следующих региональных стандартов: %s.", "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "При установке сервера не в корневой каталог домена и использовании системного планировщика сron возможны проблемы, связанные с формированием неверных URL. Решением является присвоение параметру «overwrite.cli.url» в файле «config.php» значения, равного полному интернет-адресу установки сервера (Предположительно: «%s».)", "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Ошибка запуска задачи планировщика с использованием интерфейса командной строки. Подробное сообщение об ошибке:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Ещё раз внимательно прочитайте руководство по установке ↗ и проверьте журнал на наличие ошибок.", "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "«cron.php» зарегистрирован в службе webcron и будет вызываться каждые 15 минут по HTTP.", "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Для запуска требуется расширение POSIX для PHP. Дополнительные сведения содержатся в {linkstart}документации по PHP{linkend}.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Для перехода на другую базу данных используйте команду: «occ db:convert-type» или обратитесь к документации ↗. ", diff --git a/settings/l10n/ru.json b/settings/l10n/ru.json index 6399dbaacca60..c1c4ff6fcfabb 100644 --- a/settings/l10n/ru.json +++ b/settings/l10n/ru.json @@ -387,17 +387,23 @@ "Error while updating app" : "Ошибка обновления приложения", "Error while removing app" : "Ошибка удаления приложения", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Приложение было включено, но нуждается в обновлении. В течении 5 секунд будет выполнено перенаправление на страницу обновления.", + "App update" : "Обновить приложение", "__language_name__" : "Русский язык", "Verifying" : "Проверка", "Personal info" : "Личная информация", "Sync clients" : "Приложения для синхронизации", "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Для обеспечения безопасности и производительности важно, чтобы всё было настроено правильно. Чтобы убедиться в этом, мы выполняем некоторые автоматические проверки. Дополнительная информация содержится в разделе «Советы и рекомендации» и в документации.", + "php does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "Запрос PHP getenv(\"PATH\") возвращает пустые результаты, вероятно, PHP настроен неверно.", + "Please check the installation documentation ↗ for php configuration notes and the php configuration of your server, especially when using php-fpm." : "Обратитесь к документации по установке ↗ для получения информации по правильной настройке PHP, что особенно важно в случае использования php-fpm.", + "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "PHP настроен на вычищение блоков встроенной документации, что приведёт к невозможности использовать несколько основных приложений.", + "%1$s below version %2$s is installed, for stability and performance reasons we recommend updating to a newer %1$s version." : "Установленная версия %1$s меньше чем %2$s. По причинам стабильности и производительности рекомендуется обновить используемую версию %1$s.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Отсутствует модуль PHP «fileinfo». Настоятельно рекомендуется включить этот модуль для улучшения определения типов (MIME-type) файлов.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the documentation ↗ for more information." : "Отключена блокировка передаваемых файлов, что может привести к состоянию гонки. Для предупреждения возможных проблем включите параметр «filelocking.enabled» в файле «config.php». Обратитесь к документации ↗ для получения дополнительной информации.", "This means that there might be problems with certain characters in file names." : "Это означает, что возможны проблемы с некоторыми символами в именах файлов.", "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Настоятельно рекомендуется установить требуемые системные пакеты для поддержки одного из следующих региональных стандартов: %s.", "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "При установке сервера не в корневой каталог домена и использовании системного планировщика сron возможны проблемы, связанные с формированием неверных URL. Решением является присвоение параметру «overwrite.cli.url» в файле «config.php» значения, равного полному интернет-адресу установки сервера (Предположительно: «%s».)", "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Ошибка запуска задачи планировщика с использованием интерфейса командной строки. Подробное сообщение об ошибке:", + "Please double check the installation guides ↗, and check for any errors or warnings in the log." : "Ещё раз внимательно прочитайте руководство по установке ↗ и проверьте журнал на наличие ошибок.", "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "«cron.php» зарегистрирован в службе webcron и будет вызываться каждые 15 минут по HTTP.", "To run this you need the PHP posix extension. See {linkstart}PHP documentation{linkend} for more details." : "Для запуска требуется расширение POSIX для PHP. Дополнительные сведения содержатся в {linkstart}документации по PHP{linkend}.", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the documentation ↗." : "Для перехода на другую базу данных используйте команду: «occ db:convert-type» или обратитесь к документации ↗. ", From d63caf5829fd3f69f5b42a75cc50bf2fc267582b Mon Sep 17 00:00:00 2001 From: Joas Schilling Date: Tue, 6 Feb 2018 18:11:44 +0100 Subject: [PATCH 108/251] Better result handling of email search 1. Local users should not be returned when searching for empty string 2. The limit of the response should be respected Signed-off-by: Joas Schilling --- lib/private/Collaboration/Collaborators/MailPlugin.php | 2 ++ lib/private/Collaboration/Collaborators/RemotePlugin.php | 2 ++ tests/lib/Collaboration/Collaborators/MailPluginTest.php | 4 ++-- tests/lib/Collaboration/Collaborators/RemotePluginTest.php | 2 +- 4 files changed, 7 insertions(+), 3 deletions(-) diff --git a/lib/private/Collaboration/Collaborators/MailPlugin.php b/lib/private/Collaboration/Collaborators/MailPlugin.php index 2e946c4a872b6..99629f213e139 100644 --- a/lib/private/Collaboration/Collaborators/MailPlugin.php +++ b/lib/private/Collaboration/Collaborators/MailPlugin.php @@ -173,6 +173,8 @@ public function search($search, $limit, $offset, ISearchResult $searchResult) { if (!$this->shareeEnumeration) { $result['wide'] = []; + } else { + $result['wide'] = array_slice($result['wide'], $offset, $limit); } if (!$searchResult->hasExactIdMatch($emailType) && filter_var($search, FILTER_VALIDATE_EMAIL)) { diff --git a/lib/private/Collaboration/Collaborators/RemotePlugin.php b/lib/private/Collaboration/Collaborators/RemotePlugin.php index b17a64e4ff14b..e0f5298f83bc1 100644 --- a/lib/private/Collaboration/Collaborators/RemotePlugin.php +++ b/lib/private/Collaboration/Collaborators/RemotePlugin.php @@ -102,6 +102,8 @@ public function search($search, $limit, $offset, ISearchResult $searchResult) { if (!$this->shareeEnumeration) { $result['wide'] = []; + } else { + $result['wide'] = array_slice($result['wide'], $offset, $limit); } if (!$searchResult->hasExactIdMatch($resultType) && $this->cloudIdManager->isValidCloudId($search) && $offset === 0) { diff --git a/tests/lib/Collaboration/Collaborators/MailPluginTest.php b/tests/lib/Collaboration/Collaborators/MailPluginTest.php index b728ae521e2e6..9c4836c2eb364 100644 --- a/tests/lib/Collaboration/Collaborators/MailPluginTest.php +++ b/tests/lib/Collaboration/Collaborators/MailPluginTest.php @@ -103,7 +103,7 @@ function($appName, $key, $default) ->with($searchTerm, ['EMAIL', 'FN']) ->willReturn($contacts); - $moreResults = $this->plugin->search($searchTerm, 0, 0, $this->searchResult); + $moreResults = $this->plugin->search($searchTerm, 2, 0, $this->searchResult); $result = $this->searchResult->asArray(); $this->assertSame($exactIdMatch, $this->searchResult->hasExactIdMatch(new SearchResultType('emails'))); @@ -398,7 +398,7 @@ function($appName, $key, $default) { return in_array($group, $userToGroupMapping[$userId]); }); - $moreResults = $this->plugin->search($searchTerm, 0, 0, $this->searchResult); + $moreResults = $this->plugin->search($searchTerm, 2, 0, $this->searchResult); $result = $this->searchResult->asArray(); $this->assertSame($exactIdMatch, $this->searchResult->hasExactIdMatch(new SearchResultType('emails'))); diff --git a/tests/lib/Collaboration/Collaborators/RemotePluginTest.php b/tests/lib/Collaboration/Collaborators/RemotePluginTest.php index 5c4b3af5e7026..aa009a7134bb4 100644 --- a/tests/lib/Collaboration/Collaborators/RemotePluginTest.php +++ b/tests/lib/Collaboration/Collaborators/RemotePluginTest.php @@ -94,7 +94,7 @@ function($appName, $key, $default) ->with($searchTerm, ['CLOUD', 'FN']) ->willReturn($contacts); - $moreResults = $this->plugin->search($searchTerm, 0, 0, $this->searchResult); + $moreResults = $this->plugin->search($searchTerm, 2, 0, $this->searchResult); $result = $this->searchResult->asArray(); $this->assertSame($exactIdMatch, $this->searchResult->hasExactIdMatch(new SearchResultType('remotes'))); From 86be2687fb8a8d0b249a09bc6111d7f719dbcd68 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Wed, 21 Feb 2018 01:12:33 +0000 Subject: [PATCH 109/251] [tx-robot] updated from transifex --- apps/dav/l10n/sv.js | 4 ++- apps/dav/l10n/sv.json | 4 ++- apps/encryption/l10n/es.js | 6 ++-- apps/encryption/l10n/es.json | 6 ++-- apps/federatedfilesharing/l10n/pt_PT.js | 41 ++++++++++++++++++++--- apps/federatedfilesharing/l10n/pt_PT.json | 41 ++++++++++++++++++++--- apps/federatedfilesharing/l10n/ru.js | 1 + apps/federatedfilesharing/l10n/ru.json | 1 + apps/federatedfilesharing/l10n/sv.js | 1 + apps/federatedfilesharing/l10n/sv.json | 1 + apps/federation/l10n/ru.js | 1 + apps/federation/l10n/ru.json | 1 + apps/files/l10n/es.js | 4 +-- apps/files/l10n/es.json | 4 +-- apps/files/l10n/sv.js | 3 ++ apps/files/l10n/sv.json | 3 ++ apps/files/l10n/zh_CN.js | 7 ++-- apps/files/l10n/zh_CN.json | 7 ++-- apps/files_sharing/l10n/ru.js | 18 +++++----- apps/files_sharing/l10n/ru.json | 18 +++++----- apps/oauth2/l10n/ru.js | 1 + apps/oauth2/l10n/ru.json | 1 + apps/twofactor_backupcodes/l10n/es.js | 2 +- apps/twofactor_backupcodes/l10n/es.json | 2 +- apps/updatenotification/l10n/es.js | 6 ++-- apps/updatenotification/l10n/es.json | 6 ++-- apps/updatenotification/l10n/ru.js | 7 ++-- apps/updatenotification/l10n/ru.json | 7 ++-- apps/user_ldap/l10n/es.js | 2 +- apps/user_ldap/l10n/es.json | 2 +- apps/workflowengine/l10n/es.js | 2 +- apps/workflowengine/l10n/es.json | 2 +- apps/workflowengine/l10n/ru.js | 3 +- apps/workflowengine/l10n/ru.json | 3 +- core/l10n/lt_LT.js | 2 ++ core/l10n/lt_LT.json | 2 ++ core/l10n/pt_PT.js | 39 ++++++++++++++++++++- core/l10n/pt_PT.json | 39 ++++++++++++++++++++- core/l10n/sv.js | 1 + core/l10n/sv.json | 1 + lib/l10n/lt_LT.js | 7 +++- lib/l10n/lt_LT.json | 7 +++- settings/l10n/es.js | 2 +- settings/l10n/es.json | 2 +- 44 files changed, 250 insertions(+), 70 deletions(-) diff --git a/apps/dav/l10n/sv.js b/apps/dav/l10n/sv.js index cc93613e2b0df..f6af2bf93f3b9 100644 --- a/apps/dav/l10n/sv.js +++ b/apps/dav/l10n/sv.js @@ -55,6 +55,7 @@ OC.L10N.register( "Description:" : "Beskrivning:", "Link:" : "Länk:", "Contacts" : "Kontakter", + "WebDAV" : "WebDAV", "Technical details" : "Tekniska detaljer", "Remote Address: %s" : "Extern adress: %s", "Request ID: %s" : "Begär ID: %s", @@ -62,6 +63,7 @@ OC.L10N.register( "Send invitations to attendees" : "Skicka inbjudan till deltagare", "Please make sure to properly set up the email settings above." : "Vänligen säkerställ att epost-inställningarna ovan är korrekt angivna", "Automatically generate a birthday calendar" : "Generera en födelsedagskalender automatiskt", - "Birthday calendars will be generated by a background job." : "Födelsedagskalender kommer skapas som ett bakgrundsjobb." + "Birthday calendars will be generated by a background job." : "Födelsedagskalender kommer skapas som ett bakgrundsjobb.", + "Hence they will not be available immediately after enabling but will show up after some time." : "Därför kommer de inte vara tillgängliga direkt efter aktivering men kommer dyka upp efter en tid." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/dav/l10n/sv.json b/apps/dav/l10n/sv.json index df7d8faa22ad8..4c256ddb1aa8a 100644 --- a/apps/dav/l10n/sv.json +++ b/apps/dav/l10n/sv.json @@ -53,6 +53,7 @@ "Description:" : "Beskrivning:", "Link:" : "Länk:", "Contacts" : "Kontakter", + "WebDAV" : "WebDAV", "Technical details" : "Tekniska detaljer", "Remote Address: %s" : "Extern adress: %s", "Request ID: %s" : "Begär ID: %s", @@ -60,6 +61,7 @@ "Send invitations to attendees" : "Skicka inbjudan till deltagare", "Please make sure to properly set up the email settings above." : "Vänligen säkerställ att epost-inställningarna ovan är korrekt angivna", "Automatically generate a birthday calendar" : "Generera en födelsedagskalender automatiskt", - "Birthday calendars will be generated by a background job." : "Födelsedagskalender kommer skapas som ett bakgrundsjobb." + "Birthday calendars will be generated by a background job." : "Födelsedagskalender kommer skapas som ett bakgrundsjobb.", + "Hence they will not be available immediately after enabling but will show up after some time." : "Därför kommer de inte vara tillgängliga direkt efter aktivering men kommer dyka upp efter en tid." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/encryption/l10n/es.js b/apps/encryption/l10n/es.js index 35ef819d2d1e0..45897efbb475c 100644 --- a/apps/encryption/l10n/es.js +++ b/apps/encryption/l10n/es.js @@ -1,11 +1,11 @@ OC.L10N.register( "encryption", { - "Missing recovery key password" : "Falta contraseña de recuperación", + "Missing recovery key password" : "Falta la contraseña de recuperación", "Please repeat the recovery key password" : "Por favor, repita la contraseña de recuperación", "Repeated recovery key password does not match the provided recovery key password" : "La contraseña de recuperación reintroducida no coincide con la contraseña de recuperación proporcionada", "Recovery key successfully enabled" : "Se ha habilitado la recuperación de archivos", - "Could not enable recovery key. Please check your recovery key password!" : "No se pudo habilitar la contraseña de recuperación. Por favor, ¡compruebe su contraseña de recuperación!", + "Could not enable recovery key. Please check your recovery key password!" : "No se ha podido habilitar la contraseña de recuperación. Por favor, ¡compruebe su contraseña de recuperación!", "Recovery key successfully disabled" : "Clave de recuperación deshabilitada", "Could not disable recovery key. Please check your recovery key password!" : "No se pudo deshabilitar la clave de recuperación. Por favor, ¡compruebe su contraseña!", "Missing parameters" : "Faltan parámetros", @@ -16,7 +16,7 @@ OC.L10N.register( "Could not change the password. Maybe the old password was not correct." : "No se pudo cambiar la contraseña. Compruebe que la contraseña actual sea correcta.", "Recovery Key disabled" : "Desactivada la clave de recuperación", "Recovery Key enabled" : "Recuperación de clave habilitada", - "Could not enable the recovery key, please try again or contact your administrator" : "No se pudo habilitar la clave de recuperación, por favor vuelva a intentarlo o póngase en contacto con su administrador", + "Could not enable the recovery key, please try again or contact your administrator" : "No se ha podido habilitar la clave de recuperación, por favor vuelva a intentarlo o póngase en contacto con su administrador", "Could not update the private key password." : "No se pudo actualizar la contraseña de la clave privada.", "The old password was not correct, please try again." : "La antigua contraseña no es correcta, por favor inténtelo de nuevo.", "The current log-in password was not correct, please try again." : "La contraseña de inicio de sesión actual no es correcta, por favor inténtelo de nuevo.", diff --git a/apps/encryption/l10n/es.json b/apps/encryption/l10n/es.json index 0ab95ab92479a..96716dc6284d7 100644 --- a/apps/encryption/l10n/es.json +++ b/apps/encryption/l10n/es.json @@ -1,9 +1,9 @@ { "translations": { - "Missing recovery key password" : "Falta contraseña de recuperación", + "Missing recovery key password" : "Falta la contraseña de recuperación", "Please repeat the recovery key password" : "Por favor, repita la contraseña de recuperación", "Repeated recovery key password does not match the provided recovery key password" : "La contraseña de recuperación reintroducida no coincide con la contraseña de recuperación proporcionada", "Recovery key successfully enabled" : "Se ha habilitado la recuperación de archivos", - "Could not enable recovery key. Please check your recovery key password!" : "No se pudo habilitar la contraseña de recuperación. Por favor, ¡compruebe su contraseña de recuperación!", + "Could not enable recovery key. Please check your recovery key password!" : "No se ha podido habilitar la contraseña de recuperación. Por favor, ¡compruebe su contraseña de recuperación!", "Recovery key successfully disabled" : "Clave de recuperación deshabilitada", "Could not disable recovery key. Please check your recovery key password!" : "No se pudo deshabilitar la clave de recuperación. Por favor, ¡compruebe su contraseña!", "Missing parameters" : "Faltan parámetros", @@ -14,7 +14,7 @@ "Could not change the password. Maybe the old password was not correct." : "No se pudo cambiar la contraseña. Compruebe que la contraseña actual sea correcta.", "Recovery Key disabled" : "Desactivada la clave de recuperación", "Recovery Key enabled" : "Recuperación de clave habilitada", - "Could not enable the recovery key, please try again or contact your administrator" : "No se pudo habilitar la clave de recuperación, por favor vuelva a intentarlo o póngase en contacto con su administrador", + "Could not enable the recovery key, please try again or contact your administrator" : "No se ha podido habilitar la clave de recuperación, por favor vuelva a intentarlo o póngase en contacto con su administrador", "Could not update the private key password." : "No se pudo actualizar la contraseña de la clave privada.", "The old password was not correct, please try again." : "La antigua contraseña no es correcta, por favor inténtelo de nuevo.", "The current log-in password was not correct, please try again." : "La contraseña de inicio de sesión actual no es correcta, por favor inténtelo de nuevo.", diff --git a/apps/federatedfilesharing/l10n/pt_PT.js b/apps/federatedfilesharing/l10n/pt_PT.js index 974e498800645..b88c8dbb9c884 100644 --- a/apps/federatedfilesharing/l10n/pt_PT.js +++ b/apps/federatedfilesharing/l10n/pt_PT.js @@ -2,26 +2,57 @@ OC.L10N.register( "federatedfilesharing", { "Federated sharing" : "Partilha Federada", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Pretende adicionar a partilha remota {nome} de {proprietório}@{remoto}?", + "Remote share" : "Partilha remota", + "Remote share password" : "Palavra-passe da partilha remota", + "Cancel" : "Cancelar", + "Add remote share" : "Adicionar partilha remota", + "Copy" : "Copiar", + "Copied!" : "Copiado!", + "Not supported!" : "Não suportado!", + "Press ⌘-C to copy." : "Pressione ⌘-C para copiar.", + "Press Ctrl-C to copy." : "Pressione Ctrl-C para copiar.", "Invalid Federated Cloud ID" : "Id. de Nuvem Federada Inválida", + "Server to server sharing is not enabled on this server" : "Partilha servidor-para-servidor não está activa neste servidor", + "Couldn't establish a federated share." : "Não foi possível estabelecer uma partilha federada.", + "Couldn't establish a federated share, maybe the password was wrong." : "Não foi possível estabelecer a partilha federada, a palavra-passe talvez esteja incorrecta.", + "Federated Share request sent, you will receive an invitation. Check your notifications." : "Pedido de Partilha Federada enviado, irá receber o convite. Confira as suas notificações.", + "The mountpoint name contains invalid characters." : "O ponto de montagem (mountpoint) contem caracteres inválidos.", + "Not allowed to create a federated share with the owner." : "Não é permitido criar partilha federada com o proprietário. ", + "Invalid or untrusted SSL certificate" : "Certificado SSL inválido ou não confiável", + "Could not authenticate to remote share, password might be wrong" : "Não foi possível a autenticação na partilha remota, a palavra passe talvez esteja incorrecta", + "Storage not valid" : "Armazenamento inválido", + "Federated share added" : "Partilha federada adicionada", + "Couldn't add remote share" : "Não foi possível adicionar partilha remota", "Sharing %s failed, because this item is already shared with %s" : "A partilha %s falhou, porque este item já está a ser partilhado com %s", "Not allowed to create a federated share with the same user" : "Não é possível criar uma partilha federada com o mesmo utilizador", "File is already shared with %s" : "O ficheiro já foi partilhado com %s", - "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "A partilha de %s falhou, não foi possível encontrar %s. É possível que o servidor esteja inacessível.", - "You received \"/%3$s\" as a remote share from %1$s (on behalf of %2$s)" : "Recebeu \"/%3$s\" como uma partilha remota de %1$s (por conta de %2$s)", - "You received \"/%3$s\" as a remote share from %1$s" : "Recebeu \"/%3$s\" como uma partilha remota de %1$s", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable or uses a self-signed certificate." : "Partilha %s falhou, não foi possível encontrar %s, o servidor pode estar actualmente inatingível ou usa um certificado auto-assinado. ", + "Could not find share" : "Não foi possível encontrar partilha", + "You received \"%3$s\" as a remote share from %1$s (on behalf of %2$s)" : "Recebeu \"%3$s\" como uma partilha remota de %1$s (em nome de %2$s)", + "You received {share} as a remote share from {user} (on behalf of {behalf})" : "Recebeu {partilha} como uma partilha remota de {utilizador} (em nome de {behalf})", + "You received \"%3$s\" as a remote share from %1$s" : "Recebeu \"%3$s\" como uma partilha remota de %1$s", + "You received {share} as a remote share from {user}" : "Recebeu {partilha} como uma partilha remota de {utilizador}", "Accept" : "Aceitar", "Decline" : "Recusar", "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Partilhe comigo através da minha Id. da Nuvem Federada #Nextcloud, veja %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Partilhe comigo através da minha Id. da Nuvem Federada #Nextcloud", + "Sharing" : "Partilha", + "Federated file sharing" : "Partilha federada de ficheiros", "Federated Cloud Sharing" : "Partilha de Nuvem Federada", "Open documentation" : "Abrir documentação", + "Adjust how people can share between servers." : "Ajustar como as pessoas podem partilhar entre servidores.", "Allow users on this server to send shares to other servers" : "Permitir que os utilizadores neste servidor enviem as partilhas para outros servidores", "Allow users on this server to receive shares from other servers" : "Permitir que os utilizadores neste servidor recebam as partilhas de outros servidores", + "Search global and public address book for users" : "Pesquisar lista global e pública de contactos de utilizadores ", + "Allow users to publish their data to a global and public address book" : "Permitir que os utilizadores publiquem os seus dados para uma lista de contactos global e pública", "Federated Cloud" : "Nuvem Federada", + "You can share with anyone who uses Nextcloud, ownCloud or Pydio! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Pode partilhar com qualquer pessoa que use Nextcloud, ownCloud ou Pydio! Basta inserir Cloud ID federado no diálogo de partilha. Deve ser idêntico a pessoa@cloud.exemplo.com", "Your Federated Cloud ID:" : "A sua id. da Nuvem Federada:", - "Share it:" : "Partilhe-a:", + "Share it so your friends can share files with you:" : "Partilhe para que os seus amigos possam partilhar ficheiros consigo:", "Add to your website" : "Adicione ao seu site da Web", "Share with me via Nextcloud" : "Partilhe comigo via Nextcloud", - "HTML Code:" : "Código HTML:" + "HTML Code:" : "Código HTML:", + "Search global and public address book for users and let local users publish their data" : "Pesquisar por utilizadores na lista de endereços global e pública e permita que utilizadores locais publiquem os seus dados" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/pt_PT.json b/apps/federatedfilesharing/l10n/pt_PT.json index 9cdd87376f465..75d8104e6352b 100644 --- a/apps/federatedfilesharing/l10n/pt_PT.json +++ b/apps/federatedfilesharing/l10n/pt_PT.json @@ -1,25 +1,56 @@ { "translations": { "Federated sharing" : "Partilha Federada", + "Do you want to add the remote share {name} from {owner}@{remote}?" : "Pretende adicionar a partilha remota {nome} de {proprietório}@{remoto}?", + "Remote share" : "Partilha remota", + "Remote share password" : "Palavra-passe da partilha remota", + "Cancel" : "Cancelar", + "Add remote share" : "Adicionar partilha remota", + "Copy" : "Copiar", + "Copied!" : "Copiado!", + "Not supported!" : "Não suportado!", + "Press ⌘-C to copy." : "Pressione ⌘-C para copiar.", + "Press Ctrl-C to copy." : "Pressione Ctrl-C para copiar.", "Invalid Federated Cloud ID" : "Id. de Nuvem Federada Inválida", + "Server to server sharing is not enabled on this server" : "Partilha servidor-para-servidor não está activa neste servidor", + "Couldn't establish a federated share." : "Não foi possível estabelecer uma partilha federada.", + "Couldn't establish a federated share, maybe the password was wrong." : "Não foi possível estabelecer a partilha federada, a palavra-passe talvez esteja incorrecta.", + "Federated Share request sent, you will receive an invitation. Check your notifications." : "Pedido de Partilha Federada enviado, irá receber o convite. Confira as suas notificações.", + "The mountpoint name contains invalid characters." : "O ponto de montagem (mountpoint) contem caracteres inválidos.", + "Not allowed to create a federated share with the owner." : "Não é permitido criar partilha federada com o proprietário. ", + "Invalid or untrusted SSL certificate" : "Certificado SSL inválido ou não confiável", + "Could not authenticate to remote share, password might be wrong" : "Não foi possível a autenticação na partilha remota, a palavra passe talvez esteja incorrecta", + "Storage not valid" : "Armazenamento inválido", + "Federated share added" : "Partilha federada adicionada", + "Couldn't add remote share" : "Não foi possível adicionar partilha remota", "Sharing %s failed, because this item is already shared with %s" : "A partilha %s falhou, porque este item já está a ser partilhado com %s", "Not allowed to create a federated share with the same user" : "Não é possível criar uma partilha federada com o mesmo utilizador", "File is already shared with %s" : "O ficheiro já foi partilhado com %s", - "Sharing %s failed, could not find %s, maybe the server is currently unreachable." : "A partilha de %s falhou, não foi possível encontrar %s. É possível que o servidor esteja inacessível.", - "You received \"/%3$s\" as a remote share from %1$s (on behalf of %2$s)" : "Recebeu \"/%3$s\" como uma partilha remota de %1$s (por conta de %2$s)", - "You received \"/%3$s\" as a remote share from %1$s" : "Recebeu \"/%3$s\" como uma partilha remota de %1$s", + "Sharing %s failed, could not find %s, maybe the server is currently unreachable or uses a self-signed certificate." : "Partilha %s falhou, não foi possível encontrar %s, o servidor pode estar actualmente inatingível ou usa um certificado auto-assinado. ", + "Could not find share" : "Não foi possível encontrar partilha", + "You received \"%3$s\" as a remote share from %1$s (on behalf of %2$s)" : "Recebeu \"%3$s\" como uma partilha remota de %1$s (em nome de %2$s)", + "You received {share} as a remote share from {user} (on behalf of {behalf})" : "Recebeu {partilha} como uma partilha remota de {utilizador} (em nome de {behalf})", + "You received \"%3$s\" as a remote share from %1$s" : "Recebeu \"%3$s\" como uma partilha remota de %1$s", + "You received {share} as a remote share from {user}" : "Recebeu {partilha} como uma partilha remota de {utilizador}", "Accept" : "Aceitar", "Decline" : "Recusar", "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Partilhe comigo através da minha Id. da Nuvem Federada #Nextcloud, veja %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Partilhe comigo através da minha Id. da Nuvem Federada #Nextcloud", + "Sharing" : "Partilha", + "Federated file sharing" : "Partilha federada de ficheiros", "Federated Cloud Sharing" : "Partilha de Nuvem Federada", "Open documentation" : "Abrir documentação", + "Adjust how people can share between servers." : "Ajustar como as pessoas podem partilhar entre servidores.", "Allow users on this server to send shares to other servers" : "Permitir que os utilizadores neste servidor enviem as partilhas para outros servidores", "Allow users on this server to receive shares from other servers" : "Permitir que os utilizadores neste servidor recebam as partilhas de outros servidores", + "Search global and public address book for users" : "Pesquisar lista global e pública de contactos de utilizadores ", + "Allow users to publish their data to a global and public address book" : "Permitir que os utilizadores publiquem os seus dados para uma lista de contactos global e pública", "Federated Cloud" : "Nuvem Federada", + "You can share with anyone who uses Nextcloud, ownCloud or Pydio! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Pode partilhar com qualquer pessoa que use Nextcloud, ownCloud ou Pydio! Basta inserir Cloud ID federado no diálogo de partilha. Deve ser idêntico a pessoa@cloud.exemplo.com", "Your Federated Cloud ID:" : "A sua id. da Nuvem Federada:", - "Share it:" : "Partilhe-a:", + "Share it so your friends can share files with you:" : "Partilhe para que os seus amigos possam partilhar ficheiros consigo:", "Add to your website" : "Adicione ao seu site da Web", "Share with me via Nextcloud" : "Partilhe comigo via Nextcloud", - "HTML Code:" : "Código HTML:" + "HTML Code:" : "Código HTML:", + "Search global and public address book for users and let local users publish their data" : "Pesquisar por utilizadores na lista de endereços global e pública e permita que utilizadores locais publiquem os seus dados" },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/ru.js b/apps/federatedfilesharing/l10n/ru.js index 9d0d769ff80f7..4c3e6fcf251f0 100644 --- a/apps/federatedfilesharing/l10n/ru.js +++ b/apps/federatedfilesharing/l10n/ru.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Поделитесь со мной через мой #Nextcloud ID в федерации облачных хранилищ, смотрите %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Поделитесь со мной через мой #Nextcloud ID в федерации облачных хранилищ", "Sharing" : "Общий доступ", + "Federated file sharing" : "Федеративный обмен файлами", "Federated Cloud Sharing" : "Федерация облачных хранилищ", "Open documentation" : "Открыть документацию", "Adjust how people can share between servers." : "Настройте общий доступ между серверами.", diff --git a/apps/federatedfilesharing/l10n/ru.json b/apps/federatedfilesharing/l10n/ru.json index 2b67615484098..5d42815329dfc 100644 --- a/apps/federatedfilesharing/l10n/ru.json +++ b/apps/federatedfilesharing/l10n/ru.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Поделитесь со мной через мой #Nextcloud ID в федерации облачных хранилищ, смотрите %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Поделитесь со мной через мой #Nextcloud ID в федерации облачных хранилищ", "Sharing" : "Общий доступ", + "Federated file sharing" : "Федеративный обмен файлами", "Federated Cloud Sharing" : "Федерация облачных хранилищ", "Open documentation" : "Открыть документацию", "Adjust how people can share between servers." : "Настройте общий доступ между серверами.", diff --git a/apps/federatedfilesharing/l10n/sv.js b/apps/federatedfilesharing/l10n/sv.js index 95117b897d2c3..d2cee74329548 100644 --- a/apps/federatedfilesharing/l10n/sv.js +++ b/apps/federatedfilesharing/l10n/sv.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Dela med mig genom mitt #Nextcloud Federerade Moln-ID, se %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Dela med mig genom mitt #Nextcloud Federerade Moln-ID", "Sharing" : "Delar", + "Federated file sharing" : "Federerad fildelning", "Federated Cloud Sharing" : "Federerad Moln-delning", "Open documentation" : "Öppna dokumentation", "Adjust how people can share between servers." : "Justera hur användare kan dela genom servrar.", diff --git a/apps/federatedfilesharing/l10n/sv.json b/apps/federatedfilesharing/l10n/sv.json index 2e64e36b1dca7..61679494e3364 100644 --- a/apps/federatedfilesharing/l10n/sv.json +++ b/apps/federatedfilesharing/l10n/sv.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Dela med mig genom mitt #Nextcloud Federerade Moln-ID, se %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Dela med mig genom mitt #Nextcloud Federerade Moln-ID", "Sharing" : "Delar", + "Federated file sharing" : "Federerad fildelning", "Federated Cloud Sharing" : "Federerad Moln-delning", "Open documentation" : "Öppna dokumentation", "Adjust how people can share between servers." : "Justera hur användare kan dela genom servrar.", diff --git a/apps/federation/l10n/ru.js b/apps/federation/l10n/ru.js index 52ffdc0af9518..d465c97ddfa86 100644 --- a/apps/federation/l10n/ru.js +++ b/apps/federation/l10n/ru.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Сервер уже есть в списке доверенных серверов.", "No server to federate with found" : "Сервер для объединения не найден", "Could not add server" : "Не удалось добавить сервер", + "Federation" : "Федерация", "Trusted servers" : "Доверенные серверы", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Федерация серверов позволит Вам подключиться к другим доверенным серверам для обмена каталогами пользователей. Это будет использовано, например, для автодополнения имён пользователей при открытии федеративного общего доступа.", "Add server automatically once a federated share was created successfully" : "Добавить сервер автоматически после успешного создания федеративного ресурса общего доступа", diff --git a/apps/federation/l10n/ru.json b/apps/federation/l10n/ru.json index 2470668f1f9ac..fbb14ff083f4c 100644 --- a/apps/federation/l10n/ru.json +++ b/apps/federation/l10n/ru.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Сервер уже есть в списке доверенных серверов.", "No server to federate with found" : "Сервер для объединения не найден", "Could not add server" : "Не удалось добавить сервер", + "Federation" : "Федерация", "Trusted servers" : "Доверенные серверы", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Федерация серверов позволит Вам подключиться к другим доверенным серверам для обмена каталогами пользователей. Это будет использовано, например, для автодополнения имён пользователей при открытии федеративного общего доступа.", "Add server automatically once a federated share was created successfully" : "Добавить сервер автоматически после успешного создания федеративного ресурса общего доступа", diff --git a/apps/files/l10n/es.js b/apps/files/l10n/es.js index d83d2ee3c95de..ec3708417d8a5 100644 --- a/apps/files/l10n/es.js +++ b/apps/files/l10n/es.js @@ -1,8 +1,8 @@ OC.L10N.register( "files", { - "Storage is temporarily not available" : "El almacenamiento no esta disponible temporalmente", - "Storage invalid" : "Almacenamiento inválido", + "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente", + "Storage invalid" : "Almacenamiento no válido", "Unknown error" : "Error desconocido", "All files" : "Todos los archivos", "Recent" : "Reciente", diff --git a/apps/files/l10n/es.json b/apps/files/l10n/es.json index 212da33a515c7..f7982515bab1a 100644 --- a/apps/files/l10n/es.json +++ b/apps/files/l10n/es.json @@ -1,6 +1,6 @@ { "translations": { - "Storage is temporarily not available" : "El almacenamiento no esta disponible temporalmente", - "Storage invalid" : "Almacenamiento inválido", + "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente", + "Storage invalid" : "Almacenamiento no válido", "Unknown error" : "Error desconocido", "All files" : "Todos los archivos", "Recent" : "Reciente", diff --git a/apps/files/l10n/sv.js b/apps/files/l10n/sv.js index 8bfc3c230274b..c893216a3bf79 100644 --- a/apps/files/l10n/sv.js +++ b/apps/files/l10n/sv.js @@ -62,8 +62,11 @@ OC.L10N.register( "You don’t have permission to upload or create files here" : "Du har ej tillåtelse att ladda upp eller skapa filer här", "_Uploading %n file_::_Uploading %n files_" : ["Laddar upp %n fil","Laddar upp %n filer"], "New" : "Ny", + "{used} of {quota} used" : "{used} av {quota} använt", + "{used} used" : "{used} använt", "\"{name}\" is an invalid file name." : "\"{name}\" är ett ogiltigt filnamn.", "File name cannot be empty." : "Filnamn kan inte vara tomt.", + "\"/\" is not allowed inside a file name." : "\"/\" är inte tillåtet i ett filnamn.", "\"{name}\" is not an allowed filetype" : "\"{name}\" är inte en tillåten filtyp", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Lagring av {owner} är full, filer kan inte uppdateras eller synkroniseras längre!", "Your storage is full, files can not be updated or synced anymore!" : "Ditt lagringsutrymme är fullt, filer kan inte längre uppdateras eller synkroniseras!", diff --git a/apps/files/l10n/sv.json b/apps/files/l10n/sv.json index a33455084d912..24586c07bbf68 100644 --- a/apps/files/l10n/sv.json +++ b/apps/files/l10n/sv.json @@ -60,8 +60,11 @@ "You don’t have permission to upload or create files here" : "Du har ej tillåtelse att ladda upp eller skapa filer här", "_Uploading %n file_::_Uploading %n files_" : ["Laddar upp %n fil","Laddar upp %n filer"], "New" : "Ny", + "{used} of {quota} used" : "{used} av {quota} använt", + "{used} used" : "{used} använt", "\"{name}\" is an invalid file name." : "\"{name}\" är ett ogiltigt filnamn.", "File name cannot be empty." : "Filnamn kan inte vara tomt.", + "\"/\" is not allowed inside a file name." : "\"/\" är inte tillåtet i ett filnamn.", "\"{name}\" is not an allowed filetype" : "\"{name}\" är inte en tillåten filtyp", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Lagring av {owner} är full, filer kan inte uppdateras eller synkroniseras längre!", "Your storage is full, files can not be updated or synced anymore!" : "Ditt lagringsutrymme är fullt, filer kan inte längre uppdateras eller synkroniseras!", diff --git a/apps/files/l10n/zh_CN.js b/apps/files/l10n/zh_CN.js index 667666416182a..f1e0d376991c2 100644 --- a/apps/files/l10n/zh_CN.js +++ b/apps/files/l10n/zh_CN.js @@ -17,7 +17,7 @@ OC.L10N.register( "Target folder \"{dir}\" does not exist any more" : "目标目录 \"{dir}\" 不存在", "Not enough free space" : "可用空间不足", "Uploading …" : "上传中…", - "…" : "undefined", + "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} / {totalSize} ({bitrate})", "Target folder does not exist any more" : "目标文件夹不存在", "Actions" : "操作", @@ -124,7 +124,7 @@ OC.L10N.register( "Save" : "保存", "With PHP-FPM it might take 5 minutes for changes to be applied." : "对于 PHP-FPM 这个值改变后可能需要 5 分钟才会生效.", "Missing permissions to edit from here." : "没有权限编辑", - "%s of %s used" : " %s 的%s 已使用", + "%s of %s used" : "%s 已使用 (共 %s)", "%s used" : "%s 已使用", "Settings" : "设置", "Show hidden files" : "显示隐藏文件", @@ -144,6 +144,7 @@ OC.L10N.register( "Tags" : "标签", "Deleted files" : "已删除的文件", "Text file" : "文本文件", - "New text file.txt" : "创建文本文件 .txt" + "New text file.txt" : "新建文本文件.txt", + "Move" : "移动" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_CN.json b/apps/files/l10n/zh_CN.json index 17f074d5faf6f..f2396a979ec42 100644 --- a/apps/files/l10n/zh_CN.json +++ b/apps/files/l10n/zh_CN.json @@ -15,7 +15,7 @@ "Target folder \"{dir}\" does not exist any more" : "目标目录 \"{dir}\" 不存在", "Not enough free space" : "可用空间不足", "Uploading …" : "上传中…", - "…" : "undefined", + "…" : "…", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} / {totalSize} ({bitrate})", "Target folder does not exist any more" : "目标文件夹不存在", "Actions" : "操作", @@ -122,7 +122,7 @@ "Save" : "保存", "With PHP-FPM it might take 5 minutes for changes to be applied." : "对于 PHP-FPM 这个值改变后可能需要 5 分钟才会生效.", "Missing permissions to edit from here." : "没有权限编辑", - "%s of %s used" : " %s 的%s 已使用", + "%s of %s used" : "%s 已使用 (共 %s)", "%s used" : "%s 已使用", "Settings" : "设置", "Show hidden files" : "显示隐藏文件", @@ -142,6 +142,7 @@ "Tags" : "标签", "Deleted files" : "已删除的文件", "Text file" : "文本文件", - "New text file.txt" : "创建文本文件 .txt" + "New text file.txt" : "新建文本文件.txt", + "Move" : "移动" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/ru.js b/apps/files_sharing/l10n/ru.js index 72cefe4c4b891..1e59cc3779e12 100644 --- a/apps/files_sharing/l10n/ru.js +++ b/apps/files_sharing/l10n/ru.js @@ -34,13 +34,13 @@ OC.L10N.register( "Shared as public link" : "Предоставлен доступ общедоступной ссылкой", "Removed public link" : "Общедоступная ссылка удалена", "Public link expired" : "Истёк срок действия общедоступной ссылки", - "{actor} shared as public link" : "{actor} поделился(ась) общедоступной ссылкой", + "{actor} shared as public link" : "{actor} открыл(а) общий доступ созданием общедоступной ссылки", "{actor} removed public link" : "{actor} удалил(а) общедоступную ссылку", "Public link of {actor} expired" : "Истёк срок действия общедоступной ссылки пользователя {actor}", "You shared {file} as public link" : "Вы предоставили общий доступ к «{file}» созданием общедоступной ссылки", "You removed public link for {file}" : "Вы удалили общедоступную ссылку на «{file}»", "Public link expired for {file}" : "Истёк срок действия общедоступной ссылки на «{file}»", - "{actor} shared {file} as public link" : "{actor} открыл(а) общий доступ к «{file}» в виде общедоступной ссылки", + "{actor} shared {file} as public link" : "{actor} предоставил(а) общий доступ к «{file}» созданием общедоступной ссылки", "{actor} removed public link for {file}" : "{actor} удалил(а) общедоступную ссылку на «{file}»", "Public link of {actor} for {file} expired" : "Истёк срок действия общедоступной ссылки на «{file}», созданной {actor}.", "{user} accepted the remote share" : "{user} принял(а) общий ресурс другого сервера", @@ -55,11 +55,11 @@ OC.L10N.register( "{actor} removed share for {user}" : "{actor} закрыл(а) общий доступ пользователю {user}", "Shared by {actor}" : "Общий доступ был открыт пользователем {actor}", "{actor} removed share" : "{actor} закрыл(а) общий доступ", - "You shared {file} with {user}" : "Вы поделились «{file}» с пользователем {user}", + "You shared {file} with {user}" : "Вы предоставили пользователю {user} общий доступ к «{file}»", "You removed {user} from {file}" : "Вы закрыли пользователю {user} общий доступ к «{file}»", - "{actor} shared {file} with {user}" : "{actor} поделился(ась) «{file}» с пользователем {user}", - "{actor} removed {user} from {file}" : "{actor} закрыл(а) пользователю общий доступ к «{file}»", - "{actor} shared {file} with you" : "{actor} открыл(а) вам общий доступ к «{file}»", + "{actor} shared {file} with {user}" : "{actor} предоставил(а) пользователю {user} общий доступ к «{file}»", + "{actor} removed {user} from {file}" : "{actor} закрыл(а) пользователю {user} общий доступ к «{file}»", + "{actor} shared {file} with you" : "{actor} предоставил(а) вам общий доступ к «{file}»", "{actor} removed you from {file}" : "{actor} закрыл(а) вам общий доступ к «{file}»", "A file or folder shared by mail or by public link was downloaded" : "Файл или папка, которыми поделились по электронной почте или общедоступной ссылке, были скачаны", "A file or folder was shared from another server" : "Общий доступ к файлу или каталогу был открыт с другого сервера", @@ -79,7 +79,7 @@ OC.L10N.register( "Public upload is only possible for publicly shared folders" : "Общедоступная загрузка возможна только в общедоступные папки", "Invalid date, date format must be YYYY-MM-DD" : "Неверная дата, формат даты должен быть ГГГГ-ММ-ДД", "Sharing %s failed because the back end does not allow shares from type %s" : "Не удалось предоставить общий доступ к «%s», поскольку механизм удалённого обмена не разрешает публикации типа %s", - "You cannot share to a Circle if the app is not enabled" : "Вы не можете поделиться с кругом, если приложение «Круг» не включено", + "You cannot share to a Circle if the app is not enabled" : "Вы не можете поделиться с кругом, если приложение «Круг» не включено", "Please specify a valid circle" : "Укажите верный круг", "Unknown share type" : "Общий доступ неизвестного типа", "Not a directory" : "Это не каталог", @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "Для общедоступных ссылок изменение прав невозможно", "Cannot increase permissions" : "Нельзя увеличить права", "Share API is disabled" : "API общего доступа отключён", + "File sharing" : "Обмен файлами", "This share is password-protected" : "Общий ресурс защищён паролем", "The password is wrong. Try again." : "Неверный пароль. Попробуйте ещё раз.", "Password" : "Пароль", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "Загрузка файлов пользователю %s", "Select or drop files" : "Выберите или перетащите файлы", "Uploading files…" : "Файлы передаются на сервер...", - "Uploaded files:" : "Отправленные файлы:" + "Uploaded files:" : "Отправленные файлы:", + "%s is publicly shared" : "«%s» опубликован " }, "nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"); diff --git a/apps/files_sharing/l10n/ru.json b/apps/files_sharing/l10n/ru.json index 268b97ab7b1e6..171f690d8da10 100644 --- a/apps/files_sharing/l10n/ru.json +++ b/apps/files_sharing/l10n/ru.json @@ -32,13 +32,13 @@ "Shared as public link" : "Предоставлен доступ общедоступной ссылкой", "Removed public link" : "Общедоступная ссылка удалена", "Public link expired" : "Истёк срок действия общедоступной ссылки", - "{actor} shared as public link" : "{actor} поделился(ась) общедоступной ссылкой", + "{actor} shared as public link" : "{actor} открыл(а) общий доступ созданием общедоступной ссылки", "{actor} removed public link" : "{actor} удалил(а) общедоступную ссылку", "Public link of {actor} expired" : "Истёк срок действия общедоступной ссылки пользователя {actor}", "You shared {file} as public link" : "Вы предоставили общий доступ к «{file}» созданием общедоступной ссылки", "You removed public link for {file}" : "Вы удалили общедоступную ссылку на «{file}»", "Public link expired for {file}" : "Истёк срок действия общедоступной ссылки на «{file}»", - "{actor} shared {file} as public link" : "{actor} открыл(а) общий доступ к «{file}» в виде общедоступной ссылки", + "{actor} shared {file} as public link" : "{actor} предоставил(а) общий доступ к «{file}» созданием общедоступной ссылки", "{actor} removed public link for {file}" : "{actor} удалил(а) общедоступную ссылку на «{file}»", "Public link of {actor} for {file} expired" : "Истёк срок действия общедоступной ссылки на «{file}», созданной {actor}.", "{user} accepted the remote share" : "{user} принял(а) общий ресурс другого сервера", @@ -53,11 +53,11 @@ "{actor} removed share for {user}" : "{actor} закрыл(а) общий доступ пользователю {user}", "Shared by {actor}" : "Общий доступ был открыт пользователем {actor}", "{actor} removed share" : "{actor} закрыл(а) общий доступ", - "You shared {file} with {user}" : "Вы поделились «{file}» с пользователем {user}", + "You shared {file} with {user}" : "Вы предоставили пользователю {user} общий доступ к «{file}»", "You removed {user} from {file}" : "Вы закрыли пользователю {user} общий доступ к «{file}»", - "{actor} shared {file} with {user}" : "{actor} поделился(ась) «{file}» с пользователем {user}", - "{actor} removed {user} from {file}" : "{actor} закрыл(а) пользователю общий доступ к «{file}»", - "{actor} shared {file} with you" : "{actor} открыл(а) вам общий доступ к «{file}»", + "{actor} shared {file} with {user}" : "{actor} предоставил(а) пользователю {user} общий доступ к «{file}»", + "{actor} removed {user} from {file}" : "{actor} закрыл(а) пользователю {user} общий доступ к «{file}»", + "{actor} shared {file} with you" : "{actor} предоставил(а) вам общий доступ к «{file}»", "{actor} removed you from {file}" : "{actor} закрыл(а) вам общий доступ к «{file}»", "A file or folder shared by mail or by public link was downloaded" : "Файл или папка, которыми поделились по электронной почте или общедоступной ссылке, были скачаны", "A file or folder was shared from another server" : "Общий доступ к файлу или каталогу был открыт с другого сервера", @@ -77,7 +77,7 @@ "Public upload is only possible for publicly shared folders" : "Общедоступная загрузка возможна только в общедоступные папки", "Invalid date, date format must be YYYY-MM-DD" : "Неверная дата, формат даты должен быть ГГГГ-ММ-ДД", "Sharing %s failed because the back end does not allow shares from type %s" : "Не удалось предоставить общий доступ к «%s», поскольку механизм удалённого обмена не разрешает публикации типа %s", - "You cannot share to a Circle if the app is not enabled" : "Вы не можете поделиться с кругом, если приложение «Круг» не включено", + "You cannot share to a Circle if the app is not enabled" : "Вы не можете поделиться с кругом, если приложение «Круг» не включено", "Please specify a valid circle" : "Укажите верный круг", "Unknown share type" : "Общий доступ неизвестного типа", "Not a directory" : "Это не каталог", @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "Для общедоступных ссылок изменение прав невозможно", "Cannot increase permissions" : "Нельзя увеличить права", "Share API is disabled" : "API общего доступа отключён", + "File sharing" : "Обмен файлами", "This share is password-protected" : "Общий ресурс защищён паролем", "The password is wrong. Try again." : "Неверный пароль. Попробуйте ещё раз.", "Password" : "Пароль", @@ -107,6 +108,7 @@ "Upload files to %s" : "Загрузка файлов пользователю %s", "Select or drop files" : "Выберите или перетащите файлы", "Uploading files…" : "Файлы передаются на сервер...", - "Uploaded files:" : "Отправленные файлы:" + "Uploaded files:" : "Отправленные файлы:", + "%s is publicly shared" : "«%s» опубликован " },"pluralForm" :"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);" } \ No newline at end of file diff --git a/apps/oauth2/l10n/ru.js b/apps/oauth2/l10n/ru.js index 7edd72964cd98..4adf2f65cebe7 100644 --- a/apps/oauth2/l10n/ru.js +++ b/apps/oauth2/l10n/ru.js @@ -1,6 +1,7 @@ OC.L10N.register( "oauth2", { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Клиенты OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 позволяет внешним службам запрашивать доступ к %s.", "Name" : "Имя", diff --git a/apps/oauth2/l10n/ru.json b/apps/oauth2/l10n/ru.json index f83068d609701..793dd149678a6 100644 --- a/apps/oauth2/l10n/ru.json +++ b/apps/oauth2/l10n/ru.json @@ -1,4 +1,5 @@ { "translations": { + "OAuth 2.0" : "OAuth 2.0", "OAuth 2.0 clients" : "Клиенты OAuth 2.0", "OAuth 2.0 allows external services to request access to %s." : "OAuth 2.0 позволяет внешним службам запрашивать доступ к %s.", "Name" : "Имя", diff --git a/apps/twofactor_backupcodes/l10n/es.js b/apps/twofactor_backupcodes/l10n/es.js index ef8ae36371756..1e168e68dea83 100644 --- a/apps/twofactor_backupcodes/l10n/es.js +++ b/apps/twofactor_backupcodes/l10n/es.js @@ -2,7 +2,7 @@ OC.L10N.register( "twofactor_backupcodes", { "Generate backup codes" : "Generar códigos de respaldo", - "Backup codes have been generated. {{used}} of {{total}} codes have been used." : "Los códigos de respaldo han sido generados. Ha usado {{used}} de {{total}}.", + "Backup codes have been generated. {{used}} of {{total}} codes have been used." : "Se han generado los códigos de respaldo. Estás usando {{used}} de {{total}}.", "These are your backup codes. Please save and/or print them as you will not be able to read the codes again later" : "Estos son sus códigos de respaldo. Por favor guardelos y/o imprimalos ya que no podrá optenerlos nuevamente después.", "Save backup codes" : "Guardar códigos de respaldo", "Print backup codes" : "Imprimir códigos de respaldo", diff --git a/apps/twofactor_backupcodes/l10n/es.json b/apps/twofactor_backupcodes/l10n/es.json index 9c0345702620b..51a6e8253f60b 100644 --- a/apps/twofactor_backupcodes/l10n/es.json +++ b/apps/twofactor_backupcodes/l10n/es.json @@ -1,6 +1,6 @@ { "translations": { "Generate backup codes" : "Generar códigos de respaldo", - "Backup codes have been generated. {{used}} of {{total}} codes have been used." : "Los códigos de respaldo han sido generados. Ha usado {{used}} de {{total}}.", + "Backup codes have been generated. {{used}} of {{total}} codes have been used." : "Se han generado los códigos de respaldo. Estás usando {{used}} de {{total}}.", "These are your backup codes. Please save and/or print them as you will not be able to read the codes again later" : "Estos son sus códigos de respaldo. Por favor guardelos y/o imprimalos ya que no podrá optenerlos nuevamente después.", "Save backup codes" : "Guardar códigos de respaldo", "Print backup codes" : "Imprimir códigos de respaldo", diff --git a/apps/updatenotification/l10n/es.js b/apps/updatenotification/l10n/es.js index fa2038ea0b897..baf5215988c1e 100644 --- a/apps/updatenotification/l10n/es.js +++ b/apps/updatenotification/l10n/es.js @@ -1,12 +1,12 @@ OC.L10N.register( "updatenotification", { - "Could not start updater, please try the manual update" : "No se pudo iniciar el actualizador, por favor inténtalo de forma manual la actualización", + "Could not start updater, please try the manual update" : "No se ha podido iniciar el actualizador. Por favor, prueba a realizar la actualización de forma manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obtenga más información sobre cómo actualizar.", "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", - "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no se ha podido alcanzar desde hace %d días para comprobar nuevas actualizaciones.", - "Please check the Nextcloud and server log files for errors." : "Por favor revise los archivos de registros para Nextcloud y el servidor en búsca de errores.", + "The update server could not be reached since %d days to check for new updates." : "No se ha podido contactar con el servidor de actualizaciones desde hace %d días para comprobar nuevas actualizaciones.", + "Please check the Nextcloud and server log files for errors." : "Por favor, revisa que no haya errores en Nextcloud y en los archivos de registro.", "Update to %1$s is available." : "Actualización a %1$s esta disponible.", "Update for %1$s to version %2$s is available." : "La actualización de %1$s a la versión %2$s está disponible.", "Update for {app} to version %s is available." : "Actualización de {app} a la versión %s disponible.", diff --git a/apps/updatenotification/l10n/es.json b/apps/updatenotification/l10n/es.json index 6a8f4f87d5b7e..cca1c7e53fc54 100644 --- a/apps/updatenotification/l10n/es.json +++ b/apps/updatenotification/l10n/es.json @@ -1,10 +1,10 @@ { "translations": { - "Could not start updater, please try the manual update" : "No se pudo iniciar el actualizador, por favor inténtalo de forma manual la actualización", + "Could not start updater, please try the manual update" : "No se ha podido iniciar el actualizador. Por favor, prueba a realizar la actualización de forma manual", "{version} is available. Get more information on how to update." : "{version} está disponible. Obtenga más información sobre cómo actualizar.", "Update notifications" : "Actualizar notificaciones", "Channel updated" : "Canal actualizado", - "The update server could not be reached since %d days to check for new updates." : "El servidor de actualización no se ha podido alcanzar desde hace %d días para comprobar nuevas actualizaciones.", - "Please check the Nextcloud and server log files for errors." : "Por favor revise los archivos de registros para Nextcloud y el servidor en búsca de errores.", + "The update server could not be reached since %d days to check for new updates." : "No se ha podido contactar con el servidor de actualizaciones desde hace %d días para comprobar nuevas actualizaciones.", + "Please check the Nextcloud and server log files for errors." : "Por favor, revisa que no haya errores en Nextcloud y en los archivos de registro.", "Update to %1$s is available." : "Actualización a %1$s esta disponible.", "Update for %1$s to version %2$s is available." : "La actualización de %1$s a la versión %2$s está disponible.", "Update for {app} to version %s is available." : "Actualización de {app} a la versión %s disponible.", diff --git a/apps/updatenotification/l10n/ru.js b/apps/updatenotification/l10n/ru.js index 7f5a0833cdcd4..d223ecc3ba25e 100644 --- a/apps/updatenotification/l10n/ru.js +++ b/apps/updatenotification/l10n/ru.js @@ -1,15 +1,16 @@ OC.L10N.register( "updatenotification", { - "Could not start updater, please try the manual update" : "Не удалось обновить. Пожалуйста, выполните обновление вручную.", + "Could not start updater, please try the manual update" : "Не удалось обновить. Выполните обновление вручную.", "{version} is available. Get more information on how to update." : "Доступна версия {version}. Получить дополнительную информацию о порядке обновления.", "Update notifications" : "Уведомления об обновлениях", "Channel updated" : "Канал обновлен.", "The update server could not be reached since %d days to check for new updates." : "Сервер обновлений недоступен для проверки наличия обновлений дней: %d.", - "Please check the Nextcloud and server log files for errors." : "Проверьте наличие ошибок в файлах журналов Nextcloud и сервера.", + "Please check the Nextcloud and server log files for errors." : "Проверьте наличие ошибок в файлах журналов Nextcloud и сервера.", "Update to %1$s is available." : "Доступно обновление до версии %1$s.", "Update for %1$s to version %2$s is available." : "Для приложения «%1$s» доступно обновление до версии %2$s.", "Update for {app} to version %s is available." : "Для приложения «{app}» доступно обновление до версии %s.", + "Update notification" : "Уведомление о новой версии", "A new version is available: %s" : "Доступна новая версия: %s", "Open updater" : "Открыть окно обновления", "Download now" : "Скачать сейчас", @@ -19,7 +20,7 @@ OC.L10N.register( "A non-default update server is in use to be checked for updates:" : "Не сервер по умолчанию используется как сервер для проверки обновлений:", "Update channel:" : "Канал обновлений:", "You can always update to a newer version / experimental channel. But you can never downgrade to a more stable channel." : "Вы всегда можете переключиться на экспериментальный канал обновлений для получения новейших версий. Но учтите, что вы не сможете переключиться обратно на канал обновлений для стабильных версий.", - "Note that after a new release it can take some time before it shows up here. We roll out new versions spread out over time to our users and sometimes skip a version when issues are found." : "Обратите внимание, что от момента выпуска новой версии до её появления здесь может пройти некоторое время. Мы растягиваем во времени распространение новых версий и иногда, при обнаружении проблем, пропускаем версию.", + "Note that after a new release it can take some time before it shows up here. We roll out new versions spread out over time to our users and sometimes skip a version when issues are found." : "Обратите внимание, что с момента выпуска новой версии до её появления здесь может пройти некоторое время. Мы растягиваем во времени распространение новых версий и иногда, при обнаружении проблем, пропускаем версию.", "Notify members of the following groups about available updates:" : "Уведомить членов следующих групп о наличии доступных обновлений:", "Only notification for app updates are available." : "Только уведомления об обновлении приложений доступны.", "The selected update channel makes dedicated notifications for the server obsolete." : "Выбранный канал обновлений высылает специальные уведомления, если сервер устарел.", diff --git a/apps/updatenotification/l10n/ru.json b/apps/updatenotification/l10n/ru.json index cb11fc0f0d05d..85f02374b24cd 100644 --- a/apps/updatenotification/l10n/ru.json +++ b/apps/updatenotification/l10n/ru.json @@ -1,13 +1,14 @@ { "translations": { - "Could not start updater, please try the manual update" : "Не удалось обновить. Пожалуйста, выполните обновление вручную.", + "Could not start updater, please try the manual update" : "Не удалось обновить. Выполните обновление вручную.", "{version} is available. Get more information on how to update." : "Доступна версия {version}. Получить дополнительную информацию о порядке обновления.", "Update notifications" : "Уведомления об обновлениях", "Channel updated" : "Канал обновлен.", "The update server could not be reached since %d days to check for new updates." : "Сервер обновлений недоступен для проверки наличия обновлений дней: %d.", - "Please check the Nextcloud and server log files for errors." : "Проверьте наличие ошибок в файлах журналов Nextcloud и сервера.", + "Please check the Nextcloud and server log files for errors." : "Проверьте наличие ошибок в файлах журналов Nextcloud и сервера.", "Update to %1$s is available." : "Доступно обновление до версии %1$s.", "Update for %1$s to version %2$s is available." : "Для приложения «%1$s» доступно обновление до версии %2$s.", "Update for {app} to version %s is available." : "Для приложения «{app}» доступно обновление до версии %s.", + "Update notification" : "Уведомление о новой версии", "A new version is available: %s" : "Доступна новая версия: %s", "Open updater" : "Открыть окно обновления", "Download now" : "Скачать сейчас", @@ -17,7 +18,7 @@ "A non-default update server is in use to be checked for updates:" : "Не сервер по умолчанию используется как сервер для проверки обновлений:", "Update channel:" : "Канал обновлений:", "You can always update to a newer version / experimental channel. But you can never downgrade to a more stable channel." : "Вы всегда можете переключиться на экспериментальный канал обновлений для получения новейших версий. Но учтите, что вы не сможете переключиться обратно на канал обновлений для стабильных версий.", - "Note that after a new release it can take some time before it shows up here. We roll out new versions spread out over time to our users and sometimes skip a version when issues are found." : "Обратите внимание, что от момента выпуска новой версии до её появления здесь может пройти некоторое время. Мы растягиваем во времени распространение новых версий и иногда, при обнаружении проблем, пропускаем версию.", + "Note that after a new release it can take some time before it shows up here. We roll out new versions spread out over time to our users and sometimes skip a version when issues are found." : "Обратите внимание, что с момента выпуска новой версии до её появления здесь может пройти некоторое время. Мы растягиваем во времени распространение новых версий и иногда, при обнаружении проблем, пропускаем версию.", "Notify members of the following groups about available updates:" : "Уведомить членов следующих групп о наличии доступных обновлений:", "Only notification for app updates are available." : "Только уведомления об обновлении приложений доступны.", "The selected update channel makes dedicated notifications for the server obsolete." : "Выбранный канал обновлений высылает специальные уведомления, если сервер устарел.", diff --git a/apps/user_ldap/l10n/es.js b/apps/user_ldap/l10n/es.js index a23a7d8a9f3b1..6e53ea375f824 100644 --- a/apps/user_ldap/l10n/es.js +++ b/apps/user_ldap/l10n/es.js @@ -1,7 +1,7 @@ OC.L10N.register( "user_ldap", { - "Failed to clear the mappings." : "Ocurrió un fallo al borrar las asignaciones.", + "Failed to clear the mappings." : "Se ha producido un fallo al borrar las asignaciones.", "Failed to delete the server configuration" : "No se pudo borrar la configuración del servidor", "Invalid configuration: Anonymous binding is not allowed." : "Configuración no válida: No se permite enlazado anónimo.", "Valid configuration, connection established!" : "Configuración válida. ¡Conexión establecida!", diff --git a/apps/user_ldap/l10n/es.json b/apps/user_ldap/l10n/es.json index 7538f0a0b0d19..8df4b896dc5d7 100644 --- a/apps/user_ldap/l10n/es.json +++ b/apps/user_ldap/l10n/es.json @@ -1,5 +1,5 @@ { "translations": { - "Failed to clear the mappings." : "Ocurrió un fallo al borrar las asignaciones.", + "Failed to clear the mappings." : "Se ha producido un fallo al borrar las asignaciones.", "Failed to delete the server configuration" : "No se pudo borrar la configuración del servidor", "Invalid configuration: Anonymous binding is not allowed." : "Configuración no válida: No se permite enlazado anónimo.", "Valid configuration, connection established!" : "Configuración válida. ¡Conexión establecida!", diff --git a/apps/workflowengine/l10n/es.js b/apps/workflowengine/l10n/es.js index c882ece0107a8..3dea8a6319c18 100644 --- a/apps/workflowengine/l10n/es.js +++ b/apps/workflowengine/l10n/es.js @@ -2,7 +2,7 @@ OC.L10N.register( "workflowengine", { "Saved" : "Guardado", - "Saving failed:" : "Guardado fallido:", + "Saving failed:" : "Fallo al guardar:", "File MIME type" : "Tipo MIME del archivo", "is" : "es/esta", "is not" : "no es/esta", diff --git a/apps/workflowengine/l10n/es.json b/apps/workflowengine/l10n/es.json index fd0e54bddaec7..47a76e1125c33 100644 --- a/apps/workflowengine/l10n/es.json +++ b/apps/workflowengine/l10n/es.json @@ -1,6 +1,6 @@ { "translations": { "Saved" : "Guardado", - "Saving failed:" : "Guardado fallido:", + "Saving failed:" : "Fallo al guardar:", "File MIME type" : "Tipo MIME del archivo", "is" : "es/esta", "is not" : "no es/esta", diff --git a/apps/workflowengine/l10n/ru.js b/apps/workflowengine/l10n/ru.js index 7f138020d0202..e66ccb92598ac 100644 --- a/apps/workflowengine/l10n/ru.js +++ b/apps/workflowengine/l10n/ru.js @@ -58,7 +58,8 @@ OC.L10N.register( "Check %s does not exist" : "Проверка %s не существует", "Check %s is invalid" : "Проверка %s неверна", "Check #%s does not exist" : "Проверка #%s не существует", - "Workflow" : "Рабочий процесс", + "Workflow" : "Обработка файлов", + "Files workflow engine" : "Механизм обработки файлов", "Open documentation" : "Открыть документацию", "Add rule group" : "Добавить группу правил", "Short rule description" : "Краткое описание правила", diff --git a/apps/workflowengine/l10n/ru.json b/apps/workflowengine/l10n/ru.json index 81fef0d18a34e..cb5f32c259b9b 100644 --- a/apps/workflowengine/l10n/ru.json +++ b/apps/workflowengine/l10n/ru.json @@ -56,7 +56,8 @@ "Check %s does not exist" : "Проверка %s не существует", "Check %s is invalid" : "Проверка %s неверна", "Check #%s does not exist" : "Проверка #%s не существует", - "Workflow" : "Рабочий процесс", + "Workflow" : "Обработка файлов", + "Files workflow engine" : "Механизм обработки файлов", "Open documentation" : "Открыть документацию", "Add rule group" : "Добавить группу правил", "Short rule description" : "Краткое описание правила", diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index bcd14c072cd86..30f6f966d1767 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -296,6 +296,8 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", + "For information how to properly configure your server, please see the documentation." : "Išsamesnei informacijai apie tai kaip tinkamai sukonfigūruoti savo serverį, žiūrėkite dokumentaciją.", + "This action requires you to confirm your password:" : "Šis veiksmas reikalauja, kad patvirtintumėte savo slaptažodį:", "Wrong password. Reset it?" : "Neteisingas slaptažodis. Atstatyti jį?", "You are about to grant \"%s\" access to your %s account." : "Ketinate suteikti \"%s\" prieigą prie savo %s paskyros." }, diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 53d40379e7c2b..09cbafb4f2038 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -294,6 +294,8 @@ "This page will refresh itself when the %s instance is available again." : "Šis puslapis bus įkeltas iš naujo, kai %s egzempliorius bus ir vėl prieinamas.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", "Thank you for your patience." : "Dėkojame už jūsų kantrumą.", + "For information how to properly configure your server, please see the documentation." : "Išsamesnei informacijai apie tai kaip tinkamai sukonfigūruoti savo serverį, žiūrėkite dokumentaciją.", + "This action requires you to confirm your password:" : "Šis veiksmas reikalauja, kad patvirtintumėte savo slaptažodį:", "Wrong password. Reset it?" : "Neteisingas slaptažodis. Atstatyti jį?", "You are about to grant \"%s\" access to your %s account." : "Ketinate suteikti \"%s\" prieigą prie savo %s paskyros." },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 9fe7e8b1d3ca8..65bdc09e49911 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -115,7 +115,19 @@ OC.L10N.register( "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Nenhuma memória cache foi configurada. Para melhorar o seu desempenho, por favor configure a memcache, se disponível. Mais informação pode ser encontrada na nossa documentation.", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom não é legível pelo PHP, o que é altamente desencorajado por motivos de segurança. Pode ser encontrada mais informação na documentação.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Neste momento está a executar PHP {version}. Aconselhamos actualizar a versão de PHP para tirar partido das actualizações de desempenho e segurança fornecidas pelo PHP Group assim que a sua distribuição as suporte.", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "Está actualmente a correr PHP 5.6. A versão actual mais alta do Nextcloud é a última suportada no PHP 5.6. Aconselhamos que actualize a versão do PHP para 7.0+ para que possa actualizar para o Nextcloud 14.", + "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud. Further information can be found in the documentation." : "A configuração dos cabeçalhos de reverse proxy está incorrecta, ou está a tentar ao Nextcloud através de um proxy confiável. Se não for o caso, trata-se de um problema de segurança e pode permitir a um atacante fazer spoof do endereço IP visível para a Nextcloud. Mais informações podem ser obtidas na documentação.", + "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 memcached wiki about both modules." : "A Memcached está configurada como cache distribuida, mas o módulo PHP \"memcache\" instalado está incorrecto. \\OC\\Memcache\\Memcached apenas suporta \"memcached\" e não \"memcache\". Ver em memcached wiki sobre ambos os módulos.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alguns ficheiros não passaram no teste de integridade. Mais informação sobre a resolução deste problema pode ser encontrada na documentação. (Lista de ficheiros inválidos... / Analisar novamente ...)", + "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "A OPcache PHP não está devidamente configurada. Para melhorar a performance recomendamos que use as seguintes definições no php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A função PHP \"set_time_limit\" não está disponível. Isto pode resultar na paragem de scripts a meio da execução, corrompendo a instalação. A activação desta função é altamente recomendada.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "O seu PHP não suporta FreeType, podendo resultar em fotos de perfil e interface de definições corrompidos. ", "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", + "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Os directórios de datos e ficheiros estão provavelmente acessíveis através da Internet. O ficheiro .htaccess não está a funcionar. É altamente recomendado que configure o seu servidor web para que o directório de dados deixa de estar acessível, ou movê-lo para fora da raiz de documentos do servidor web. ", + "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{cabeçalho}\" não está definido como \"{esperado}\". Isto é um potencial risco de segurança ou privacidade, pelo que recomendamos que ajuste esta opção em conformidade.", + "The \"{header}\" HTTP header is not set to \"{expected}\". Some features might not work correctly, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{cabeçalho}\" não está definido como \"{esperado}\". Algumas funcionalidades poderão não funcionar correctamente, pelo que recomendamos que ajuste esta opção em conformidade.", + "The \"Strict-Transport-Security\" HTTP header is not set to at least \"{seconds}\" seconds. For enhanced security, it is recommended to enable HSTS as described in the security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está definido para pelo menos \"{segundos}\" segundos. Para melhorar a segurança, recomendamos que active o HSTS como descrito em dicas de segurança.", + "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : "Acedendo ao site de forma insegura usando HTTP. Recomendamos vivamente que configure o servidor para requerer HTTPS, tal como descrito em dicas de segurança.", "Shared" : "Partilhado", "Shared with" : "Partilhado com ", "Shared by" : "Partilhado por", @@ -264,6 +276,7 @@ OC.L10N.register( "Username or email" : "Utilizador ou e-mail", "Log in" : "Iniciar Sessão", "Wrong password." : "Senha errada.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Detectamos múltiplas tentativas falhadas de login do seu IP. Por esse motivo, o seu próximo login será adiado por, até, 30 segundos. ", "Stay logged in" : "Manter sessão iniciada", "Forgot password?" : "Senha esquecida?", "Back to log in" : "Voltar à entrada", @@ -271,6 +284,8 @@ OC.L10N.register( "Account access" : "Acesso a conta", "You are about to grant %s access to your %s account." : "Está prestes a permitir %s aceder á sua conta %s.", "Grant access" : "Conceder acesso", + "App token" : "Token da aplicação", + "Alternative login using app token" : "Autenticação alternativa usando token da aplicação", "Redirecting …" : "A redirecionar...", "New password" : "Nova senha", "New Password" : "Nova senha", @@ -279,6 +294,9 @@ OC.L10N.register( "Cancel log in" : "Cancelar entrada", "Use backup code" : "Usar código de cópia de segurança", "Error while validating your second factor" : "Erro ao validar o segundo factor", + "Access through untrusted domain" : "Aceder através de um domínio não confiável", + "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Por favor contacte o seu administrador. Se é um administrador, edite a definição \"trusted_domains\" no config/config.php como no exemplo em config.sample.php.", + "Depending on your configuration, this button could also work to trust the domain:" : "Dependendo da sua configuração, este botão poderá servir para confiar no domínio:", "Add \"%s\" as trusted domain" : "Adicionar \"%s\" como um domínio de confiança", "App update required" : "É necessário atualizar a aplicação", "%s will be updated to version %s" : "%s será atualizada para a versão %s.", @@ -290,12 +308,30 @@ OC.L10N.register( "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar tempos expirados com instalações maiores, em vez disso, pode executar o seguinte comando a partir da diretoria de instalação:", "Detailed logs" : "Registos detalhados", "Update needed" : "É necessário atualizar", + "Please use the command line updater because you have a big instance with more than 50 users." : "Por favor use o actualizador da linha de comandos porque tem uma instância grande com mais de 50 utilizadores.", + "For help, see the documentation." : "Para obter ajuda, veja a documentação.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Sei que se continuar a fazer a actualização via interface web arrisco a que o pedido expire e pode causar a perda de dados, no entanto tenho uma cópia de segurança e sei como restaurar a minha instância em caso de falha. ", "Upgrade via web on my own risk" : "Atualizar via web por minha conta e risco.", "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", "There was an error loading your contacts" : "Ocorreu um erro ao carregar os seus contactos", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "O seu servidor web ainda não está devidamente configurado para permitir sincronização de ficheiros porque a interface WebDAV não está a funcionar correctamente.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "O seu servidor web ainda não está devidamente configurado para traduzir \"{url}\". Mais informações podem ser obtidas na nossa documentação.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor não tem conexão à Internet: Não foi possível alcançar vários endpoints. Isto significa que algumas das funcionalidades tal como montar armazenamento externo, notificações sobre actualizações ou a instalação de aplicações de terceiros poderão não funcionar. O acesso remoto a ficheiros e o envio de notificações por e-mail também poderá não funcionar. Sugerimos que active a conexão à Internet neste servidor se quiser usar todas as funcionalidades.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Não foi configurada memória de cache. Para melhorar o desempenho configure a memcache se estiver disponível. Mais informações podem ser obtidas na nossa documentação.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom não é legível pelo PHP o que é altamente desaconselhado por motivos de segurança. Mais informações podem er obtidas na nossa documentação.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualmente está a correr PHP {versão}. Aconselhamos que actualize a versão do PHP para tirar partido das vantagens de desempenho e actualizações de segurança disponibilizados pelo Grupo PHP assim que a sua distribuição a suporte.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "A configuração dos cabeçalhos de reverse proxy está incorrecta, ou está a tentar ao Nextcloud através de um proxy confiável. Se não está a aceder ao Nextcloud através de um proxy confiável, isto é um problema de segurança e pode permitir a um atacante fazer spoof do endereço IP visível para a Nextcloud. Mais informações podem ser obtidas na nossa documentação.", + "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 memcached wiki about both modules." : "A Memcached está configurada como cache distribuida, mas o módulo PHP \"memcache\" instalado está incorrecto. \\OC\\Memcache\\Memcached apenas suporta \"memcached\" e não \"memcache\". Ver em memcached wiki sobre ambos os módulos.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns ficheiros não passaram no teste de integridade. Mais informação sobre a resolução deste problema pode ser encontrada na nossa documentação. (Lista de ficheiros inválidos... / Analisar novamente ...)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A OPcache PHP não está devidamente configurada. Para melhorar a performance recomendamos que use as seguintes definições no php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isto pode resultar na paragem de script a meio da execução, corrompendo a instalação. Recomendamos vivamente que active esta função.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "O seu directório de dados e os seus ficheiros estão provavelmente acessíveis através da Internet. O ficheiro .htaccess não está a funcionar. Recomendamos vivamente que configure o seu servidor web de forma a que o directório de dados deixe de estar acessível ou mova-o para fora da raíz de documentos do servidor web.", + "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." : "O cabeçalho HTTP \"{cabeçalho}\" não está configurado tal como \"{esperado}\". Isto é um potencial risco de segurança ou privacidade pelo que recomendamos que ajuste esta definição.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está definido para pelo menos \"{segundos}\" segundos. Para melhorar a segurança recomendamos que active o HSTS como descrito em dicas de segurança.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Está a aceder a este site via HTTP. Recomendamos vivamente que configure o seu servidor para requerer a utilização de HTTPS como descrito nas nossas dicas de segurança.", "Shared with {recipients}" : "Partilhado com receptores", "The server encountered an internal error and was unable to complete your request." : "Ocorreu um erro interno no servidor e não foi possível completar o pedido", "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacte o administrador do servidor se o erro se repetir múltiplas vezes, incluindo os detalhes técnicos abaixo mencionados no seu relatório", @@ -306,6 +342,7 @@ OC.L10N.register( "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como administrador poderá também conseguir usar o botão que se segue para confiar neste domínio.", - "For help, see the documentation." : "Para obter ajuda, consulte a documentação." + "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "O seu PHP não suporta freetype. Isto irá resultar em fotos de perfil e interface de definições corrompidas." }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index 8c9bad2e12401..a9c663821dcc9 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -113,7 +113,19 @@ "No memory cache has been configured. To enhance performance, please configure a memcache, if available. Further information can be found in the documentation." : "Nenhuma memória cache foi configurada. Para melhorar o seu desempenho, por favor configure a memcache, se disponível. Mais informação pode ser encontrada na nossa documentation.", "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in the documentation." : "/dev/urandom não é legível pelo PHP, o que é altamente desencorajado por motivos de segurança. Pode ser encontrada mais informação na documentação.", "You are currently running PHP {version}. Upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Neste momento está a executar PHP {version}. Aconselhamos actualizar a versão de PHP para tirar partido das actualizações de desempenho e segurança fornecidas pelo PHP Group assim que a sua distribuição as suporte.", + "You are currently running PHP 5.6. The current major version of Nextcloud is the last that is supported on PHP 5.6. It is recommended to upgrade the PHP version to 7.0+ to be able to upgrade to Nextcloud 14." : "Está actualmente a correr PHP 5.6. A versão actual mais alta do Nextcloud é a última suportada no PHP 5.6. Aconselhamos que actualize a versão do PHP para 7.0+ para que possa actualizar para o Nextcloud 14.", + "The reverse proxy header configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If not, this is a security issue and can allow an attacker to spoof their IP address as visible to the Nextcloud. Further information can be found in the documentation." : "A configuração dos cabeçalhos de reverse proxy está incorrecta, ou está a tentar ao Nextcloud através de um proxy confiável. Se não for o caso, trata-se de um problema de segurança e pode permitir a um atacante fazer spoof do endereço IP visível para a Nextcloud. Mais informações podem ser obtidas na documentação.", + "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 memcached wiki about both modules." : "A Memcached está configurada como cache distribuida, mas o módulo PHP \"memcache\" instalado está incorrecto. \\OC\\Memcache\\Memcached apenas suporta \"memcached\" e não \"memcache\". Ver em memcached wiki sobre ambos os módulos.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in the documentation. (List of invalid files… / Rescan…)" : "Alguns ficheiros não passaram no teste de integridade. Mais informação sobre a resolução deste problema pode ser encontrada na documentação. (Lista de ficheiros inválidos... / Analisar novamente ...)", + "The PHP OPcache is not properly configured. For better performance it is recommended to use the following settings in the php.ini:" : "A OPcache PHP não está devidamente configurada. Para melhorar a performance recomendamos que use as seguintes definições no php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. Enabling this function is strongly recommended." : "A função PHP \"set_time_limit\" não está disponível. Isto pode resultar na paragem de scripts a meio da execução, corrompendo a instalação. A activação desta função é altamente recomendada.", + "Your PHP does not have FreeType support, resulting in breakage of profile pictures and the settings interface." : "O seu PHP não suporta FreeType, podendo resultar em fotos de perfil e interface de definições corrompidos. ", "Error occurred while checking server setup" : "Ocorreu um erro durante a verificação da configuração do servidor", + "Your data directory and files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server so that the data directory is no longer accessible, or move the data directory outside the web server document root." : "Os directórios de datos e ficheiros estão provavelmente acessíveis através da Internet. O ficheiro .htaccess não está a funcionar. É altamente recomendado que configure o seu servidor web para que o directório de dados deixa de estar acessível, ou movê-lo para fora da raiz de documentos do servidor web. ", + "The \"{header}\" HTTP header is not set to \"{expected}\". This is a potential security or privacy risk, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{cabeçalho}\" não está definido como \"{esperado}\". Isto é um potencial risco de segurança ou privacidade, pelo que recomendamos que ajuste esta opção em conformidade.", + "The \"{header}\" HTTP header is not set to \"{expected}\". Some features might not work correctly, as it is recommended to adjust this setting accordingly." : "O cabeçalho HTTP \"{cabeçalho}\" não está definido como \"{esperado}\". Algumas funcionalidades poderão não funcionar correctamente, pelo que recomendamos que ajuste esta opção em conformidade.", + "The \"Strict-Transport-Security\" HTTP header is not set to at least \"{seconds}\" seconds. For enhanced security, it is recommended to enable HSTS as described in the security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está definido para pelo menos \"{segundos}\" segundos. Para melhorar a segurança, recomendamos que active o HSTS como descrito em dicas de segurança.", + "Accessing site insecurely via HTTP. You are strongly adviced to set up your server to require HTTPS instead, as described in the security tips." : "Acedendo ao site de forma insegura usando HTTP. Recomendamos vivamente que configure o servidor para requerer HTTPS, tal como descrito em dicas de segurança.", "Shared" : "Partilhado", "Shared with" : "Partilhado com ", "Shared by" : "Partilhado por", @@ -262,6 +274,7 @@ "Username or email" : "Utilizador ou e-mail", "Log in" : "Iniciar Sessão", "Wrong password." : "Senha errada.", + "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Detectamos múltiplas tentativas falhadas de login do seu IP. Por esse motivo, o seu próximo login será adiado por, até, 30 segundos. ", "Stay logged in" : "Manter sessão iniciada", "Forgot password?" : "Senha esquecida?", "Back to log in" : "Voltar à entrada", @@ -269,6 +282,8 @@ "Account access" : "Acesso a conta", "You are about to grant %s access to your %s account." : "Está prestes a permitir %s aceder á sua conta %s.", "Grant access" : "Conceder acesso", + "App token" : "Token da aplicação", + "Alternative login using app token" : "Autenticação alternativa usando token da aplicação", "Redirecting …" : "A redirecionar...", "New password" : "Nova senha", "New Password" : "Nova senha", @@ -277,6 +292,9 @@ "Cancel log in" : "Cancelar entrada", "Use backup code" : "Usar código de cópia de segurança", "Error while validating your second factor" : "Erro ao validar o segundo factor", + "Access through untrusted domain" : "Aceder através de um domínio não confiável", + "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Por favor contacte o seu administrador. Se é um administrador, edite a definição \"trusted_domains\" no config/config.php como no exemplo em config.sample.php.", + "Depending on your configuration, this button could also work to trust the domain:" : "Dependendo da sua configuração, este botão poderá servir para confiar no domínio:", "Add \"%s\" as trusted domain" : "Adicionar \"%s\" como um domínio de confiança", "App update required" : "É necessário atualizar a aplicação", "%s will be updated to version %s" : "%s será atualizada para a versão %s.", @@ -288,12 +306,30 @@ "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Para evitar tempos expirados com instalações maiores, em vez disso, pode executar o seguinte comando a partir da diretoria de instalação:", "Detailed logs" : "Registos detalhados", "Update needed" : "É necessário atualizar", + "Please use the command line updater because you have a big instance with more than 50 users." : "Por favor use o actualizador da linha de comandos porque tem uma instância grande com mais de 50 utilizadores.", + "For help, see the documentation." : "Para obter ajuda, veja a documentação.", + "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Sei que se continuar a fazer a actualização via interface web arrisco a que o pedido expire e pode causar a perda de dados, no entanto tenho uma cópia de segurança e sei como restaurar a minha instância em caso de falha. ", "Upgrade via web on my own risk" : "Atualizar via web por minha conta e risco.", "This %s instance is currently in maintenance mode, which may take a while." : "Esta instância %s está atualmente no modo de manutenção, o que poderá demorar algum tempo.", "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", "There was an error loading your contacts" : "Ocorreu um erro ao carregar os seus contactos", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "O seu servidor web ainda não está devidamente configurado para permitir sincronização de ficheiros porque a interface WebDAV não está a funcionar correctamente.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "O seu servidor web ainda não está devidamente configurado para traduzir \"{url}\". Mais informações podem ser obtidas na nossa documentação.", + "This server has no working Internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. We suggest to enable Internet connection for this server if you want to have all features." : "Este servidor não tem conexão à Internet: Não foi possível alcançar vários endpoints. Isto significa que algumas das funcionalidades tal como montar armazenamento externo, notificações sobre actualizações ou a instalação de aplicações de terceiros poderão não funcionar. O acesso remoto a ficheiros e o envio de notificações por e-mail também poderá não funcionar. Sugerimos que active a conexão à Internet neste servidor se quiser usar todas as funcionalidades.", + "No memory cache has been configured. To enhance your performance please configure a memcache if available. Further information can be found in our documentation." : "Não foi configurada memória de cache. Para melhorar o desempenho configure a memcache se estiver disponível. Mais informações podem ser obtidas na nossa documentação.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our documentation." : "/dev/urandom não é legível pelo PHP o que é altamente desaconselhado por motivos de segurança. Mais informações podem er obtidas na nossa documentação.", + "You are currently running PHP {version}. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by the PHP Group as soon as your distribution supports it." : "Actualmente está a correr PHP {versão}. Aconselhamos que actualize a versão do PHP para tirar partido das vantagens de desempenho e actualizações de segurança disponibilizados pelo Grupo PHP assim que a sua distribuição a suporte.", + "The reverse proxy headers configuration is incorrect, or you are accessing Nextcloud from a trusted proxy. If you are not accessing Nextcloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to Nextcloud. Further information can be found in our documentation." : "A configuração dos cabeçalhos de reverse proxy está incorrecta, ou está a tentar ao Nextcloud através de um proxy confiável. Se não está a aceder ao Nextcloud através de um proxy confiável, isto é um problema de segurança e pode permitir a um atacante fazer spoof do endereço IP visível para a Nextcloud. Mais informações podem ser obtidas na nossa documentação.", + "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 memcached wiki about both modules." : "A Memcached está configurada como cache distribuida, mas o módulo PHP \"memcache\" instalado está incorrecto. \\OC\\Memcache\\Memcached apenas suporta \"memcached\" e não \"memcache\". Ver em memcached wiki sobre ambos os módulos.", + "Some files have not passed the integrity check. Further information on how to resolve this issue can be found in our documentation. (List of invalid files… / Rescan…)" : "Alguns ficheiros não passaram no teste de integridade. Mais informação sobre a resolução deste problema pode ser encontrada na nossa documentação. (Lista de ficheiros inválidos... / Analisar novamente ...)", + "The PHP OPcache is not properly configured. For better performance we recommend to use following settings in the php.ini:" : "A OPcache PHP não está devidamente configurada. Para melhorar a performance recomendamos que use as seguintes definições no php.ini:", + "The PHP function \"set_time_limit\" is not available. This could result in scripts being halted mid-execution, breaking your installation. We strongly recommend enabling this function." : "A função PHP \"set_time_limit\" não está disponível. Isto pode resultar na paragem de script a meio da execução, corrompendo a instalação. Recomendamos vivamente que active esta função.", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. It is strongly recommended that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "O seu directório de dados e os seus ficheiros estão provavelmente acessíveis através da Internet. O ficheiro .htaccess não está a funcionar. Recomendamos vivamente que configure o seu servidor web de forma a que o directório de dados deixe de estar acessível ou mova-o para fora da raíz de documentos do servidor web.", + "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." : "O cabeçalho HTTP \"{cabeçalho}\" não está configurado tal como \"{esperado}\". Isto é um potencial risco de segurança ou privacidade pelo que recomendamos que ajuste esta definição.", + "The \"Strict-Transport-Security\" HTTP header is not configured to at least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our security tips." : "O cabeçalho HTTP \"Strict-Transport-Security\" não está definido para pelo menos \"{segundos}\" segundos. Para melhorar a segurança recomendamos que active o HSTS como descrito em dicas de segurança.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our security tips." : "Está a aceder a este site via HTTP. Recomendamos vivamente que configure o seu servidor para requerer a utilização de HTTPS como descrito nas nossas dicas de segurança.", "Shared with {recipients}" : "Partilhado com receptores", "The server encountered an internal error and was unable to complete your request." : "Ocorreu um erro interno no servidor e não foi possível completar o pedido", "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Por favor contacte o administrador do servidor se o erro se repetir múltiplas vezes, incluindo os detalhes técnicos abaixo mencionados no seu relatório", @@ -304,6 +340,7 @@ "You are accessing the server from an untrusted domain." : "Está a aceder ao servidor a partir de um domínio que não é de confiança.", "Please contact your administrator. If you are an administrator of this instance, configure the \"trusted_domains\" setting in config/config.php. An example configuration is provided in config/config.sample.php." : "Por favor, contacte o seu administrador. Se é um administrador desta instância, configure a definição \"trusted_domains\" em config/config.php. É fornecido um exemplo de configuração em config/config.sample.php.", "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Dependendo da sua configuração, como administrador poderá também conseguir usar o botão que se segue para confiar neste domínio.", - "For help, see the documentation." : "Para obter ajuda, consulte a documentação." + "For help, see the documentation." : "Para obter ajuda, consulte a documentação.", + "Your PHP does not have freetype support. This will result in broken profile pictures and settings interface." : "O seu PHP não suporta freetype. Isto irá resultar em fotos de perfil e interface de definições corrompidas." },"pluralForm" :"nplurals=2; plural=(n != 1);" } \ No newline at end of file diff --git a/core/l10n/sv.js b/core/l10n/sv.js index 269813ec8fef2..a45d01668b0b7 100644 --- a/core/l10n/sv.js +++ b/core/l10n/sv.js @@ -56,6 +56,7 @@ OC.L10N.register( "Search contacts …" : "Sök kontakter ...", "No contacts found" : "Inga kontakter hittades", "Show all contacts …" : "Visa alla kontakter ...", + "Could not load your contacts" : "Kunde inte ladda dina kontakter", "Loading your contacts …" : "Laddar dina kontakter ...", "Looking for {term} …" : "Letar efter {term} …", "There were problems with the code integrity check. More information…" : " Ett problem uppstod under integritetskontrollen av koden. Mer information ... ", diff --git a/core/l10n/sv.json b/core/l10n/sv.json index e27c630f31fd2..4fdb3f6f6806b 100644 --- a/core/l10n/sv.json +++ b/core/l10n/sv.json @@ -54,6 +54,7 @@ "Search contacts …" : "Sök kontakter ...", "No contacts found" : "Inga kontakter hittades", "Show all contacts …" : "Visa alla kontakter ...", + "Could not load your contacts" : "Kunde inte ladda dina kontakter", "Loading your contacts …" : "Laddar dina kontakter ...", "Looking for {term} …" : "Letar efter {term} …", "There were problems with the code integrity check. More information…" : " Ett problem uppstod under integritetskontrollen av koden. Mer information ... ", diff --git a/lib/l10n/lt_LT.js b/lib/l10n/lt_LT.js index 24e337afa705d..41c0e32e0a6f9 100644 --- a/lib/l10n/lt_LT.js +++ b/lib/l10n/lt_LT.js @@ -72,6 +72,7 @@ OC.L10N.register( "PostgreSQL username and/or password not valid" : "Neteisingas PostgreSQL naudotojo vardas ir/arba slaptažodis", "You need to enter details of an existing account." : "Jūs turite suvesti egzistuojančios paskyros duomenis.", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nėra palaikomas, %s neveiks tinkamai šioje platformoje. Naudodami prisiimate visą riziką !", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Pašalinkite savo php.ini faile open_basedir nustatymą arba persijunkite į 64-bitų PHP.", "Set an admin username." : "Nustatyti administratoriaus naudotojo vardą.", "Set an admin password." : "Nustatyti administratoriaus slaptažodį.", "Can't create or write into the data directory %s" : "Negalima nuskaityti arba rašyti į duomenų katalogą. %s", @@ -199,6 +200,10 @@ OC.L10N.register( "Storage connection error. %s" : "Saugyklos sujungimo ryšio klaida. %s", "Storage is temporarily not available" : "Saugykla yra laikinai neprieinama", "Storage connection timeout. %s" : "Sujungimo su saugykla laikas baigėsi. %s", - "DB Error: \"%s\"" : "DB klaida: \"%s\"" + "DB Error: \"%s\"" : "DB klaida: \"%s\"", + "Files can't be shared with delete permissions" : "Failai negali būti bendrinami su ištrynimo leidimais", + "Files can't be shared with create permissions" : "Failai negali būti bendrinami su sukūrimo leidimais", + "No app name specified" : "Nenurodytas programėlės pavadinimas", + "App '%s' could not be installed!" : "Nepavyko įdiegti \"%s\" programėlės!" }, "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/lib/l10n/lt_LT.json b/lib/l10n/lt_LT.json index 0e3912a2ecbb6..34fbc073acfba 100644 --- a/lib/l10n/lt_LT.json +++ b/lib/l10n/lt_LT.json @@ -70,6 +70,7 @@ "PostgreSQL username and/or password not valid" : "Neteisingas PostgreSQL naudotojo vardas ir/arba slaptažodis", "You need to enter details of an existing account." : "Jūs turite suvesti egzistuojančios paskyros duomenis.", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X nėra palaikomas, %s neveiks tinkamai šioje platformoje. Naudodami prisiimate visą riziką !", + "Please remove the open_basedir setting within your php.ini or switch to 64-bit PHP." : "Pašalinkite savo php.ini faile open_basedir nustatymą arba persijunkite į 64-bitų PHP.", "Set an admin username." : "Nustatyti administratoriaus naudotojo vardą.", "Set an admin password." : "Nustatyti administratoriaus slaptažodį.", "Can't create or write into the data directory %s" : "Negalima nuskaityti arba rašyti į duomenų katalogą. %s", @@ -197,6 +198,10 @@ "Storage connection error. %s" : "Saugyklos sujungimo ryšio klaida. %s", "Storage is temporarily not available" : "Saugykla yra laikinai neprieinama", "Storage connection timeout. %s" : "Sujungimo su saugykla laikas baigėsi. %s", - "DB Error: \"%s\"" : "DB klaida: \"%s\"" + "DB Error: \"%s\"" : "DB klaida: \"%s\"", + "Files can't be shared with delete permissions" : "Failai negali būti bendrinami su ištrynimo leidimais", + "Files can't be shared with create permissions" : "Failai negali būti bendrinami su sukūrimo leidimais", + "No app name specified" : "Nenurodytas programėlės pavadinimas", + "App '%s' could not be installed!" : "Nepavyko įdiegti \"%s\" programėlės!" },"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);" } \ No newline at end of file diff --git a/settings/l10n/es.js b/settings/l10n/es.js index 4b170df5cf28a..59045f5145b75 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -153,7 +153,7 @@ OC.L10N.register( "Will be synced to a global and public address book" : "Se sincronizará a una libreta de direcciones pública y global", "Verify" : "Verificar", "Verifying …" : "Verificando...", - "An error occured while changing your language. Please reload the page and try again." : "Ocurrió un error al cambiar el lenguaje. Por favor, vuelve a cargar la página y vuelve a intentarlo.", + "An error occured while changing your language. Please reload the page and try again." : "Se ha producido un fallo al cambiar el idioma. Por favor, vuelve a cargar la página y vuelve a intentarlo.", "Select a profile picture" : "Seleccionar una imagen de perfil", "Very weak password" : "Contraseña muy débil", "Weak password" : "Contraseña débil", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index c332cb78713b8..e03548c71c664 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -151,7 +151,7 @@ "Will be synced to a global and public address book" : "Se sincronizará a una libreta de direcciones pública y global", "Verify" : "Verificar", "Verifying …" : "Verificando...", - "An error occured while changing your language. Please reload the page and try again." : "Ocurrió un error al cambiar el lenguaje. Por favor, vuelve a cargar la página y vuelve a intentarlo.", + "An error occured while changing your language. Please reload the page and try again." : "Se ha producido un fallo al cambiar el idioma. Por favor, vuelve a cargar la página y vuelve a intentarlo.", "Select a profile picture" : "Seleccionar una imagen de perfil", "Very weak password" : "Contraseña muy débil", "Weak password" : "Contraseña débil", From f1568b96ce42410f5631ef765ce035ead5d4ce68 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Wed, 21 Feb 2018 10:32:46 +0100 Subject: [PATCH 110/251] Use mb_* string methods to extract first character for generated avatars This fixes #8451 where the first character is a non-ASCII character. The `$string[0]` notation only extracted one byte and thus resulting in an invalid code. The `mb_strtoupper` method also allows to convert characters independently from the current locale on the server. See also http://php.net/manual/en/function.mb-strtoupper.php Signed-off-by: Morris Jobke --- lib/private/Avatar.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/private/Avatar.php b/lib/private/Avatar.php index 45ad66d0817e6..863d27a874789 100644 --- a/lib/private/Avatar.php +++ b/lib/private/Avatar.php @@ -246,7 +246,7 @@ private function getExtension() { * @return string */ private function generateAvatar($userDisplayName, $size) { - $text = strtoupper(substr($userDisplayName, 0, 1)); + $text = mb_strtoupper(mb_substr($userDisplayName, 0, 1), 'UTF-8'); $backgroundColor = $this->avatarBackgroundColor($userDisplayName); $im = imagecreatetruecolor($size, $size); From 367770adabc2690a343dc72ff264d55549de5689 Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Thu, 22 Feb 2018 01:12:53 +0000 Subject: [PATCH 111/251] [tx-robot] updated from transifex --- apps/federatedfilesharing/l10n/sk.js | 1 + apps/federatedfilesharing/l10n/sk.json | 1 + apps/federation/l10n/sk.js | 1 + apps/federation/l10n/sk.json | 1 + apps/files/l10n/ru.js | 2 +- apps/files/l10n/ru.json | 2 +- apps/files/l10n/sk.js | 8 +++- apps/files/l10n/sk.json | 8 +++- apps/files_sharing/l10n/zh_CN.js | 6 ++- apps/files_sharing/l10n/zh_CN.json | 6 ++- apps/systemtags/l10n/sk.js | 58 ++++++++++++++++++++++++++ apps/systemtags/l10n/sk.json | 56 +++++++++++++++++++++++++ apps/updatenotification/l10n/sk.js | 3 +- apps/updatenotification/l10n/sk.json | 3 +- apps/workflowengine/l10n/sk.js | 1 + apps/workflowengine/l10n/sk.json | 1 + 16 files changed, 148 insertions(+), 10 deletions(-) create mode 100644 apps/systemtags/l10n/sk.js create mode 100644 apps/systemtags/l10n/sk.json diff --git a/apps/federatedfilesharing/l10n/sk.js b/apps/federatedfilesharing/l10n/sk.js index e0844f3e57f4e..ae3c60a31350e 100644 --- a/apps/federatedfilesharing/l10n/sk.js +++ b/apps/federatedfilesharing/l10n/sk.js @@ -38,6 +38,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Sprístupnite mi obsah prostredníctvom môjho #Nextcloud Federated Cloud ID, viac na %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Sprístupnite mi obsah prostredníctvom môjho #Nextcloud Federated Cloud ID", "Sharing" : "Sprístupnenie", + "Federated file sharing" : "Združené sprístupňovanie súborov", "Federated Cloud Sharing" : "Sprístupnenie prostredníctvom Federated Cloud", "Open documentation" : "Otvoriť dokumentáciu", "Adjust how people can share between servers." : "Nastavte ako môžu ľudia medzi sebou zdieľať servery.", diff --git a/apps/federatedfilesharing/l10n/sk.json b/apps/federatedfilesharing/l10n/sk.json index 0bc24068a602f..2263551d316e2 100644 --- a/apps/federatedfilesharing/l10n/sk.json +++ b/apps/federatedfilesharing/l10n/sk.json @@ -36,6 +36,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see %s" : "Sprístupnite mi obsah prostredníctvom môjho #Nextcloud Federated Cloud ID, viac na %s", "Share with me through my #Nextcloud Federated Cloud ID" : "Sprístupnite mi obsah prostredníctvom môjho #Nextcloud Federated Cloud ID", "Sharing" : "Sprístupnenie", + "Federated file sharing" : "Združené sprístupňovanie súborov", "Federated Cloud Sharing" : "Sprístupnenie prostredníctvom Federated Cloud", "Open documentation" : "Otvoriť dokumentáciu", "Adjust how people can share between servers." : "Nastavte ako môžu ľudia medzi sebou zdieľať servery.", diff --git a/apps/federation/l10n/sk.js b/apps/federation/l10n/sk.js index 4b82f2c9b60f4..7a842a3961a37 100644 --- a/apps/federation/l10n/sk.js +++ b/apps/federation/l10n/sk.js @@ -5,6 +5,7 @@ OC.L10N.register( "Server is already in the list of trusted servers." : "Server sa už nachádza v zozname dôveryhodných serverov", "No server to federate with found" : "Server pre združenie sa nenašiel", "Could not add server" : "Nebolo možné pridať server", + "Federation" : "Združovanie", "Trusted servers" : "Dôveryhodné servery", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Združovanie vám umožňuje sa pripojiť k iným dôveryhodným serverom za účelom výmeny adresára používateľov. Používa sa to napr. pre automatické doplňovanie používateľov pri združenom zdieľaní.", "Add server automatically once a federated share was created successfully" : "Pridať server automaticky akonáhle je úspešne vytvorené združené zdieľanie", diff --git a/apps/federation/l10n/sk.json b/apps/federation/l10n/sk.json index 48e06ce374f7c..16da9ab402269 100644 --- a/apps/federation/l10n/sk.json +++ b/apps/federation/l10n/sk.json @@ -3,6 +3,7 @@ "Server is already in the list of trusted servers." : "Server sa už nachádza v zozname dôveryhodných serverov", "No server to federate with found" : "Server pre združenie sa nenašiel", "Could not add server" : "Nebolo možné pridať server", + "Federation" : "Združovanie", "Trusted servers" : "Dôveryhodné servery", "Federation allows you to connect with other trusted servers to exchange the user directory. For example this will be used to auto-complete external users for federated sharing." : "Združovanie vám umožňuje sa pripojiť k iným dôveryhodným serverom za účelom výmeny adresára používateľov. Používa sa to napr. pre automatické doplňovanie používateľov pri združenom zdieľaní.", "Add server automatically once a federated share was created successfully" : "Pridať server automaticky akonáhle je úspešne vytvorené združené zdieľanie", diff --git a/apps/files/l10n/ru.js b/apps/files/l10n/ru.js index d4bce72110e11..5f4912587b7a3 100644 --- a/apps/files/l10n/ru.js +++ b/apps/files/l10n/ru.js @@ -81,7 +81,7 @@ OC.L10N.register( "Favorited" : "Избранное", "Favorite" : "Добавить в избранное", "New folder" : "Новый каталог", - "Upload file" : "Зарузить файл", + "Upload file" : "Загрузить файл", "Not favorited" : "Не избранное", "Remove from favorites" : "Удалить из избранных", "Add to favorites" : "Добавить в избранное", diff --git a/apps/files/l10n/ru.json b/apps/files/l10n/ru.json index 705a2a75c7cee..65cc92c052e1d 100644 --- a/apps/files/l10n/ru.json +++ b/apps/files/l10n/ru.json @@ -79,7 +79,7 @@ "Favorited" : "Избранное", "Favorite" : "Добавить в избранное", "New folder" : "Новый каталог", - "Upload file" : "Зарузить файл", + "Upload file" : "Загрузить файл", "Not favorited" : "Не избранное", "Remove from favorites" : "Удалить из избранных", "Add to favorites" : "Добавить в избранное", diff --git a/apps/files/l10n/sk.js b/apps/files/l10n/sk.js index 89da18603072d..c609ee9219729 100644 --- a/apps/files/l10n/sk.js +++ b/apps/files/l10n/sk.js @@ -20,6 +20,7 @@ OC.L10N.register( "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} z {totalSize} ({bitrate})", "Target folder does not exist any more" : "Cieľový priečinok už neexistuje", + "Error when assembling chunks, status code {status}" : "Chyba pri zostavovaní kusov, kód chyby {status}", "Actions" : "Akcie", "Download" : "Sťahovanie", "Rename" : "Premenovať", @@ -65,6 +66,7 @@ OC.L10N.register( "{used} used" : "{used} použitých", "\"{name}\" is an invalid file name." : "\"{name}\" je neplatné meno súboru.", "File name cannot be empty." : "Meno súboru nemôže byť prázdne", + "\"/\" is not allowed inside a file name." : "Znak \"/\" nie je povolený v názve súboru.", "\"{name}\" is not an allowed filetype" : "\"{name}\" nie je povolený typ súboru", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Úložisko používateľa {owner} je plné, súbory sa viac nedajú aktualizovať ani synchronizovať.", "Your storage is full, files can not be updated or synced anymore!" : "Vaše úložisko je plné. Súbory nemožno aktualizovať ani synchronizovať!", @@ -144,6 +146,10 @@ OC.L10N.register( "Tags" : "Štítky", "Deleted files" : "Zmazané súbory", "Text file" : "Textový súbor", - "New text file.txt" : "Nový text file.txt" + "New text file.txt" : "Nový text file.txt", + "Move" : "Presunúť", + "A new file or folder has been deleted" : "Nový súbor alebo priečinok bol zmazaný", + "A new file or folder has been restored" : "Nový súbor alebo priečinok bolobnovený", + "Use this address to access your Files via WebDAV" : "Použi túto adresu pre prístup ku svojím súborom cez WebDAV" }, "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/files/l10n/sk.json b/apps/files/l10n/sk.json index 7e764476c8b1f..59d387b91b1e7 100644 --- a/apps/files/l10n/sk.json +++ b/apps/files/l10n/sk.json @@ -18,6 +18,7 @@ "…" : "...", "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} z {totalSize} ({bitrate})", "Target folder does not exist any more" : "Cieľový priečinok už neexistuje", + "Error when assembling chunks, status code {status}" : "Chyba pri zostavovaní kusov, kód chyby {status}", "Actions" : "Akcie", "Download" : "Sťahovanie", "Rename" : "Premenovať", @@ -63,6 +64,7 @@ "{used} used" : "{used} použitých", "\"{name}\" is an invalid file name." : "\"{name}\" je neplatné meno súboru.", "File name cannot be empty." : "Meno súboru nemôže byť prázdne", + "\"/\" is not allowed inside a file name." : "Znak \"/\" nie je povolený v názve súboru.", "\"{name}\" is not an allowed filetype" : "\"{name}\" nie je povolený typ súboru", "Storage of {owner} is full, files can not be updated or synced anymore!" : "Úložisko používateľa {owner} je plné, súbory sa viac nedajú aktualizovať ani synchronizovať.", "Your storage is full, files can not be updated or synced anymore!" : "Vaše úložisko je plné. Súbory nemožno aktualizovať ani synchronizovať!", @@ -142,6 +144,10 @@ "Tags" : "Štítky", "Deleted files" : "Zmazané súbory", "Text file" : "Textový súbor", - "New text file.txt" : "Nový text file.txt" + "New text file.txt" : "Nový text file.txt", + "Move" : "Presunúť", + "A new file or folder has been deleted" : "Nový súbor alebo priečinok bol zmazaný", + "A new file or folder has been restored" : "Nový súbor alebo priečinok bolobnovený", + "Use this address to access your Files via WebDAV" : "Použi túto adresu pre prístup ku svojím súborom cez WebDAV" },"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" } \ No newline at end of file diff --git a/apps/files_sharing/l10n/zh_CN.js b/apps/files_sharing/l10n/zh_CN.js index de33a357fbb3a..1b7a35ccf4cc1 100644 --- a/apps/files_sharing/l10n/zh_CN.js +++ b/apps/files_sharing/l10n/zh_CN.js @@ -88,6 +88,7 @@ OC.L10N.register( "Can't change permissions for public share links" : "不能改变公共分享链接权限", "Cannot increase permissions" : "不能增加权限", "Share API is disabled" : "共享 API 已被禁用", + "File sharing" : "文件共享", "This share is password-protected" : "这是一个密码保护的共享", "The password is wrong. Try again." : "用户名或密码错误!请重试", "Password" : "密码", @@ -99,7 +100,7 @@ OC.L10N.register( "Reasons might be:" : "可能原因是:", "the item was removed" : "此项已移除", "the link expired" : "链接过期", - "sharing is disabled" : "分享已禁用", + "sharing is disabled" : "已禁用共享", "For more info, please ask the person who sent this link." : "欲知详情,请联系发给你链接的人。", "shared by %s" : "共享者 %s", "Download" : "下载", @@ -109,6 +110,7 @@ OC.L10N.register( "Upload files to %s" : "上传文件到 %s", "Select or drop files" : "选择或删除文件", "Uploading files…" : "上传文件 … ", - "Uploaded files:" : "上传的文件: " + "Uploaded files:" : "上传的文件: ", + "%s is publicly shared" : "%s 是公开共享" }, "nplurals=1; plural=0;"); diff --git a/apps/files_sharing/l10n/zh_CN.json b/apps/files_sharing/l10n/zh_CN.json index 982d0bd238adb..c76961670a394 100644 --- a/apps/files_sharing/l10n/zh_CN.json +++ b/apps/files_sharing/l10n/zh_CN.json @@ -86,6 +86,7 @@ "Can't change permissions for public share links" : "不能改变公共分享链接权限", "Cannot increase permissions" : "不能增加权限", "Share API is disabled" : "共享 API 已被禁用", + "File sharing" : "文件共享", "This share is password-protected" : "这是一个密码保护的共享", "The password is wrong. Try again." : "用户名或密码错误!请重试", "Password" : "密码", @@ -97,7 +98,7 @@ "Reasons might be:" : "可能原因是:", "the item was removed" : "此项已移除", "the link expired" : "链接过期", - "sharing is disabled" : "分享已禁用", + "sharing is disabled" : "已禁用共享", "For more info, please ask the person who sent this link." : "欲知详情,请联系发给你链接的人。", "shared by %s" : "共享者 %s", "Download" : "下载", @@ -107,6 +108,7 @@ "Upload files to %s" : "上传文件到 %s", "Select or drop files" : "选择或删除文件", "Uploading files…" : "上传文件 … ", - "Uploaded files:" : "上传的文件: " + "Uploaded files:" : "上传的文件: ", + "%s is publicly shared" : "%s 是公开共享" },"pluralForm" :"nplurals=1; plural=0;" } \ No newline at end of file diff --git a/apps/systemtags/l10n/sk.js b/apps/systemtags/l10n/sk.js new file mode 100644 index 0000000000000..77ddf39e4bb49 --- /dev/null +++ b/apps/systemtags/l10n/sk.js @@ -0,0 +1,58 @@ +OC.L10N.register( + "systemtags", + { + "Tags" : "Štítky", + "Update" : "Aktualizovať", + "Create" : "Vytvoriť", + "Select tag…" : "Vyber štítok...", + "Tagged files" : "Súbory so štítkom", + "Select tags to filter by" : "Vybrať štítky pre filter", + "No tags found" : "Štítky sa nenašli", + "Please select tags to filter by" : "Vyberte štítky pre filtrovanie", + "No files found for the selected tags" : "Neboli nájdené žiadne súbory označené vybranými štítkami", + "Added system tag %1$s" : "Pridaný systémový štítok %1$s", + "Added system tag {systemtag}" : "Pridaný systémový štítok {systemtag}", + "%1$s added system tag %2$s" : "%1$s pridal(a) systémový štítok %2$s", + "{actor} added system tag {systemtag}" : "{actor} pridal(a) systémový štítok {systemtag}", + "Removed system tag %1$s" : "Odstránený systémový štítok %1$s", + "Removed system tag {systemtag}" : "Odstránený systémový štítok {systemtag}", + "%1$s removed system tag %2$s" : "%1$s odstránil(a) systémový štítok %2$s", + "{actor} removed system tag {systemtag}" : "{actor} odstránil(a) systémový štítok {systemtag}", + "You created system tag %1$s" : "Vytvorili ste systémový štítok %1$s", + "You created system tag {systemtag}" : "Vytvorili ste systémový štítok {systemtag}", + "%1$s created system tag %2$s" : "%1$s vytvoril systémový štítok %2$s", + "{actor} created system tag {systemtag}" : "{actor} vytvoril(a) systémový štítok {systemtag}", + "You deleted system tag %1$s" : "Zmazali ste systémový štítok %1$s", + "You deleted system tag {systemtag}" : "Odstránili ste systémový štítok {systemtag}", + "%1$s deleted system tag %2$s" : "%1$s zmazal(a) systémový štítok %2$s", + "{actor} deleted system tag {systemtag}" : "{actor} odstránil(a) systémový štítok {systemtag}", + "You updated system tag %2$s to %1$s" : "Aktualizovali ste systémový štítok %2$s na %1$s", + "You updated system tag {oldsystemtag} to {newsystemtag}" : "Aktualizovali ste systémový štítok {oldsystemtag} na {newsystemtag}", + "%1$s updated system tag %3$s to %2$s" : "%1$s aktualizoval(a) systémový štítok %3$s na %2$s", + "{actor} updated system tag {oldsystemtag} to {newsystemtag}" : "{actor} aktualizoval(a) systémový štítok {oldsystemtag} na {newsystemtag}", + "You added system tag %2$s to %1$s" : "Pridali ste systémový štítok %2$s na %1$s", + "You added system tag {systemtag} to {file}" : "K {file} ste pridali systémový štítok {systemtag}", + "%1$s added system tag %3$s to %2$s" : "%1$s k %2$s pridal(a) systémový štítok %3$s", + "{actor} added system tag {systemtag} to {file}" : " {actor} k {file} pridal(a) systémový štítok {systemtag}", + "You removed system tag %2$s from %1$s" : "Z %2$s ste odstránili systémový štítok %1$s", + "You removed system tag {systemtag} from {file}" : "Z {file} ste odstránili systémový štítok {systemtag}", + "%1$s removed system tag %3$s from %2$s" : "%1$s odstránil(a) systémový štítok %3$s z %2$s", + "{actor} removed system tag {systemtag} from {file}" : "{actor} odstránil(a) systémový štítok {systemtag} z {file}", + "%s (restricted)" : "%s (obmedzené)", + "%s (invisible)" : "%s (neviditeľné)", + "System tags for a file have been modified" : "Systémové štítky súboru boli upravené", + "Collaborative tags" : "Značky pre spoluprácu", + "Create and edit collaborative tags. These tags affect all users." : "Vytvárajte a upravujte štítky pre spoluprácu. Tieto značky ovplyvnia všetkých používateľov.", + "Select tag …" : "Vybrať štítok ...", + "Name" : "Názov", + "Delete" : "Zmazať", + "Public" : "Verejné", + "Restricted" : "Obmedzené", + "Invisible" : "Neviditeľné", + "Reset" : "Vynulovať", + "No files in here" : "Žiadne súbory", + "No entries found in this folder" : "V tomto priečinku sa nič nenašlo", + "Size" : "Veľkosť", + "Modified" : "Upravené" +}, +"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"); diff --git a/apps/systemtags/l10n/sk.json b/apps/systemtags/l10n/sk.json new file mode 100644 index 0000000000000..a4d4bb322649b --- /dev/null +++ b/apps/systemtags/l10n/sk.json @@ -0,0 +1,56 @@ +{ "translations": { + "Tags" : "Štítky", + "Update" : "Aktualizovať", + "Create" : "Vytvoriť", + "Select tag…" : "Vyber štítok...", + "Tagged files" : "Súbory so štítkom", + "Select tags to filter by" : "Vybrať štítky pre filter", + "No tags found" : "Štítky sa nenašli", + "Please select tags to filter by" : "Vyberte štítky pre filtrovanie", + "No files found for the selected tags" : "Neboli nájdené žiadne súbory označené vybranými štítkami", + "Added system tag %1$s" : "Pridaný systémový štítok %1$s", + "Added system tag {systemtag}" : "Pridaný systémový štítok {systemtag}", + "%1$s added system tag %2$s" : "%1$s pridal(a) systémový štítok %2$s", + "{actor} added system tag {systemtag}" : "{actor} pridal(a) systémový štítok {systemtag}", + "Removed system tag %1$s" : "Odstránený systémový štítok %1$s", + "Removed system tag {systemtag}" : "Odstránený systémový štítok {systemtag}", + "%1$s removed system tag %2$s" : "%1$s odstránil(a) systémový štítok %2$s", + "{actor} removed system tag {systemtag}" : "{actor} odstránil(a) systémový štítok {systemtag}", + "You created system tag %1$s" : "Vytvorili ste systémový štítok %1$s", + "You created system tag {systemtag}" : "Vytvorili ste systémový štítok {systemtag}", + "%1$s created system tag %2$s" : "%1$s vytvoril systémový štítok %2$s", + "{actor} created system tag {systemtag}" : "{actor} vytvoril(a) systémový štítok {systemtag}", + "You deleted system tag %1$s" : "Zmazali ste systémový štítok %1$s", + "You deleted system tag {systemtag}" : "Odstránili ste systémový štítok {systemtag}", + "%1$s deleted system tag %2$s" : "%1$s zmazal(a) systémový štítok %2$s", + "{actor} deleted system tag {systemtag}" : "{actor} odstránil(a) systémový štítok {systemtag}", + "You updated system tag %2$s to %1$s" : "Aktualizovali ste systémový štítok %2$s na %1$s", + "You updated system tag {oldsystemtag} to {newsystemtag}" : "Aktualizovali ste systémový štítok {oldsystemtag} na {newsystemtag}", + "%1$s updated system tag %3$s to %2$s" : "%1$s aktualizoval(a) systémový štítok %3$s na %2$s", + "{actor} updated system tag {oldsystemtag} to {newsystemtag}" : "{actor} aktualizoval(a) systémový štítok {oldsystemtag} na {newsystemtag}", + "You added system tag %2$s to %1$s" : "Pridali ste systémový štítok %2$s na %1$s", + "You added system tag {systemtag} to {file}" : "K {file} ste pridali systémový štítok {systemtag}", + "%1$s added system tag %3$s to %2$s" : "%1$s k %2$s pridal(a) systémový štítok %3$s", + "{actor} added system tag {systemtag} to {file}" : " {actor} k {file} pridal(a) systémový štítok {systemtag}", + "You removed system tag %2$s from %1$s" : "Z %2$s ste odstránili systémový štítok %1$s", + "You removed system tag {systemtag} from {file}" : "Z {file} ste odstránili systémový štítok {systemtag}", + "%1$s removed system tag %3$s from %2$s" : "%1$s odstránil(a) systémový štítok %3$s z %2$s", + "{actor} removed system tag {systemtag} from {file}" : "{actor} odstránil(a) systémový štítok {systemtag} z {file}", + "%s (restricted)" : "%s (obmedzené)", + "%s (invisible)" : "%s (neviditeľné)", + "System tags for a file have been modified" : "Systémové štítky súboru boli upravené", + "Collaborative tags" : "Značky pre spoluprácu", + "Create and edit collaborative tags. These tags affect all users." : "Vytvárajte a upravujte štítky pre spoluprácu. Tieto značky ovplyvnia všetkých používateľov.", + "Select tag …" : "Vybrať štítok ...", + "Name" : "Názov", + "Delete" : "Zmazať", + "Public" : "Verejné", + "Restricted" : "Obmedzené", + "Invisible" : "Neviditeľné", + "Reset" : "Vynulovať", + "No files in here" : "Žiadne súbory", + "No entries found in this folder" : "V tomto priečinku sa nič nenašlo", + "Size" : "Veľkosť", + "Modified" : "Upravené" +},"pluralForm" :"nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;" +} \ No newline at end of file diff --git a/apps/updatenotification/l10n/sk.js b/apps/updatenotification/l10n/sk.js index aaa96cebf0c07..e03b9ebb29e62 100644 --- a/apps/updatenotification/l10n/sk.js +++ b/apps/updatenotification/l10n/sk.js @@ -3,13 +3,14 @@ OC.L10N.register( { "Could not start updater, please try the manual update" : "Nebolo možné spustiť aktualizátor, skúste prosím manuálnu aktualizáciu", "{version} is available. Get more information on how to update." : "{version} je dostupná. Získajte viac informácií o postupe aktualizácie.", - "Update notifications" : "Upozornenia aktualizácií", + "Update notifications" : "Aktualizovať hlásenia", "Channel updated" : "Kanál bol aktualizovaný", "The update server could not be reached since %d days to check for new updates." : "Aktualizačný server je nedostupný %d dní pre kontrolu aktualizácií.", "Please check the Nextcloud and server log files for errors." : "Chyby skontrolujte prosím v logoch Nextcloud a webového servera", "Update to %1$s is available." : "Je dostupná aktualizácia na verziu %1$s.", "Update for %1$s to version %2$s is available." : "Pre %1$s je dostupná aktualizácia na verziu %2$s.", "Update for {app} to version %s is available." : "Pre {app} je dostupná aktualizácia na verziu %s.", + "Update notification" : "Aktualizovať hlásenie", "A new version is available: %s" : "Je dostupná nová verzia: %s", "Open updater" : "Otvoriť aktualizátor", "Download now" : "Stiahnuť teraz", diff --git a/apps/updatenotification/l10n/sk.json b/apps/updatenotification/l10n/sk.json index 67391c3c88275..c9ab08aa98f22 100644 --- a/apps/updatenotification/l10n/sk.json +++ b/apps/updatenotification/l10n/sk.json @@ -1,13 +1,14 @@ { "translations": { "Could not start updater, please try the manual update" : "Nebolo možné spustiť aktualizátor, skúste prosím manuálnu aktualizáciu", "{version} is available. Get more information on how to update." : "{version} je dostupná. Získajte viac informácií o postupe aktualizácie.", - "Update notifications" : "Upozornenia aktualizácií", + "Update notifications" : "Aktualizovať hlásenia", "Channel updated" : "Kanál bol aktualizovaný", "The update server could not be reached since %d days to check for new updates." : "Aktualizačný server je nedostupný %d dní pre kontrolu aktualizácií.", "Please check the Nextcloud and server log files for errors." : "Chyby skontrolujte prosím v logoch Nextcloud a webového servera", "Update to %1$s is available." : "Je dostupná aktualizácia na verziu %1$s.", "Update for %1$s to version %2$s is available." : "Pre %1$s je dostupná aktualizácia na verziu %2$s.", "Update for {app} to version %s is available." : "Pre {app} je dostupná aktualizácia na verziu %s.", + "Update notification" : "Aktualizovať hlásenie", "A new version is available: %s" : "Je dostupná nová verzia: %s", "Open updater" : "Otvoriť aktualizátor", "Download now" : "Stiahnuť teraz", diff --git a/apps/workflowengine/l10n/sk.js b/apps/workflowengine/l10n/sk.js index 8df92bdda392b..fd19128944b46 100644 --- a/apps/workflowengine/l10n/sk.js +++ b/apps/workflowengine/l10n/sk.js @@ -59,6 +59,7 @@ OC.L10N.register( "Check %s is invalid" : "Kontrola %s je neplatná", "Check #%s does not exist" : "Kontrola #%s neexistuje", "Workflow" : "Systém práce", + "Files workflow engine" : "Typ spôsobu práce súborov", "Open documentation" : "Otvoriť dokumentáciu", "Add rule group" : "Pridať skupinu pravidiel", "Short rule description" : "Zobraziť popis pravidla", diff --git a/apps/workflowengine/l10n/sk.json b/apps/workflowengine/l10n/sk.json index f380d30840e9f..8be52def1234a 100644 --- a/apps/workflowengine/l10n/sk.json +++ b/apps/workflowengine/l10n/sk.json @@ -57,6 +57,7 @@ "Check %s is invalid" : "Kontrola %s je neplatná", "Check #%s does not exist" : "Kontrola #%s neexistuje", "Workflow" : "Systém práce", + "Files workflow engine" : "Typ spôsobu práce súborov", "Open documentation" : "Otvoriť dokumentáciu", "Add rule group" : "Pridať skupinu pravidiel", "Short rule description" : "Zobraziť popis pravidla", From a5b73fe761cc6c17200559725e3bd1ff489913df Mon Sep 17 00:00:00 2001 From: Nextcloud bot Date: Fri, 23 Feb 2018 01:12:43 +0000 Subject: [PATCH 112/251] [tx-robot] updated from transifex --- apps/encryption/l10n/es.js | 2 +- apps/encryption/l10n/es.json | 2 +- apps/theming/l10n/pt_PT.js | 39 ++++++++++++++++++++++++++++++++++++ apps/theming/l10n/pt_PT.json | 37 ++++++++++++++++++++++++++++++++++ apps/user_ldap/l10n/es.js | 2 +- apps/user_ldap/l10n/es.json | 2 +- core/l10n/es.js | 2 +- core/l10n/es.json | 2 +- core/l10n/pt_PT.js | 1 + core/l10n/pt_PT.json | 1 + lib/l10n/es.js | 8 ++++---- lib/l10n/es.json | 8 ++++---- settings/l10n/es.js | 10 ++++----- settings/l10n/es.json | 10 ++++----- settings/l10n/sv.js | 3 +++ settings/l10n/sv.json | 3 +++ 16 files changed, 108 insertions(+), 24 deletions(-) create mode 100644 apps/theming/l10n/pt_PT.js create mode 100644 apps/theming/l10n/pt_PT.json diff --git a/apps/encryption/l10n/es.js b/apps/encryption/l10n/es.js index 45897efbb475c..d7d0f4af1e7fc 100644 --- a/apps/encryption/l10n/es.js +++ b/apps/encryption/l10n/es.js @@ -9,7 +9,7 @@ OC.L10N.register( "Recovery key successfully disabled" : "Clave de recuperación deshabilitada", "Could not disable recovery key. Please check your recovery key password!" : "No se pudo deshabilitar la clave de recuperación. Por favor, ¡compruebe su contraseña!", "Missing parameters" : "Faltan parámetros", - "Please provide the old recovery password" : "Por favor, ingrese su antigua contraseña de recuperación", + "Please provide the old recovery password" : "Por favor, introduzca su antigua contraseña de recuperación", "Please provide a new recovery password" : "Por favor, provea una nueva contraseña de recuperación", "Please repeat the new recovery password" : "Por favor, repita su nueva contraseña de recuperación", "Password successfully changed." : "Su contraseña ha sido cambiada", diff --git a/apps/encryption/l10n/es.json b/apps/encryption/l10n/es.json index 96716dc6284d7..17ba43a1bf066 100644 --- a/apps/encryption/l10n/es.json +++ b/apps/encryption/l10n/es.json @@ -7,7 +7,7 @@ "Recovery key successfully disabled" : "Clave de recuperación deshabilitada", "Could not disable recovery key. Please check your recovery key password!" : "No se pudo deshabilitar la clave de recuperación. Por favor, ¡compruebe su contraseña!", "Missing parameters" : "Faltan parámetros", - "Please provide the old recovery password" : "Por favor, ingrese su antigua contraseña de recuperación", + "Please provide the old recovery password" : "Por favor, introduzca su antigua contraseña de recuperación", "Please provide a new recovery password" : "Por favor, provea una nueva contraseña de recuperación", "Please repeat the new recovery password" : "Por favor, repita su nueva contraseña de recuperación", "Password successfully changed." : "Su contraseña ha sido cambiada", diff --git a/apps/theming/l10n/pt_PT.js b/apps/theming/l10n/pt_PT.js new file mode 100644 index 0000000000000..8404ae98ca481 --- /dev/null +++ b/apps/theming/l10n/pt_PT.js @@ -0,0 +1,39 @@ +OC.L10N.register( + "theming", + { + "Loading preview…" : "A carregar pre-visualização...", + "Saved" : "Guardado", + "Admin" : "Administrador", + "a safe home for all your data" : "Um local seguro para todos os seus dados", + "The given name is too long" : "O nome atribuído é demasiado longo", + "The given web address is too long" : "O endereço web atribuído é demasiado longo", + "The given slogan is too long" : "O slogan atribuído é demasiado longo", + "The given color is invalid" : "A cor atribuída é inválida", + "There is no error, the file uploaded with success" : "Não ocorreu nenhum erro, o ficheiro foi carregado com sucesso", + "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "O ficheiro carregado excede a directiva upload_max_filesize no php.ini ", + "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O ficheiro carregado excedo a directiva MAX_FILE_SIZE especificada no formulário HTML", + "The uploaded file was only partially uploaded" : "O ficheiro escolhido foi apenas parcialmente carregado", + "No file was uploaded" : "O ficheiro foi carregado", + "Missing a temporary folder" : "Falta uma pasta temporária", + "Failed to write file to disk." : "Falhou a escrever o ficheiro no disco.", + "A PHP extension stopped the file upload." : "Uma extensão PHP parou o carregamento do ficheiro.", + "No file uploaded" : "Nenhum ficheiro carregado", + "Unsupported image type" : "Tipo de imagem não suportado", + "You are already using a custom theme" : "Já está a usar um tema personalizado", + "Theming" : "Temática", + "Theming makes it possible to easily customize the look and feel of your instance and supported clients. This will be visible for all users." : "A tematização possibilita a fácil personalização da aparência da sua instância e clientes suportados. Isto será visível para todos os utilizadores", + "Name" : "Nome", + "Reset to default" : "Repor original", + "Web address" : "Endereço Web", + "Web address https://…" : "Endereço Web https::// ...", + "Slogan" : "Slogan", + "Color" : "Cor", + "Logo" : "Logótipo", + "Upload new logo" : "Carregar novo logótipo", + "Login image" : "Imagem de Login", + "Upload new login background" : "Carregar imagem de segundo plano de Login", + "Remove background image" : "Remover imagem de segundo plano", + "Install the Imagemagick PHP extension with support for SVG images to automatically generate favicons based on the uploaded logo and color." : "Instale a extensão PHP Imagemagick com suporte para imagens SVG para gerar automaticamente favicons com base na cor e no logotipo carregado.", + "reset to default" : "restaurar valor padrão" +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/pt_PT.json b/apps/theming/l10n/pt_PT.json new file mode 100644 index 0000000000000..f71dd3a1962e0 --- /dev/null +++ b/apps/theming/l10n/pt_PT.json @@ -0,0 +1,37 @@ +{ "translations": { + "Loading preview…" : "A carregar pre-visualização...", + "Saved" : "Guardado", + "Admin" : "Administrador", + "a safe home for all your data" : "Um local seguro para todos os seus dados", + "The given name is too long" : "O nome atribuído é demasiado longo", + "The given web address is too long" : "O endereço web atribuído é demasiado longo", + "The given slogan is too long" : "O slogan atribuído é demasiado longo", + "The given color is invalid" : "A cor atribuída é inválida", + "There is no error, the file uploaded with success" : "Não ocorreu nenhum erro, o ficheiro foi carregado com sucesso", + "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "O ficheiro carregado excede a directiva upload_max_filesize no php.ini ", + "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O ficheiro carregado excedo a directiva MAX_FILE_SIZE especificada no formulário HTML", + "The uploaded file was only partially uploaded" : "O ficheiro escolhido foi apenas parcialmente carregado", + "No file was uploaded" : "O ficheiro foi carregado", + "Missing a temporary folder" : "Falta uma pasta temporária", + "Failed to write file to disk." : "Falhou a escrever o ficheiro no disco.", + "A PHP extension stopped the file upload." : "Uma extensão PHP parou o carregamento do ficheiro.", + "No file uploaded" : "Nenhum ficheiro carregado", + "Unsupported image type" : "Tipo de imagem não suportado", + "You are already using a custom theme" : "Já está a usar um tema personalizado", + "Theming" : "Temática", + "Theming makes it possible to easily customize the look and feel of your instance and supported clients. This will be visible for all users." : "A tematização possibilita a fácil personalização da aparência da sua instância e clientes suportados. Isto será visível para todos os utilizadores", + "Name" : "Nome", + "Reset to default" : "Repor original", + "Web address" : "Endereço Web", + "Web address https://…" : "Endereço Web https::// ...", + "Slogan" : "Slogan", + "Color" : "Cor", + "Logo" : "Logótipo", + "Upload new logo" : "Carregar novo logótipo", + "Login image" : "Imagem de Login", + "Upload new login background" : "Carregar imagem de segundo plano de Login", + "Remove background image" : "Remover imagem de segundo plano", + "Install the Imagemagick PHP extension with support for SVG images to automatically generate favicons based on the uploaded logo and color." : "Instale a extensão PHP Imagemagick com suporte para imagens SVG para gerar automaticamente favicons com base na cor e no logotipo carregado.", + "reset to default" : "restaurar valor padrão" +},"pluralForm" :"nplurals=2; plural=(n != 1);" +} \ No newline at end of file diff --git a/apps/user_ldap/l10n/es.js b/apps/user_ldap/l10n/es.js index 6e53ea375f824..1f51667ca2050 100644 --- a/apps/user_ldap/l10n/es.js +++ b/apps/user_ldap/l10n/es.js @@ -105,7 +105,7 @@ OC.L10N.register( "Detect Base DN" : "Detectar Base DN", "Test Base DN" : "Probar Base DN", "Avoids automatic LDAP requests. Better for bigger setups, but requires some LDAP knowledge." : "Evita peticiones automáticas al LDAP. Mejor para grandes configuraciones, pero requiere cierto conocimiento de LDAP.", - "Manually enter LDAP filters (recommended for large directories)" : "Ingrese manualmente los filtros LDAP (Recomendado para grandes directorios)", + "Manually enter LDAP filters (recommended for large directories)" : "Introduzca manualmente los filtros LDAP (recomendado para directorios grandes)", "Listing and searching for users is constrained by these criteria:" : "El listado y la búsqueda de usuarios es restringido por estos criterios:", "The most common object classes for users are organizationalPerson, person, user, and inetOrgPerson. If you are not sure which object class to select, please consult your directory admin." : "Los objetos de clases más comunes para los usuarios son organizationalPerson, persona, usuario y inetOrgPerson. Si no está seguro de qué objeto de clase seleccionar, por favor, consulte con su administrador de directorio. ", "The filter specifies which LDAP users shall have access to the %s instance." : "El filtro especifica que usuarios LDAP pueden tener acceso a %s.", diff --git a/apps/user_ldap/l10n/es.json b/apps/user_ldap/l10n/es.json index 8df4b896dc5d7..5d7352fd0c889 100644 --- a/apps/user_ldap/l10n/es.json +++ b/apps/user_ldap/l10n/es.json @@ -103,7 +103,7 @@ "Detect Base DN" : "Detectar Base DN", "Test Base DN" : "Probar Base DN", "Avoids automatic LDAP requests. Better for bigger setups, but requires some LDAP knowledge." : "Evita peticiones automáticas al LDAP. Mejor para grandes configuraciones, pero requiere cierto conocimiento de LDAP.", - "Manually enter LDAP filters (recommended for large directories)" : "Ingrese manualmente los filtros LDAP (Recomendado para grandes directorios)", + "Manually enter LDAP filters (recommended for large directories)" : "Introduzca manualmente los filtros LDAP (recomendado para directorios grandes)", "Listing and searching for users is constrained by these criteria:" : "El listado y la búsqueda de usuarios es restringido por estos criterios:", "The most common object classes for users are organizationalPerson, person, user, and inetOrgPerson. If you are not sure which object class to select, please consult your directory admin." : "Los objetos de clases más comunes para los usuarios son organizationalPerson, persona, usuario y inetOrgPerson. Si no está seguro de qué objeto de clase seleccionar, por favor, consulte con su administrador de directorio. ", "The filter specifies which LDAP users shall have access to the %s instance." : "El filtro especifica que usuarios LDAP pueden tener acceso a %s.", diff --git a/core/l10n/es.js b/core/l10n/es.js index efd6751c0c0a7..00950c29fe908 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -293,7 +293,7 @@ OC.L10N.register( "Enhanced security is enabled for your account. Please authenticate using a second factor." : "La seguridad mejorada se ha habilitado para tu cuenta. Por favor, autenticar utilizando un segundo factor.", "Cancel log in" : "Cancelar inicio de sesión", "Use backup code" : "Usar código de respaldo", - "Error while validating your second factor" : "Error mientras validaba su factor segundo", + "Error while validating your second factor" : "Error al validar su segundo factor", "Access through untrusted domain" : "Acceso a través de un dominio en el que no se confía", "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Por favor, ponte en contacto con tu administrador. Si eres un administrador, edita la configuración \"trusted_domains\" en config/config.php como el ejemplo que aparece en config.sample.php.", "Depending on your configuration, this button could also work to trust the domain:" : "Dependiendo de tu configuración, este botón también podría servir para confiar en el dominio:", diff --git a/core/l10n/es.json b/core/l10n/es.json index fb9f9746df30c..9220911b6238a 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -291,7 +291,7 @@ "Enhanced security is enabled for your account. Please authenticate using a second factor." : "La seguridad mejorada se ha habilitado para tu cuenta. Por favor, autenticar utilizando un segundo factor.", "Cancel log in" : "Cancelar inicio de sesión", "Use backup code" : "Usar código de respaldo", - "Error while validating your second factor" : "Error mientras validaba su factor segundo", + "Error while validating your second factor" : "Error al validar su segundo factor", "Access through untrusted domain" : "Acceso a través de un dominio en el que no se confía", "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Por favor, ponte en contacto con tu administrador. Si eres un administrador, edita la configuración \"trusted_domains\" en config/config.php como el ejemplo que aparece en config.sample.php.", "Depending on your configuration, this button could also work to trust the domain:" : "Dependiendo de tu configuración, este botón también podría servir para confiar en el dominio:", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 65bdc09e49911..589462bce98cf 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -316,6 +316,7 @@ OC.L10N.register( "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "%s (3rdparty)" : "%s (terceiros)", "There was an error loading your contacts" : "Ocorreu um erro ao carregar os seus contactos", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "O seu servidor web ainda não está devidamente configurado para permitir sincronização de ficheiros porque a interface WebDAV não está a funcionar correctamente.", "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "O seu servidor web ainda não está devidamente configurado para traduzir \"{url}\". Mais informações podem ser obtidas na nossa documentação.", diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index a9c663821dcc9..07a9203662412 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -314,6 +314,7 @@ "This page will refresh itself when the %s instance is available again." : "Esta página irá ser atualizada quando a instância %s ficar novamente disponível.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacte o seu administrador do sistema se esta mensagem persistir ou apareceu inesperadamente.", "Thank you for your patience." : "Obrigado pela sua paciência.", + "%s (3rdparty)" : "%s (terceiros)", "There was an error loading your contacts" : "Ocorreu um erro ao carregar os seus contactos", "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "O seu servidor web ainda não está devidamente configurado para permitir sincronização de ficheiros porque a interface WebDAV não está a funcionar correctamente.", "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our documentation." : "O seu servidor web ainda não está devidamente configurado para traduzir \"{url}\". Mais informações podem ser obtidas na nossa documentação.", diff --git a/lib/l10n/es.js b/lib/l10n/es.js index b411012a6276d..a0f23e34d2c0d 100644 --- a/lib/l10n/es.js +++ b/lib/l10n/es.js @@ -75,18 +75,18 @@ OC.L10N.register( "Personal info" : "Información personal", "Sync clients" : "Clientes de sincronización", "Unlimited" : "Ilimitado", - "__language_name__" : "Español", + "__language_name__" : "Castellano", "Verifying" : "Verificando", "Verifying …" : "Verificando...", "Verify" : "Verificar", "%s enter the database username and name." : "%s introduzca el nombre de usuario y la contraseña de la BBDD.", - "%s enter the database username." : "%s ingresar el usuario de la base de datos.", - "%s enter the database name." : "%s ingresar el nombre de la base de datos", + "%s enter the database username." : "%s introduzca el usuario de la base de datos.", + "%s enter the database name." : "%s introduzca el nombre de la base de datos", "%s you may not use dots in the database name" : "%s puede utilizar puntos en el nombre de la base de datos", "Oracle connection could not be established" : "No se pudo establecer la conexión a Oracle", "Oracle username and/or password not valid" : "Usuario y/o contraseña de Oracle no válidos", "PostgreSQL username and/or password not valid" : "Usuario y/o contraseña de PostgreSQL no válidos", - "You need to enter details of an existing account." : "Necesita ingresar detalles de una cuenta existente.", + "You need to enter details of an existing account." : "Tienes que introducir los datos de una cuenta existente.", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X no está soportado y %s no funcionará bien en esta plataforma. ¡Úsela bajo su propio riesgo! ", "For the best results, please consider using a GNU/Linux server instead." : "Para obtener los mejores resultados, considera utilizar un servidor GNU/Linux.", "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Parece que esta instancia %s está funcionando en un entorno PHP de 32-bits y el open_basedir se ha configurado en php.ini. Esto acarreará problemas con arhivos de tamaño superior a 4GB y resulta totalmente desaconsejado.", diff --git a/lib/l10n/es.json b/lib/l10n/es.json index 0607da188b6b5..ec5252d028ff7 100644 --- a/lib/l10n/es.json +++ b/lib/l10n/es.json @@ -73,18 +73,18 @@ "Personal info" : "Información personal", "Sync clients" : "Clientes de sincronización", "Unlimited" : "Ilimitado", - "__language_name__" : "Español", + "__language_name__" : "Castellano", "Verifying" : "Verificando", "Verifying …" : "Verificando...", "Verify" : "Verificar", "%s enter the database username and name." : "%s introduzca el nombre de usuario y la contraseña de la BBDD.", - "%s enter the database username." : "%s ingresar el usuario de la base de datos.", - "%s enter the database name." : "%s ingresar el nombre de la base de datos", + "%s enter the database username." : "%s introduzca el usuario de la base de datos.", + "%s enter the database name." : "%s introduzca el nombre de la base de datos", "%s you may not use dots in the database name" : "%s puede utilizar puntos en el nombre de la base de datos", "Oracle connection could not be established" : "No se pudo establecer la conexión a Oracle", "Oracle username and/or password not valid" : "Usuario y/o contraseña de Oracle no válidos", "PostgreSQL username and/or password not valid" : "Usuario y/o contraseña de PostgreSQL no válidos", - "You need to enter details of an existing account." : "Necesita ingresar detalles de una cuenta existente.", + "You need to enter details of an existing account." : "Tienes que introducir los datos de una cuenta existente.", "Mac OS X is not supported and %s will not work properly on this platform. Use it at your own risk! " : "Mac OS X no está soportado y %s no funcionará bien en esta plataforma. ¡Úsela bajo su propio riesgo! ", "For the best results, please consider using a GNU/Linux server instead." : "Para obtener los mejores resultados, considera utilizar un servidor GNU/Linux.", "It seems that this %s instance is running on a 32-bit PHP environment and the open_basedir has been configured in php.ini. This will lead to problems with files over 4 GB and is highly discouraged." : "Parece que esta instancia %s está funcionando en un entorno PHP de 32-bits y el open_basedir se ha configurado en php.ini. Esto acarreará problemas con arhivos de tamaño superior a 4GB y resulta totalmente desaconsejado.", diff --git a/settings/l10n/es.js b/settings/l10n/es.js index 59045f5145b75..a86b15517fcda 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -283,10 +283,10 @@ OC.L10N.register( "Allow apps to use the Share API" : "Permitir a las aplicaciones utilizar la API de Compartición", "Allow users to share via link" : "Permite a los usuarios compartir por medio de enlaces", "Allow public uploads" : "Permitir subidas públicas", - "Always ask for a password" : "Siempre pedir por contraseña", + "Always ask for a password" : "Siempre pedir la contraseña", "Enforce password protection" : "Forzar la protección por contraseña.", "Set default expiration date" : "Establecer fecha de caducidad predeterminada", - "Expire after " : "Caduca luego de", + "Expire after " : "Caduca después de", "days" : "días", "Enforce expiration date" : "Imponer fecha de caducidad", "Allow resharing" : "Permitir recompartición", @@ -295,7 +295,7 @@ OC.L10N.register( "Exclude groups from sharing" : "Excluye grupos de compartir", "These groups will still be able to receive shares, but not to initiate them." : "Estos grupos aún podrán recibir contenidos compartidos, pero no podrán, pero no podrán iniciarlos.", "Allow username autocompletion in share dialog. If this is disabled the full username or email address needs to be entered." : "Permitir autocompletado del nombre de usuario en el diálogo de compartir. Si se desactiva, se necesita introducir el nombre de usuario completo o la dirección de correo electrónico", - "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Mostrar texto de renuncia de responsabilidad en la páigina de subida de enlace público. (Solo se muestra cuando se la lista de archivos está oculta.)", + "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Mostrar texto de renuncia de responsabilidad en la página de subida con el enlace público. (Sólo se muestra cuando la lista de archivos está oculta.)", "This text will be shown on the public link upload page when the file list is hidden." : "Este texto se mostrará en la pagina de subida de enlace público cuando la lista de archivos está oculta.", "Tips & tricks" : "Sugerencias y trucos", "There are a lot of features and config switches available to optimally customize and use this instance. Here are some pointers for more information." : "Hay muchas características y cambios de configuración disponibles para personalizar y usar esta instancia. Aquí hay alugnas indicaciones para más información.", @@ -363,7 +363,7 @@ OC.L10N.register( "Show last login" : "Mostrar último inicio de sesión", "Show email address" : "Mostrar dirección de correo electrónico", "Send email to new user" : "Enviar correo al usuario nuevo", - "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Cuando la contraseña de un nuevo usuario esta vacía, un mensaje de activación a través de correo electrónico es enviado.", + "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Cuando la contraseña de un usuario nuevo está vacía, se le envía un un correo de activación para poner una contraseña", "E-Mail" : "Correo electrónico", "Create" : "Crear", "Admin Recovery Password" : "Recuperación de la contraseña de administración", @@ -390,7 +390,7 @@ OC.L10N.register( "Error while removing app" : "Error al eliminar la app", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "La app ha sido activada pero tiene que actualizarse. Serás redirigido a la página de actualización en 5 segundos.", "App update" : "Actualización de la aplicación", - "__language_name__" : "Español", + "__language_name__" : "Castellano", "Verifying" : "Verificando", "Personal info" : "Información personal", "Sync clients" : "Clientes de sincronización", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index e03548c71c664..d8d754f0418a4 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -281,10 +281,10 @@ "Allow apps to use the Share API" : "Permitir a las aplicaciones utilizar la API de Compartición", "Allow users to share via link" : "Permite a los usuarios compartir por medio de enlaces", "Allow public uploads" : "Permitir subidas públicas", - "Always ask for a password" : "Siempre pedir por contraseña", + "Always ask for a password" : "Siempre pedir la contraseña", "Enforce password protection" : "Forzar la protección por contraseña.", "Set default expiration date" : "Establecer fecha de caducidad predeterminada", - "Expire after " : "Caduca luego de", + "Expire after " : "Caduca después de", "days" : "días", "Enforce expiration date" : "Imponer fecha de caducidad", "Allow resharing" : "Permitir recompartición", @@ -293,7 +293,7 @@ "Exclude groups from sharing" : "Excluye grupos de compartir", "These groups will still be able to receive shares, but not to initiate them." : "Estos grupos aún podrán recibir contenidos compartidos, pero no podrán, pero no podrán iniciarlos.", "Allow username autocompletion in share dialog. If this is disabled the full username or email address needs to be entered." : "Permitir autocompletado del nombre de usuario en el diálogo de compartir. Si se desactiva, se necesita introducir el nombre de usuario completo o la dirección de correo electrónico", - "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Mostrar texto de renuncia de responsabilidad en la páigina de subida de enlace público. (Solo se muestra cuando se la lista de archivos está oculta.)", + "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Mostrar texto de renuncia de responsabilidad en la página de subida con el enlace público. (Sólo se muestra cuando la lista de archivos está oculta.)", "This text will be shown on the public link upload page when the file list is hidden." : "Este texto se mostrará en la pagina de subida de enlace público cuando la lista de archivos está oculta.", "Tips & tricks" : "Sugerencias y trucos", "There are a lot of features and config switches available to optimally customize and use this instance. Here are some pointers for more information." : "Hay muchas características y cambios de configuración disponibles para personalizar y usar esta instancia. Aquí hay alugnas indicaciones para más información.", @@ -361,7 +361,7 @@ "Show last login" : "Mostrar último inicio de sesión", "Show email address" : "Mostrar dirección de correo electrónico", "Send email to new user" : "Enviar correo al usuario nuevo", - "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Cuando la contraseña de un nuevo usuario esta vacía, un mensaje de activación a través de correo electrónico es enviado.", + "When the password of a new user is left empty, an activation email with a link to set the password is sent." : "Cuando la contraseña de un usuario nuevo está vacía, se le envía un un correo de activación para poner una contraseña", "E-Mail" : "Correo electrónico", "Create" : "Crear", "Admin Recovery Password" : "Recuperación de la contraseña de administración", @@ -388,7 +388,7 @@ "Error while removing app" : "Error al eliminar la app", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "La app ha sido activada pero tiene que actualizarse. Serás redirigido a la página de actualización en 5 segundos.", "App update" : "Actualización de la aplicación", - "__language_name__" : "Español", + "__language_name__" : "Castellano", "Verifying" : "Verificando", "Personal info" : "Información personal", "Sync clients" : "Clientes de sincronización", diff --git a/settings/l10n/sv.js b/settings/l10n/sv.js index 0f46d4eeb79b9..34168abf9ea73 100644 --- a/settings/l10n/sv.js +++ b/settings/l10n/sv.js @@ -103,8 +103,11 @@ OC.L10N.register( "Error: This app can not be enabled because it makes the server unstable" : "Fel: Denna app kan inte aktiveras eftersom det gör servern instabil", "Error: Could not disable broken app" : "Fel: Kunde inte inaktivera trasig app", "Error while disabling broken app" : "Fel under inaktivering av trasig applikation.", + "App up to date" : "Appen är uppdaterad", + "Upgrading …" : "Uppgraderar ...", "Updated" : "Uppdaterad", "Removing …" : "Tar bort ...", + "Could not remove app" : "Kunde inte ta bort app", "Remove" : "Ta bort", "Approved" : "Godkänd", "Experimental" : "Experimentell", diff --git a/settings/l10n/sv.json b/settings/l10n/sv.json index 97b30f2224c1a..f9274a8020204 100644 --- a/settings/l10n/sv.json +++ b/settings/l10n/sv.json @@ -101,8 +101,11 @@ "Error: This app can not be enabled because it makes the server unstable" : "Fel: Denna app kan inte aktiveras eftersom det gör servern instabil", "Error: Could not disable broken app" : "Fel: Kunde inte inaktivera trasig app", "Error while disabling broken app" : "Fel under inaktivering av trasig applikation.", + "App up to date" : "Appen är uppdaterad", + "Upgrading …" : "Uppgraderar ...", "Updated" : "Uppdaterad", "Removing …" : "Tar bort ...", + "Could not remove app" : "Kunde inte ta bort app", "Remove" : "Ta bort", "Approved" : "Godkänd", "Experimental" : "Experimentell", From 168f18859636080f0d35a81c1a43c040addf8e40 Mon Sep 17 00:00:00 2001 From: Morris Jobke Date: Thu, 22 Feb 2018 14:16:49 +0100 Subject: [PATCH 113/251] Show hint in OCS API for user creation * adds a 107 error code together with the hint of the exception * logs the exception as warning * fixes #7946 Signed-off-by: Morris Jobke --- .../lib/Controller/UsersController.php | 12 ++++++++++-- 1 file changed, 10 insertions(+), 2 deletions(-) diff --git a/apps/provisioning_api/lib/Controller/UsersController.php b/apps/provisioning_api/lib/Controller/UsersController.php index ffae68d5a95a5..22ee0402e4bae 100644 --- a/apps/provisioning_api/lib/Controller/UsersController.php +++ b/apps/provisioning_api/lib/Controller/UsersController.php @@ -31,6 +31,7 @@ namespace OCA\Provisioning_API\Controller; use OC\Accounts\AccountManager; +use OC\HintException; use OC\Settings\Mailer\NewUserMailHelper; use OC_Helper; use OCP\App\IAppManager; @@ -187,15 +188,22 @@ public function addUser($userid, $password, $groups = null) { try { $newUser = $this->userManager->createUser($userid, $password); - $this->logger->info('Successful addUser call with userid: '.$userid, ['app' => 'ocs_api']); + $this->logger->info('Successful addUser call with userid: ' . $userid, ['app' => 'ocs_api']); if (is_array($groups)) { foreach ($groups as $group) { $this->groupManager->get($group)->addUser($newUser); - $this->logger->info('Added userid '.$userid.' to group '.$group, ['app' => 'ocs_api']); + $this->logger->info('Added userid ' . $userid . ' to group ' . $group, ['app' => 'ocs_api']); } } return new DataResponse(); + } catch (HintException $e ) { + $this->logger->logException($e, [ + 'message' => 'Failed addUser attempt with hint exception.', + 'level' => \OCP\Util::WARN, + 'app' => 'ocs_api', + ]); + throw new OCSException($e->getHint(), 107); } catch (\Exception $e) { $this->logger->error('Failed addUser attempt with exception: '.$e->getMessage(), ['app' => 'ocs_api']); throw new OCSException('Bad request', 101); From fef3f2349262122a31a0b3830a1cc3e53014433d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Julius=20H=C3=A4rtl?= Date: Sun, 18 Feb 2018 13:43:56 +0100 Subject: [PATCH 114/251] Fix hiding and event propagation issues with the user management popover MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Signed-off-by: Julius Härtl --- settings/js/users/users.js | 10 ++++++---- settings/templates/users/part.userlist.php | 2 +- 2 files changed, 7 insertions(+), 5 deletions(-) diff --git a/settings/js/users/users.js b/settings/js/users/users.js index 5a337c3855653..0b94401941b38 100644 --- a/settings/js/users/users.js +++ b/settings/js/users/users.js @@ -940,7 +940,7 @@ $(document).ready(function () { UserList._triggerGroupEdit($td, isSubadminSelect); }); - $userListBody.on('click', '.toggleUserActions', function (event) { + $userListBody.on('click', '.toggleUserActions > .action', function (event) { event.stopPropagation(); var $td = $(this).closest('td'); var $tr = $($td).closest('tr'); @@ -963,9 +963,11 @@ $(document).ready(function () { $tr.addClass('active'); }); - $(document).on('mouseup', function () { - $('#userlist tr.active').removeClass('active'); - $('#userlist .popovermenu.open').removeClass('open'); + $(document).on('mouseup', function (event) { + if (!$(event.target).closest('.toggleUserActions').length) { + $('#userlist tr.active').removeClass('active'); + $('#userlist .popovermenu.open').removeClass('open'); + } }); $userListBody.on('click', '.action-togglestate', function (event) { diff --git a/settings/templates/users/part.userlist.php b/settings/templates/users/part.userlist.php index aaf20b6eaef61..2506dba7fc341 100644 --- a/settings/templates/users/part.userlist.php +++ b/settings/templates/users/part.userlist.php @@ -67,7 +67,7 @@

    -